Status Update
Comments
ra...@gmail.com <ra...@gmail.com> #2
Can you share your Gradle build file and how room-compiler
is being setup? The error is indicating that the Room processor likely did not run which in turns means the generated implementation of the database was not created and can't be found.
ad...@google.com <ad...@google.com>
ad...@google.com <ad...@google.com> #3
This is my gradle file. I need to re -explain it runs well in Android, iOS, and Desktop's debug.It only crash when runRelease on desktop.
import org.jetbrains.compose.desktop.application.dsl.TargetFormat
import org.jetbrains.kotlin.gradle.dsl.JvmTarget
import org.jetbrains.kotlin.gradle.tasks.KotlinCompilationTask
plugins {
alias(libs.plugins.kotlinMultiplatform)
alias(libs.plugins.androidApplication)
alias(libs.plugins.composeMultiplatform)
alias(libs.plugins.composeCompiler)
alias(libs.plugins.kotlinCocoapods)
alias(libs.plugins.googleKsp)
alias(libs.plugins.kotlinSerialization)
alias(libs.plugins.androidxRoom)
}
kotlin {
androidTarget {
compilerOptions {
jvmTarget.set(JvmTarget.JVM_11)
}
}
iosX64()
iosArm64()
iosSimulatorArm64()
cocoapods {
summary = "Some description for the Shared Module"
homepage = "Link to the Shared Module homepage"
version = "1.0"
ios.deploymentTarget = "13.0"
podfile = project.file("../iosApp/Podfile")
framework {
baseName = "ComposeApp"
isStatic = true
}
}
jvm("desktop")
sourceSets {
val desktopMain by getting
androidMain.dependencies {
implementation(compose.preview)
implementation(libs.androidx.activity.compose)
}
commonMain.dependencies {
implementation(compose.runtime)
implementation(compose.foundation)
implementation(compose.material3)
implementation(compose.ui)
implementation(compose.components.resources)
implementation(compose.components.uiToolingPreview)
implementation(libs.androidx.lifecycle.viewmodel)
implementation(libs.androidx.lifecycle.runtime.compose)
implementation(libs.androidx.navigation)
// Serialization
implementation(libs.kotlinx.serialization.json)
// Room
implementation(libs.androidx.room.runtime)
implementation(libs.androidx.sqlite.bundled)
}
desktopMain.dependencies {
implementation(compose.desktop.currentOs)
implementation(libs.kotlinx.coroutines.swing)
}
}
}
android {
namespace = "xxx"
compileSdk = libs.versions.android.compileSdk.get().toInt()
defaultConfig {
applicationId = "xxx"
minSdk = libs.versions.android.minSdk.get().toInt()
targetSdk = libs.versions.android.targetSdk.get().toInt()
versionCode = 1
versionName = "1.0"
}
packaging {
resources {
excludes += "/META-INF/{AL2.0,LGPL2.1}"
}
}
buildTypes {
getByName("release") {
isMinifyEnabled = false
}
}
compileOptions {
sourceCompatibility = JavaVersion.VERSION_11
targetCompatibility = JavaVersion.VERSION_11
}
}
dependencies {
debugImplementation(compose.uiTooling)
}
compose.desktop {
application {
mainClass = "xxx.MainKt"
nativeDistributions {
targetFormats(TargetFormat.Dmg, TargetFormat.Msi, TargetFormat.Deb)
packageName = "xxx"
packageVersion = "1.0.0"
}
}
}
dependencies {
kspCommonMainMetadata(libs.koin.ksp.compiler)
listOf(
"kspAndroid",
"kspDesktop",
"kspIosX64",
"kspIosArm64",
"kspIosSimulatorArm64"
).forEach {
add(it, libs.androidx.room.compiler)
}
}
project.tasks.withType(KotlinCompilationTask::class.java).configureEach {
if (name != "kspCommonMainKotlinMetadata") {
dependsOn("kspCommonMainKotlinMetadata")
}
}
kotlin.sourceSets.commonMain {
kotlin.srcDir("build/generated/ksp/metadata/commonMain/kotlin")
}
room {
schemaDirectory("$projectDir/schemas")
}
to...@gmail.com <to...@gmail.com> #4
Does release
have some type of obfuscation? The generated database file is found via reflection and if the class is renamed due to obfuscation, that could be a cause. For room-runtime
ships with proguard rules
Also, one thing in the build file is you seem to have an outdated workaround where Room is applied to the common source set and a manual dependency to the KSP generated in metadata is added, those workarounds should be removed if using the latest version. Specifically the lines:
// in dependencies
kspCommonMainMetadata(libs.koin.ksp.compiler)
project.tasks.withType(KotlinCompilationTask::class.java).configureEach {
if (name != "kspCommonMainKotlinMetadata") {
dependsOn("kspCommonMainKotlinMetadata")
}
}
kotlin.sourceSets.commonMain {
kotlin.srcDir("build/generated/ksp/metadata/commonMain/kotlin")
}
I'm not sure if it'll solve your issue but wanted to call them out.
ra...@gmail.com <ra...@gmail.com> #5
These codes are because I use koin-annotations. If I delete any of them, it will cause koin-annotations to be unable to generate code normally.
to...@gmail.com <to...@gmail.com> #6
Gotcha - I think the issue is obfuscation then.
Can you try disabling it:
compose.desktop {
application {
buildTypes.release.proguard.obfuscate = false
...
}
}
[Deleted User] <[Deleted User]> #7
Two more alternatives:
-
Include a proguard file with the same rule specified by Room's included one:
-keep class * extends androidx.room.RoomDatabase { void <init>(); }
via the DSLbuildTypes.release.proguard.configurationFiles
-
Include a 'factory' in your database builder that uses the database constructor in a more manual way, avoiding the reflection that is for convinience:
Room.inMemoryDatabaseBuilder<MyDatabase>(
factory = { MyDatabaseCtor.initialize() }
)
[Deleted User] <[Deleted User]> #8
Project: platform/frameworks/support
Branch: androidx-main
Author: Daniel Santiago Rivera <
Link:
Include Proguard rules in Room's runtime JVM artifacts
Expand for full commit details
Include Proguard rules in Room's runtime JVM artifacts
Bug: 392657750
Test: Manually on sample app with ./gradlew runRelease
Change-Id: I43950728d7227e13979945a64a118e55270ed4e0
Files:
- M
room/room-runtime/build.gradle
- M
room/room-runtime/src/androidMain/proguard-rules.pro
- A
room/room-runtime/src/jvmMain/resources/META-INF/com.android.tools/proguard/room.pro
- A
room/room-runtime/src/jvmMain/resources/META-INF/com.android.tools/r8/room.pro
- A
room/room-runtime/src/jvmMain/resources/META-INF/proguard/room.pro
Hash: 977f11f1f2adcc7ed85c109eca38b96dfd2c3f8d
Date: Tue Jan 28 12:56:52 2025
[Deleted User] <[Deleted User]> #9
The following release(s) address this bug.It is possible this bug has only been partially addressed:
androidx.room:room-runtime:2.7.0-beta01
androidx.room:room-runtime-android:2.7.0-beta01
androidx.room:room-runtime-iosarm64:2.7.0-beta01
androidx.room:room-runtime-iossimulatorarm64:2.7.0-beta01
androidx.room:room-runtime-iosx64:2.7.0-beta01
androidx.room:room-runtime-jvm:2.7.0-beta01
androidx.room:room-runtime-linuxarm64:2.7.0-beta01
androidx.room:room-runtime-linuxx64:2.7.0-beta01
androidx.room:room-runtime-macosarm64:2.7.0-beta01
androidx.room:room-runtime-macosx64:2.7.0-beta01
[Deleted User] <[Deleted User]> #10
After upgrading 2.7.0-beta01, this crash still exists.
Caused by: java.lang.RuntimeException: Cannot find implementation for com.develop.ximi.db.AppDatabase. AppDatabase_Impl does not exist. Is Room annotation processor correctly configured?
Component used: room-runtime, room-compiler, sqlite-bundled Version used: room: 2.7.0-beta01, sqlite: 2.5.0-beta01
[Deleted User] <[Deleted User]> #11
Re-opening since this doesn't seem to be resolved.
I'm not sure what else we need to include in the artifact, the JVM .jar
now contains rules to avoid removing the default no-arg constructor:
❯ unzip -l /Users/danysantiago/Downloads/room-runtime-jvm-2.7.0-beta01.jar
Archive: /Users/danysantiago/Downloads/room-runtime-jvm-2.7.0-beta01.jar
Length Date Time Name
--------- ---------- ----- ----
0 02-01-1980 00:00 META-INF/
25 02-01-1980 00:00 META-INF/MANIFEST.MF
703 02-01-1980 00:00 META-INF/room-runtime.kotlin_module
...
0 02-01-1980 00:00 META-INF/com.android.tools/
0 02-01-1980 00:00 META-INF/com.android.tools/proguard/
62 02-01-1980 00:00 META-INF/com.android.tools/proguard/room.pro
0 02-01-1980 00:00 META-INF/com.android.tools/r8/
62 02-01-1980 00:00 META-INF/com.android.tools/r8/room.pro
0 02-01-1980 00:00 META-INF/proguard/
62 02-01-1980 00:00 META-INF/proguard/room.pro
0 02-01-1980 00:00 META-INF/androidx/
0 02-01-1980 00:00 META-INF/androidx/room/
0 02-01-1980 00:00 META-INF/androidx/room/room-runtime/
But it seems that is not enough?
However if I create the same proguard file and include it via the DSL it works:
compose.desktop {
application {
mainClass = "org.example.project.MainKt"
buildTypes.release.proguard {
configurationFiles.from(project.layout.projectDirectory.file("proguard.pro"))
}
}
}
It seems the issue might be with Kotlin Gradle Plugin consuming proguard rules in dependencies?
[Deleted User] <[Deleted User]> #12
If turn off the obfuscation, there is no error, but it's certainly not a good solution
compose.desktop {
application {
buildTypes.release{
proguard {
isEnabled = true // false to disable proguard
optimize = true
obfuscate = true // if set to false, no err. default is false.
// additional rule
configurationFiles.from(project.layout.projectDirectory.file("proguard-rules.pro"))
}
}
}
}
After using version 2.7.0-beta01, I also get "AppDatabase_Impl does not exist. Is Room annotation processor correctly configured?"
then I used "-keep" on the database code and generated code path. eg:
-keep class com.example.room.** {* ;}
but I got the new error, So now I really don't know how to do it。
SLF4J(I): Connected with provider of type [ch.qos.logback.classic.spi.LogbackServiceProvider]
Exception in thread "AWT-EventQueue-0" java.lang.reflect.InvocationTargetException
at java.base/jdk.internal.reflect.NativeConstructorAccessorImpl.newInstance0(Native Method)
at java.base/jdk.internal.reflect.NativeConstructorAccessorImpl.newInstance(NativeConstructorAccessorImpl.java:77)
at java.base/jdk.internal.reflect.DelegatingConstructorAccessorImpl.newInstance(DelegatingConstructorAccessorImpl.java:45)
at java.base/java.lang.reflect.Constructor.newInstanceWithCaller(Constructor.java:499)
at java.base/java.lang.reflect.Constructor.newInstance(Constructor.java:480)
at ayr.a(KClassUtil.jvmAndroid.kt:44)
at ayr.a(KClassUtil.jvmAndroid.kt:29)
at com.example.room.di.DatabaseCreatorFactory_jvmKt$getDatabaseBuilder$$inlined$databaseBuilder$default$1.invoke(Room.jvm.kt:57)
at com.example.room.di.DatabaseCreatorFactory_jvmKt$getDatabaseBuilder$$inlined$databaseBuilder$default$1.invoke(Room.jvm.kt:57)
at awc$a.a(RoomDatabase.jvmNative.kt:516)
at com.example.room.di.DatabaseCreatorFactory_jvmKt.getRoomDatabase(DatabaseCreatorFactory.jvm.kt:35)
at com.example.room.di.DatabaseCreatorFactory.createRoomDatabase(DatabaseCreatorFactory.jvm.kt:12)
at com.example.room.di.LocalDb.db_delegate$lambda$0(DatabaseCreatorFactory.jvm.kt:17)
at kotlin.SynchronizedLazyImpl.getValue(LazyJVM.kt:83)
at com.example.room.di.LocalDb.getDb(DatabaseCreatorFactory.jvm.kt:17)
at org.lodestone.app.c.invokeSuspend(Main.kt:22)
at kotlin.coroutines.jvm.internal.BaseContinuationImpl.resumeWith(ContinuationImpl.kt:33)
at kotlinx.coroutines.DispatchedTask.run(DispatchedTask.kt:100)
at vr.a(FlushCoroutineDispatcher.skiko.kt:93)
at vr.invoke(FlushCoroutineDispatcher.skiko.kt:80)
at vo.a(FlushCoroutineDispatcher.skiko.kt:102)
at vo.a(FlushCoroutineDispatcher.skiko.kt:80)
at adn.b(ComposeSceneRecomposer.skiko.kt:91)
at abg.a(BaseComposeScene.skiko.kt:165)
at ade.a(ComposeSceneMediator.desktop.kt:574)
at ade.invoke(ComposeSceneMediator.desktop.kt:572)
at aob.b(SwingInteropContainer.desktop.kt:229)
at acr.onRender(ComposeSceneMediator.desktop.kt:572)
at org.jetbrains.skiko.SkiaLayer.update$skiko(SkiaLayer.awt.kt:533)
at org.jetbrains.skiko.redrawer.AWTRedrawer.update(AWTRedrawer.kt:54)
at org.jetbrains.skiko.redrawer.Direct3DRedrawer.redrawImmediately(Direct3DRedrawer.kt:74)
at org.jetbrains.skiko.SkiaLayer.tryRedrawImmediately(SkiaLayer.awt.kt:373)
at org.jetbrains.skiko.SkiaLayer.paint(SkiaLayer.awt.kt:346)
at aeg.paint(WindowSkiaLayerComponent.desktop.kt:64)
at java.desktop/javax.swing.JComponent.paintChildren(JComponent.java:952)
at java.desktop/javax.swing.JComponent.paint(JComponent.java:1128)
at java.desktop/javax.swing.JLayeredPane.paint(JLayeredPane.java:586)
at java.desktop/javax.swing.JComponent.paintChildren(JComponent.java:952)
at java.desktop/javax.swing.JComponent.paint(JComponent.java:1128)
at aqv.a(Window.desktop.kt:630)
at aqv.invoke(Window.desktop.kt:615)
at aoy.a(AwtWindow.desktop.kt:78)
at aoy.invoke(AwtWindow.desktop.kt:76)
at anc.a(UpdateEffect.desktop.kt:59)
at anc.invoke(UpdateEffect.desktop.kt:55)
at androidx.compose.runtime.snapshots.Snapshot$Companion.observe(Snapshot.kt:2442)
at androidx.compose.runtime.snapshots.SnapshotStateObserver$ObservedScopeMap.observe(SnapshotStateObserver.kt:505)
at androidx.compose.runtime.snapshots.SnapshotStateObserver.observeReads(SnapshotStateObserver.kt:261)
at amy.b(UpdateEffect.desktop.kt:55)
at amy.a(UpdateEffect.desktop.kt:64)
at amy.invoke(UpdateEffect.desktop.kt:47)
at androidx.compose.runtime.DisposableEffectImpl.onRemembered(Effects.kt:82)
at androidx.compose.runtime.CompositionImpl$RememberEventDispatcher.dispatchRememberObservers(Composition.kt:1364)
at androidx.compose.runtime.CompositionImpl.applyChangesInLocked(Composition.kt:992)
at androidx.compose.runtime.CompositionImpl.applyChanges(Composition.kt:1013)
at androidx.compose.runtime.Recomposer.composeInitial$runtime(Recomposer.kt:1150)
at androidx.compose.runtime.CompositionImpl.composeInitial(Composition.kt:649)
at androidx.compose.runtime.CompositionImpl.setContent(Composition.kt:635)
at aoq.invokeSuspend(Application.desktop.kt:221)
at kotlin.coroutines.jvm.internal.BaseContinuationImpl.resumeWith(ContinuationImpl.kt:33)
at kotlinx.coroutines.DispatchedTask.run(DispatchedTask.kt:100)
at java.desktop/java.awt.event.InvocationEvent.dispatch(InvocationEvent.java:318)
at java.desktop/java.awt.EventQueue.dispatchEventImpl(EventQueue.java:773)
at java.desktop/java.awt.EventQueue$4.run(EventQueue.java:720)
at java.desktop/java.awt.EventQueue$4.run(EventQueue.java:714)
at java.base/java.security.AccessController.doPrivileged(AccessController.java:399)
at java.base/java.security.ProtectionDomain$JavaSecurityAccessImpl.doIntersectionPrivilege(ProtectionDomain.java:86)
at java.desktop/java.awt.EventQueue.dispatchEvent(EventQueue.java:742)
at java.desktop/java.awt.EventDispatchThread.pumpOneEventForFilters(EventDispatchThread.java:203)
at java.desktop/java.awt.EventDispatchThread.pumpEventsForFilter(EventDispatchThread.java:124)
at java.desktop/java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:113)
at java.desktop/java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:109)
at java.desktop/java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:101)
at java.desktop/java.awt.EventDispatchThread.run(EventDispatchThread.java:90)
Suppressed: kotlinx.coroutines.internal.DiagnosticCoroutineContextException: [abx$b@4d3249cd, androidx.compose.runtime.BroadcastFrameClock@4da3912d, StandaloneCoroutine{Cancelling}@7be3a417, vo@55ce55d]
Caused by: java.lang.ExceptionInInitializerError
at azs.a(AtomicFU.kt:39)
at azs.a(AtomicFU.kt:41)
at axg.<init>(CloseBarrier.kt:43)
at awc.<init>(RoomDatabase.jvmNative.kt:77)
at com.example.room.database.AppDatabase.<init>(AppDatabase.kt:19)
at com.example.room.database.AppDatabase_Impl.<init>(AppDatabase_Impl.kt:33)
... 74 more
Caused by: java.lang.IllegalArgumentException: Must be integer type
at java.base/java.util.concurrent.atomic.AtomicIntegerFieldUpdater$AtomicIntegerFieldUpdaterImpl.<init>(AtomicIntegerFieldUpdater.java:417)
at java.base/java.util.concurrent.atomic.AtomicIntegerFieldUpdater.newUpdater(AtomicIntegerFieldUpdater.java:93)
at azt.<clinit>(AtomicFU.kt:315)
... 80 more
[Incubating] Problems report is available at: file:///E:/libs/kmp/desktop-template/build/reports/problems/problems-report.html
Deprecated Gradle features were used in this build, making it incompatible with Gradle 9.0.
You can use '--warning-mode all' to show the individual deprecation warnings and determine if they come from your own scripts or plugins.
For more on this, please refer to https://docs.gradle.org/8.11.1/userguide/command_line_interface.html#sec:command_line_warnings in the Gradle documentation.
BUILD SUCCESSFUL in 33s
46 actionable tasks: 3 executed, 43 up-to-date
[Deleted User] <[Deleted User]> #13
So it turns out Proguard for KMP Desktop does not consume library rules like in Android (
re Caused by: java.lang.ExceptionInInitializerError
, can you try with Room version 2.7.0-rc01 ? We removed the usages of AtomicFu from the JVM / Android variants and based on my testing and after adding the progaurd rule -keep class * extends androidx.room.RoomDatabase { <init>(); }
and enabling obfuscation, things work for me.
[Deleted User] <[Deleted User]> #14
What I'm seeing when I run the test app:
1) App will begin with an Enroll button showing.
2) Tap the Enroll button.
3) Present fingerprint.
4) Should be able to tap the Login button to authenticate.
5) Login dialog will show.
6) Present fingerprint.
7) App will crash because the callback being used will be the 'Enroll' callback, not the 'Login' callback.
Open App again.
8) Login dialog will show.
9) Present fingerprint
10) Should see Authenticated toast.
11) Tap Login Button
12) Present Fingerprint
13) App will crash because the login callback (from the initial run) is being reused again, and it's stale.
I fully expect I could be doing something wrong with the API. I also apologize in advance, the app is code extracted from a much larger project and I removed all of the Dagger 2, and just brought in what I needed, so it's a bit of a mess.
I really can't explain the behaviour I'm seeing on alpha03, I hope this helps find out what's wrong.
ad...@google.com <ad...@google.com> #15
kc...@google.com <kc...@google.com> #16
1) clear steps to repro
2) full bugreport (not just the stacktrace), "adb bugreport issue.zip"
3) optionally, attach sample code to repro (less necessary if bugreport is there, but is still useful so I can see what you're doing / trying to do)
Comments on the previous comments
Starting on
#9) It's possible for your executor to be null, how did you reproduce this issue, was it the same as the steps in
aosp-androidx/samples/BiometricDemos/src/main/java/com/example/android/biometric/BiometricPromptDemo.java
#11) looks like a similar issue, can you try the suggestion above?
#12) I need more info, can you clarify what " tap off the authenticate dialog." means? Can you attach a full bugreport? Bits of stack traces are not enough to understand the issue
[Deleted User] <[Deleted User]> #18
In alpha03, as long as the library correctly handles fragments, and also correctly handles the callbacks given to it, I believe this bug report can be closed. Though the app attached in
to...@gmail.com <to...@gmail.com> #19
bi...@gmail.com <bi...@gmail.com> #20
Steps to reproduce:
1) Display authenticate dialog on Oreo. Don't apply fingerprint.
2) Perform 2a) or 2b). Performing 2a) I was able to reproduce issue more often comparing with similar 2b).
2a) Open bunch of heavy apps: youtube, gmail, playstore etc;
2b) Go to developer settings > Running Services > Show Cached Processes, and kill the app in question. ()
3) Re-launch the app and just tap off the authenticate dialog.
4) App will crash with:
java.lang.NullPointerException: Attempt to invoke virtual method 'void androidx.biometric.BiometricPrompt$AuthenticationCallback.onAuthenticationError(int, java.lang.CharSequence)' on a null object reference
In my opinion the reason of AuthenticationCallback == null is that
a) this callback is assigned in 2 places only (see code below);
b) when application is restored after process death, the retained fragment mFingerprintHelperFragment is also restored and sometimes when mLifecycleObserver.onResume() is called (see Place 1):
1) After this call:
mFingerprintHelperFragment = (FingerprintHelperFragment) mFragmentActivity.getSupportFragmentManager().findFragmentByTag(FINGERPRINT_HELPER_FRAGMENT_TAG);
mFingerprintHelperFragment sometimes is null because mFingerprintHelperFragment fragment transaction sometimes is not started yet and FragmentManager doesn't reference such a fragment;
2) Therefore this check returns false and callback is not set:
if (mFingerprintDialogFragment != null && mFingerprintHelperFragment != null) {
mFingerprintHelperFragment.setCallback(mExecutor, mAuthenticationCallback);
c) when BiometricPrompt.authenticate() is called (see Place 2), mFingerprintHelperFragment fragment transaction is already started and this check
if (mFingerprintHelperFragment == null)
fails (because mFingerprintHelperFragment is not null) and again callback is not set:
mFingerprintHelperFragment.setCallback(mExecutor, mAuthenticationCallback);
androidx.biometric.BiometricPrompt.java
Place 1.
private final LifecycleObserver mLifecycleObserver = new LifecycleObserver() {
...
@OnLifecycleEvent(Lifecycle.Event.ON_RESUME)
void onResume() {
...
mFingerprintHelperFragment = (FingerprintHelperFragment) mFragmentActivity
.getSupportFragmentManager().findFragmentByTag(
FINGERPRINT_HELPER_FRAGMENT_TAG);
if (mFingerprintDialogFragment != null && mFingerprintHelperFragment != null) {
mFingerprintHelperFragment.setCallback(mExecutor, mAuthenticationCallback);
Place 2.
private void authenticateInternal(@NonNull PromptInfo info, @Nullable CryptoObject crypto) {
...
if (mFingerprintHelperFragment == null) {
mFingerprintHelperFragment = FingerprintHelperFragment.newInstance();
mFingerprintHelperFragment.setCallback(mExecutor, mAuthenticationCallback);
}
ch...@gmail.com <ch...@gmail.com> #21
Let's get this fixed! These are some serious fragment bugs.
ja...@gmail.com <ja...@gmail.com> #22
```
override fun onPause() {
// WORKAROUND for
supportFragmentManager.fragments.filter { it is BiometricFragment || it is FingerprintDialogFragment }.forEach {
supportFragmentManager.beginTransaction().remove(it).commitNow()
}
super.onPause()
}
```
jo...@ori.berlin <jo...@ori.berlin> #23
```
fun FragmentManager.removeBiometricFragments() {
fragments.filter {
it is BiometricFragment || it is FingerprintDialogFragment || it is FingerprintHelperFragment
}.forEach {
beginTransaction().remove(it).commitNow()
}
}
```
jo...@ori.berlin <jo...@ori.berlin> #24
```
fun FragmentManager.removeBiometricFragments() {
findFragmentByTag("FingerprintDialogFragment")?.let {
(it as DialogFragment).dismiss()
}
findFragmentByTag("FingerprintHelperFragment")?.let {
beginTransaction().remove(it).commitNow()
}
findFragmentByTag("BiometricFragment")?.let {
beginTransaction().remove(it).commitNow()
}
}
```
gi...@googlemail.com <gi...@googlemail.com> #25
kc...@google.com <kc...@google.com> #26
sa...@stcpay.com.sa <sa...@stcpay.com.sa> #27
Besides, the workaround from #24 needs improvements. Before removing fragments;
fragment.setRetainInstance(false);
to avoid state saving for the biometric fragments.
kc...@google.com <kc...@google.com> #28
me...@gmail.com <me...@gmail.com> #29
ph...@gmail.com <ph...@gmail.com> #30
ph...@gmail.com <ph...@gmail.com> #31
ph...@gmail.com <ph...@gmail.com> #32
[Deleted User] <[Deleted User]> #33
[Deleted User] <[Deleted User]> #34
java.lang.NullPointerException: Attempt to invoke virtual method 'java.lang.String android.content.Context.getString(int)' on a null object reference
at androidx.biometric.BiometricFragment$2$1.run(BiometricFragment.java:86)
at android.os.Handler.handleCallback(Handler.java:873)
at android.os.Handler.dispatchMessage(Handler.java:99)
at android.os.Looper.loop(Looper.java:214)
at android.app.ActivityThread.main(ActivityThread.java:7045)
at java.lang.reflect.Method.invoke(Native Method)
at com.android.internal.os.RuntimeInit$MethodAndArgsCaller.run(RuntimeInit.java:493)
at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:964)
Description
Devices/Android versions reproduced on: Android P, and also Android M-O
Sometimes, when the Biometric dialogs are displayed, and then the app is exited (with back button), the code inside the various fragments, BiometricFragment, FingerprintHelperFragment, and FingerprintDialogFragment doesn't properly clean up.
For example this code in FingerprintHelperFragment:
/**
* Remove the fragment so that resources can be freed.
*/
void cleanup() {
if (getActivity() != null) {
getActivity().getSupportFragmentManager().beginTransaction().remove(this).commit();
}
}
can be instrumented with a breakpoint, and shown that sometimes getActivity() is null, and so the fragment transaction to remove the fragment never happens. So, the next time the app tries to authenticate with the BiometricPrompt, the app will crash because the fragment has already been added.
The exception on Android M-O looks like:
java.lang.IllegalStateException: Fragment already added: FingerprintDialogFragment{8d6c61c #3 FingerprintDialogFragment}
at androidx.fragment.app.FragmentManagerImpl.addFragment(FragmentManager.java:1916)
at androidx.fragment.app.BackStackRecord.executeOps(BackStackRecord.java:765)
at androidx.fragment.app.FragmentManagerImpl.executeOps(FragmentManager.java:2625)
at androidx.fragment.app.FragmentManagerImpl.executeOpsTogether(FragmentManager.java:2411)
at androidx.fragment.app.FragmentManagerImpl.removeRedundantOperationsAndExecute(FragmentManager.java:2366)
at androidx.fragment.app.FragmentManagerImpl.execPendingActions(FragmentManager.java:2273)
at androidx.fragment.app.FragmentManagerImpl$1.run(FragmentManager.java:733)
at android.os.Handler.handleCallback(Handler.java:790)
at android.os.Handler.dispatchMessage(Handler.java:99)
at android.os.Looper.loop(Looper.java:164)
at android.app.ActivityThread.main(ActivityThread.java:6494)
at java.lang.reflect.Method.invoke(Native Method)
at com.android.internal.os.RuntimeInit$MethodAndArgsCaller.run(RuntimeInit.java:438)
at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:807)
and on Android P it will reference BiometricFragment instead.
Attempts to search for and remove fragments at runtime, before a Biometric prompt operation were attempted:
val fm = (context as FragmentActivity).supportFragmentManager
fm.fragments.find {
it is BiometricFragment || it is FingerprintDialogFragment
}.also { fragment ->
fragment?.let {
fm.beginTransaction().remove(it).commitAllowingStateLoss()
}
}
However, then the exception on Android M-O mentions FingerprintHelperFragment instead.
Which led to an attempt to mitigate this exception:
fm.fragments.find {
it is FingerprintHelperFragment
}.also { fragment ->
fragment?.let { fm.beginTransaction().remove(it).commitAllowingStateLoss() }
}
Which caused the fingerprint operations to exit with an error 5, that the operation had been cancelled.
Here is examples of how we are using the API:
fun enroll(context: Activity, username: String, refreshToken: String): Completable =
Completable.create { emitter ->
// AN-939
cleanupBiometricsFragment(context)
val callback = makeAuthenticationCallback {
try {
storeCredentials(username, refreshToken)
preferenceManager.putBoolean(PREF_BIOMETRICS_ENROLLED, true)
preferenceManager.putString(PREF_ENROLLED_EMAIL, username)
// This is what the Settings switch uses
preferenceManager.biometricsEnabled.set(true)
emitter.onComplete()
} catch (ex: Throwable) {
emitter.onError(ex)
}
}
val promptInfo = BiometricPrompt.PromptInfo.Builder()
.setTitle(context.getString(R.string.biometrics_enroll_title))
.setDescription(context.getString(R.string.biometrics_enroll_subtitle))
.setNegativeButtonText(context.getString(R.string.biometrics_cancel))
.build()
try {
BiometricPrompt(context as FragmentActivity, MAIN_THREAD, callback)
.authenticate(promptInfo)
} catch (ex: Throwable) {
preferenceManager.putBoolean(PREF_BIOMETRICS_ENROLLED, false)
emitter.onError(ex)
}
}
Not sure, from the API if there's some way to ensure that everything is cleaned up properly at the end of the callback. I tried calling biometricPrompt.cancelAuthentication() but that also does not fix this issue.
If required, will try to make a reproduction in a small test app to demonstrate the problem.