- 
                Notifications
    You must be signed in to change notification settings 
- Fork 1.1k
Fixes #15736 blocking Scala 3 on Android #22632
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Conversation
| Just to provide some more information on my reasoning for the fix: 
 Following these observations I've only added a assertion to check the condition for the whole signature and just implemented boxing of the return type in the instantiated method type. I've also compiled most of the compiler run tests into an android app to check whether there are more bytecode issues with android, and there seem not to be any. | 
| I have some memory of a semantic mismatch in  | 
| 
 Interesting, yes current scala 3 still does the unboxing manually in the adapted method for the parameters. It does not do the boxing for the return value and it does not need to as there is not special null case for boxing. | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Given
class Foo[T]():
  val f = (x: T) => truewe have (Object)Object as the SAM signature, (Object)Z as the implementation method signature, and now with this PR we'll have (Object)Boolean as the "dynamicMethodType".
I don't really know what dynamicMethodType is for, the documentation is very thin. LMF is creating a method with that signature because we put it in the bridges list:
scala> println(((x: String) => true).getClass.getMethods.filter(_.getName == "apply").mkString("\n"))
public java.lang.Object rs$line$1$$$Lambda/0x0000000800620000.apply(java.lang.Object)
public java.lang.Boolean rs$line$1$$$Lambda/0x0000000800620000.apply(java.lang.String)before this PR, the apply method had return type primitive boolean.
I was going to ask if it makes sense to come up with a new signature for dynamicMethodType out of thin air... But then I tested Java
@FunctionalInterface
interface SP<R> {
    R test(String str);
}
public class A {
  public static boolean impl(String s) { return true; }
  public SP<Boolean> f() { return A::impl; }
}And that produces
    INVOKEDYNAMIC test()LSP; [
      // handle kind 0x6 : INVOKESTATIC
      java/lang/invoke/LambdaMetafactory.metafactory(Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite;
      // arguments:
      (Ljava/lang/String;)Ljava/lang/Object;,    <<< interfaceMethodType
      // handle kind 0x6 : INVOKESTATIC
      A.impl(Ljava/lang/String;)Z,               <<< implementation method
      (Ljava/lang/String;)Ljava/lang/Boolean;    <<< dynamicMethodType
    ]
That's a bit less thin air because of the explicit SP<Boolean>, but at least it shows similar LMF args as this PR is producing.
I guess the alternative solution to this PR is emitting $anonfun$adapted methods for primitive result types, like Scala 2 (see https://github.com/scala/scala3/blob/3.6.3/compiler/src/dotty/tools/dotc/transform/Erasure.scala#L464-L488).
| instantiatedMethodBType.returnType), s"Primitive types must be equal: ${samMethodBType} vs. $instantiatedMethodBType" | ||
| ) | ||
|  | ||
| val instantiatedMethodType = instantiatedMethodBType.toASMType | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
This is also used in bridgeTypes below, so the change also affects the altMethods argument of LMF.altMetafactory.
After digging a little, it seems these bridges are there (since Scala 2) to support structural calls on LMF function instances, see https://github.com/scala/scala3/blob/3.6.3/compiler/src/dotty/tools/backend/jvm/BCodeBodyBuilder.scala#L1791-L1793
But trying that in Scala 3, the code actually doesn't type check
scala> val f = (x: String) => x
val f: String => String = Lambda/0x0000000800662000@4e1fd34b
scala> val g: { def apply(x: String): String } = f
-- [E007] Type Mismatch Error: -------------------------------------------------
1 |val g: { def apply(x: String): String } = f
  |                                          ^
  |                            Found:    (f : String => String)
  |                            Required: Object{def apply(x: String): String}The reason seems to be a fix for an unsoundness with structural types: #12214 (comment) / scala/bug#10414.
Indeed, in Scala 2:
scala> class B[T, R] extends Function1[T, R] { def apply(s: T): R = null.asInstanceOf[R] }
scala> val f: String => String = new B[String, String]
scala> val g: { def apply(s: String): String } = f
scala> g("")
java.lang.NoSuchMethodException: B.apply(java.lang.String)
  at java.base/java.lang.Class.getMethod(Class.java:2395)(Thanks to @dwijnand for digging in there with me).
So I'm not sure if it's even worth to make LMF synthesize any bridges in Scala 3. @smarter wdyt?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I'm not quite sure what you mean by "dynamicMethodType", I assume you mean what the LMF documentation calls "instantiatedMethodType". This just injects a dynamic typecheck on that type before and after invoking the implementing method. I assume it is for settings like this:
class Foo[T]:
    val f: T => String = _ => "asd"
val g = Foo[String].f.asInstanceOf[Any => String]
g(Nil) // class cast exception from Nil to String
f has type Function1 with a method apply with erased type (Object;)Object and the implementing Method has erased type (Object);String
To generate the function object for g one could call the metafactory with sam type (Object;)Object, invokedType (Object;)String and an instantiated type of (String;)String. The generated proxy would then ensure the class cast exception.
Scala however does generate a bridge with type (String;)String, uses that and an invoked type of (String;)String.
I could not produce any situation where the instantiated type would actually be narrower than the invoked type. So probably you could just set it to the sam type all the time without losing any class cast exceptions. That is a somewhat riskier change though than what I did.
Whatever you chose to do, the instantiated method type has to be a compatible with the sam type without adapting between primitive and box types to conform to the documentation of LMF.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
not quite sure what you mean by "dynamicMethodType"
dynamicMethodType in the LMF documentation / instantiatedMethodType in the compiler backend source code. We should have called it the same in the compiler sources...
Scala however does generate a bridge with type (String;)String
Do you mean concretely in your class Foo[T]  example? I think this is not the case. Take a look at the indy bytecode, or use reflection to list the apply methods of g. There are two: (Object)Object and (Object)String, but no (String)String. Note that g is the same object/instance as f.
Generally, Scala or the JVM have no guarantees about checking dynamic types and ensuring ClassCastExceptions are issued. For example:
scala> class C[T] { def f(t: T) = "x" }
scala> (new C[String]).asInstanceOf[C[Option[Int]]].f(None) // no CCE
val res0: String = xI could not produce any situation where the instantiated type would actually be narrower than the invoked type.
I think you're right, we don't do that in Scala. Java uses that feature for method references:
public class A {
  static String impl(Object s) { return ""; }
  F<String, String> f = A::impl;
}
interface F<T, R> { R m(T s); }gives
    INVOKEDYNAMIC m()LF; [
      // handle kind 0x6 : INVOKESTATIC
      java/lang/invoke/LambdaMetafactory.metafactory(Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite;
      // arguments:
      (Ljava/lang/Object;)Ljava/lang/Object;, 
      // handle kind 0x6 : INVOKESTATIC
      A.impl(Ljava/lang/Object;)Ljava/lang/String;, 
      (Ljava/lang/String;)Ljava/lang/String;
    ]
the instantiated method type has to be a compatible with the sam type without adapting between primitive and box types to conform to the documentation of LMF.
👍
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
dynamicMethodTypein the LMF documentation
Ah, for Java 11 it was still called instantiatedMethodType, they have changed that to dynamicMethodType at some point.
Do you mean concretely in your
class Foo[T]example?
No, not concretely. It could be used, but Scala uses the bridge with (String)String. I believe Scala never relies on the dynamicMethodType.
Either scala generates some kind of bridge when instantiating type parameters or it just ignores the runtime type in case of casting with asInstanceOf. Which is fine, there are no guarantees on runtime type checking as you've said.
| // check that types are equal for parameters and return type as required by spec of altMetafactory | ||
| def checkInstantiated(a: BType, b: BType): Boolean = | ||
| (!a.isPrimitive && !b.isPrimitive) || (a.isPrimitive && b.isPrimitive && a == b) | ||
| assert( | ||
| samMethodBType.argumentTypes.zip(instantiatedMethodBType.argumentTypes).forall(checkInstantiated) && checkInstantiated(samMethodBType.returnType, | ||
| instantiatedMethodBType.returnType), s"Primitive types must be equal: ${samMethodBType} vs. $instantiatedMethodBType" | ||
| ) | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I think we can remove that for that for the final version
| Hello! Just to add a datapoint, this PR is very important to enable Android development with Scala 3. I hope it's not forgotten (thanks @lrytz for reviewing and massive thanks to @ddtthh for fixing it in the first place!). 
 At that point, Mario discovered that if we use  In various places of the STTP libraries. So I 
 https://github.com/user-attachments/assets/3e0bb9b9-49ea-470b-b99f-6de72dbe0784 | 
| 
 Excellent work @keynmol and thank you @ddtthh for this breakthrough. Just to set the record straight this is not my discovery, it was suggested to me by @pfn on Discord > Scala > scala-android. | 
| @ddtthh note that the check for the Scala 3 CLA is failing on the CI. Signing it is necessary for contributors. | 
| 
 The proposed change looks reasonable to me. It doesn't seem risky to me. If it didn't work it would haven blown up hundreds of time in the standard library alone. And I don't see how it could make performance worse, given that boxing must happen one way or another. I'm not sure about the bridges issue. Supposedly the bridge generation needs to be in sync with whatever signature we use for the "main" SAM method. So should be fine as is? | 
| I assume the change to  
 But I'm really unsure about generating a bridge method in the lambda with that same signature. In current Scala 3: scala> val f = (x: String) => true
val f: String => Boolean = Lambda/0x00000008005c4400@37f41a81
scala> val g: { def apply(x: String): Boolean } = f.asInstanceOf[{ def apply(x: String): Boolean }]
val g: Object{def apply(x: String): Boolean} = Lambda/0x00000008005c4400@37f41a81
scala> import scala.reflect.Selectable.reflectiveSelectable
scala> g.apply("")
val res0: Boolean = trueThe cast is needed because of #12214 (comment) / scala/bug#10414. Since that bridge can only ever be used with a cast, do we even want to generate it? After this PR, the bridge has a different signature and we get scala> g.apply("")
java.lang.NoSuchMethodException: rs$line$1$$$Lambda/0x00000008005ac400.apply(java.lang.String)
  at java.base/java.lang.Class.getMethod(Class.java:2395)So the bridge seems even less useful to have. Concretely, add this change: -      val bridgeTypes = (
-        if (needsGenericBridge)
-          instantiatedMethodType +: overriddenMethodTypes
-        else
-          overriddenMethodTypes
-      ).distinct.filterNot(_ == samMethodType)
+      val bridgeTypes = overriddenMethodTypes.distinct.filterNot(_ == samMethodType) | 
| 
 Java 21 docs says: "dynamicMethodType - The signature and return type that should be enforced dynamically at invocation time." I've checked that the JVM does this by calling LMF manually. 
 
 I can't replicate this. The signature changes from (String)Z to (String)Boolean. But for me, the call still succeeds. Looking at the source of  As the signature of applyDynamic is :(Ljava/lang/String;Lscala/collection/immutable/Seq;Lscala/collection/immutable/Seq;)Ljava/lang/Object; there isn't even a difference in the byte-code at the call side, as the returned boolean has to be unboxed either way. | 
| 
 Oh I'm very sorry, I mixed up with a locally patched version 🤦♂️ I still think we should get rid of the bridge, but it's a separate issue. So I agree to go ahead with this PR, I'd just remove the assertion (lines 1801-1807). | 
| 
 Thank you for reviewing it. | 
| LGTM, but can you squash the commits into one? We try to keep the git history compact. @ddtthh @keynmol @mcallisto by the way: what is the toolchain for Scala on Android these days? A while back, Maciej Gorywoda was active in the space and wrote this article on the website: https://docs.scala-lang.org/tutorials/scala-on-android.html. But IIUC, the template mentioned above (https://github.com/mcallisto/Scala-3-Android-Studio-template) doesn't use GraalVM / native code but converts the Scala .class files to dex with d8? Does that toolchain fully support Java 8 (version 52) .class files as produced by Scala 2 / 3? We recently announced that Scala 3 is bumping its bytecode to Java 17 (version 61) 
 Having up to date documentation, an example repo, known issues, etc would be really highly appreciated! We'd be happy to help out getting up to date information to the scala-lang website (cc @SethTisue). | 
Box native instantiated method return type if sam method return type is not a primitive type to satisfy conditions specified in https://docs.oracle.com/javase/8/docs/api/java/lang/invoke/LambdaMetafactory.html Condition is not enforced by JVM but by Android ART.
| Is this sufficiently safe to backport to 3.3 LTS? Am I right to guess that in order for to actually build an Android application, every Scala 3 based library on the app's classpath must have been built with this fix? If that's the case, then backporting this to LTS would hugely speedup the timetable on which the fix will actually help end users. Followup question: if my guess is right, then do Scala 2 libraries also need the fix, and do we thus need to backport this to Scala 2...? | 
| 
 Will try to backport it to 3.3.7. 3.3.6 will contain everything up to 3.6.4 | 
| 
 It should be, the previous changes to that code are 4 years old. 
 Yes. 
 As far as I know, it does not have a similar issue, and hasn't the backend also been rewritten for Scala 3? Scala 2.11 also was perfectly supported on Android. | 
| Given existing code compiled by older version of Scala 3, is there a purely mechanical way of 
 I'm thinking of something like a SBT plugin that could handle post-processing existing library jars which don't have this fix. The fact that it's a runtime check by Android makes the whole situation more annoying as you might not exercise all the paths where this could crash. | 
| 
 actually no! it was brought over from the Scala 2 compiler pretty much as-is. there has been some divergence since, but no rewrite | 
| 
 Yes, there is. You just have to go through the bootstrap methods listed in the class file and replace the primitive types in the dynamic signature if the interface signature has a reference type. | 
| 
 
 The latest Android has support for a subset of Java 17 bytecode (even some subset of 21)and a subset of the Java 17 standard library. More details are here | 
| 
 I think 2.12+ needs the fix. | 
| 
 I don't think so? Or, depends on what you mean by "needs'. Our ambition level is to support Android development on Scala 3. Since Scala 3 can use 2.13 libraries, and in particular uses the 2.13 standard library, 2.13 enters the picture. But 2.12 is not in the picture. I can see that 2.12 could be eligible for the fix, but we're very reluctant at this point to make any but the most necessary changes to 2.12, as per the "minimal maintenance" wording on https://www.scala-lang.org/development/ | 
| @SethTisue Of course. I forgot that 2.13 = 3. | 
| 
 @lrytz (and @SethTisue @keynmol @ddtthh), my thoughts on your question. 
 Let me know what you think, I am happy to help as much as I can. | 
| 
 If / once that "just works", it seems to me we should recommend that as the preferred approach instead of going through GraalVM. What is the default way of writing Android UIs? Would that also work with Scala? The Android/GraalVM blogpost uses JavaFX, which, I guess, is not commonly used on Android? | 
| 
 It's using XML layouts with the Android ViewModel (see https://developer.android.com/topic/libraries/architecture/viewmodel), or more recently, Jetpack Compose (Google's modern declarative UI toolkit). See in general https://developer.android.com/topic/architecture/ui-layer. 
 I assume JavaFX is more common in desktop applications that aim for cross-platform compatibility. No usage figures on Android but my guess is: very very limited. | 
| @lrytz the toolchain is already available: It's a plugin to develop Android apps with Scala (including 3), developed by @onsquareDev to enable them building the Tuner & Metronome app (see the plugin README for details). | 
| This is awesome! I think my main message here is this: I'm certain that everyone involved maintaining Scala (Scala 3 and 2 compilers, standard library, scala-lang.org website) is more than happy to help fixing issues on our end and promoting Scala on Android. We are not working on it ourselves, but are really glad to see activity in the community. Right now the information seems to be spread out, it's not easy for someone to figure out what is out there. Googling mainly turns up the GraalVM approach and some reddit discussion with outdated information. Even if there's no polished product, it might make sense to consolidate the information on scala-lang.org? | 
| 
 Yes, and timewise it could be after the official release of  | 
| Here's another obstacle I've encountered when trying to use Scala for Android apps: https://issuetracker.google.com/issues/249859332 It appears the R8 developers aren't prioritizing a solution. Although it's technically an R8 shrinker bug, I'd be happy if Scala could provide an optional workaround to prevent it from being triggered. Having an optional lint warning would also be nice. | 
| 
 thanks to @makingthematrix we have https://docs.scala-lang.org/tutorials/scala-on-android.html — but it's now out of date and could use a refresh. if someone contributes a refresh, we could also publish an accompanying blog post (at whatever length; it could be short) to help draw attention to it | 
| 
 The description says Scala 2.13. Can the problem also by triggered when using Scala 3? I think that in the Android context, we're primarily interested in supporting Scala 3. | 
| @SethTisue, Scala 3 also have the same issue. | 
| @onsquareDev can the same issue be shown in an Android app written in Java and/or Kotlin? (I am thinking about something like similar versions of your perfect simple reproducer.) If yes, maybe this could add more weight to the case with the R8 developers, in order to prioritize a solution. | 
| Only Scala produces that characteristic output. | 
Fixes #15736
Box native instantiated method return type if sam method return type is not a primitive type to satisfy conditions specified in
https://docs.oracle.com/javase/8/docs/api/java/lang/invoke/LambdaMetafactory.html
Condition is not enforced by JVM but by Android ART.