Showing posts with label Android. Show all posts
Showing posts with label Android. Show all posts

Tuesday, 23 May 2023

Android Navigation Component load 2 nested Fragments into Parent Fragment

I have a Comparator Screen which is a Fragment that is splitted into 2 sub-screens. Before using Navigation Component I could easily just:

 private void initializeFragments() {

        FoodComparatorFragment comparatorFragment1 = new FoodComparatorFragment();
        FoodComparatorFragment comparatorFragment2 = new FoodComparatorFragment();

        FragmentTransaction transaction = getSupportFragmentManager().beginTransaction();
        transaction.add(R.id.comparator_fragment_1, comparatorFragment1);
        transaction.add(R.id.comparator_fragment_2, comparatorFragment2);

        transaction.commit();
    }

However, I dont know how I should perform this operation with the Navigation Component WITHOUT using explicitly the FragmentManager.



from Android Navigation Component load 2 nested Fragments into Parent Fragment

Saturday, 20 May 2023

Emulating BLE Services (BLE Sniffer)

Long Description:

I have a DJI Osmo Mobile 3 gimbal with Bluetooth 5.0, which supports ActiveTrack 3.0 technology. It connects to your phone via Bluetooth and using the DJI Mimo app you can select an object and track it.

I want to implement this technique in Python using OpenCV.

As I understood, the phone calculates position of the object using computer vision and then sends the coordinates via Bluetooth to the gimbal, which then follows them. I connected to the gimbal with NRF Connect app for android and looked for its services and characteristics, and this is what I found:

Services

Some unknown information getting sent

UPD: looks like the 4 bytes after 57 on the picture mean the joystick values. Fisrt 2 are responsible for left-right tilt, the other ones indicate up-down state. Looks like all of them can be max. 256, but I don't understand, why do they need 2 bytes for each action?

First 2 Bytes:
d2, 03 (210, 3) - full right
c2, fb (194 251) - full left

Last 2 Bytes:
5a, 04 (90, 4) - full up
a6, fc (166, 252) - full down

HID Control, which doesn't return any information

The characteristic with UUID

0xFFF5

Looks like what I need, but now I need to find out, in which format the coordinates are getting sent. For this purpose I want do simulate same BLE services as on the gimbal and let the phone think it is a real one. After the connection it should send data to some of the characteristics. So now the main question.

Main question:

How to emulate BLE Services and their Characteristics using Android, RPI, ESP32 or whatever to get data being sent to those characteristics? Is there any app, library or piece of code for such purpose?

I've seen dongles like CC2045, which are designed to work on 2.4GHz frequencies and sniff BLE Traffic, but it will take for a long time for them to arrive to me. Also nRF52840 based donglas are not an option right now. So I want to implement it using things I have. Is it possible? Thanks!



from Emulating BLE Services (BLE Sniffer)

Friday, 19 May 2023

DRAW OVER OTHER app permission - condition to find 'this feature not available' devices

Hi I am working on a taxi driver application , in which I need to keep the driver online and app in background , I asked MANAGE_OVERLAY_PERMISSION as runtime permission . but in some devices (in Go edition , android 11) it shows 'feature not available' alert . I have read the developer doc and could find the reason . now my requirement is to ask MANAGE_OVERLAY_PERMISSION runtime permission alert to the devices which support this feature . Which condition should I use to differentiate it?

Here is my code .

*if (//TODO Condition to check whether this feature is available on device?) {*  
                         if (!Settings.canDrawOverlays(currentAct)) {
                             checkForOverlay(activity); //asking permission for popup
                         }

                }

Also I read draw over permission removed for Version Q and higher it will be granted to apps automatically here , but it is not granting automatically.

I tried activityManager.isLowRamDevice() , but I dont think it is right solution.

how can I resolve these issues.



from DRAW OVER OTHER app permission - condition to find 'this feature not available' devices

How can I improve the launch time of my flutter firebase app?

My app is already live on the Play Store, but it takes almost 15-20 seconds to fully open and get to the home screen. I am using Firebase for backend with my flutter app. I have included step by step code that executes when my app starts.

main.dart

AndroidNotificationChannel channel = const AndroidNotificationChannel(
  'high_importance_channel',
  'High Importance Notifications',
  description: 'This channel is used for high importance notifications',
  importance: Importance.max,
  playSound: true,
);

final FlutterLocalNotificationsPlugin flutterLocalNotificationsPlugin =
    FlutterLocalNotificationsPlugin();

Future<void> main() async {
  WidgetsFlutterBinding.ensureInitialized();

  // Initialize Firebase App
  await Firebase.initializeApp();

  // Activate Firebase App Check
  await FirebaseAppCheck.instance.activate(
    androidProvider: AndroidProvider.playIntegrity,
  );

  // Initialize Google Mobile Ads
  await MobileAds.instance.initialize();

  // Set preferred device orientation
  SystemChrome.setPreferredOrientations([
    DeviceOrientation.portraitUp,
    DeviceOrientation.portraitDown,
  ]);

  // Initialize Flutter Local Notifications Plugin
  // FirebaseMessaging.onBackgroundMessage(_firebaseMessagingBackgroundHandler);
  await flutterLocalNotificationsPlugin
      .resolvePlatformSpecificImplementation<
          AndroidFlutterLocalNotificationsPlugin>()
      ?.createNotificationChannel(channel);

  // Set foreground notification presentation options
  await FirebaseMessaging.instance.setForegroundNotificationPresentationOptions(
    alert: true,
    badge: true,
    sound: true,
  );

  runApp(
    MultiProvider(
      providers: [
        ChangeNotifierProvider(
          create: (_) => AppNavigationProvider(),
        ),
        ChangeNotifierProvider(
          create: (_) => SellerFormProvider(),
        ),
        ChangeNotifierProvider(
          create: (_) => LocationProvider(),
        ),
      ],
      child: const MyApp(),
    ),
  );
}

class MyApp extends StatefulWidget {
  const MyApp({Key? key}) : super(key: key);

  @override
  State<MyApp> createState() => _MyAppState();
}

class _MyAppState extends State<MyApp> {
  @override
  void initState() {
    super.initState();
    registerMessaging();
  }

  void registerMessaging() async {
    await compute(_registerMessaging, null);
  }

  static Future<void> _registerMessaging(void _) async {
    FirebaseMessaging.onMessage.listen((RemoteMessage message) {
      final RemoteNotification? notification = message.notification;
      final AndroidNotification? android = message.notification?.android;
      if (notification != null && android != null) {
        flutterLocalNotificationsPlugin.show(
          notification.hashCode,
          notification.title,
          notification.body,
          NotificationDetails(
            android: AndroidNotificationDetails(
              channel.id,
              channel.name,
              channelDescription: channel.description,
              playSound: true,
              importance: Importance.max,
              priority: Priority.high,
              color: greenColor,
              icon: '@mipmap/ic_launcher',
            ),
          ),
        );
      }
    });
  }

  @override
  Widget build(BuildContext context) {
    return GetMaterialApp(
      title: 'App name',
      color: blueColor,
      themeMode: ThemeMode.light,
      theme: ThemeData(fontFamily: 'Rubik'),
      debugShowCheckedModeBanner: false,
      home: const LoadingScreen(),
      onUnknownRoute: (RouteSettings settings) {
        return MaterialPageRoute(
          settings: settings,
          builder: (BuildContext context) => const ErrorScreen(),
        );
      },
    );
  }
}

loading_screen.dart

class LoadingScreen extends StatefulWidget {
  const LoadingScreen({Key? key}) : super(key: key);

  @override
  State<LoadingScreen> createState() => _LoadingScreenState();
}

class _LoadingScreenState extends State<LoadingScreen> {
  @override
  void initState() {
    super.initState();
    //check whether user is logged in or not. Then navigate her accordingly.
    FirebaseAuth.instance.authStateChanges().listen((User? user) {
      if (user != null) {
        Get.offAll(() => const MainScreen(selectedIndex: 0));
      } else {
        Get.offAll(() => const LandingScreen());
      }
    });
  }

  @override
  Widget build(BuildContext context) {
    return const Scaffold(
      backgroundColor: whiteColor,
      body: Center(
        child: CustomLoadingIndicator(),
      ),
    );
  }
}

main_screen.dart

class MainScreen extends StatefulWidget {
  final int selectedIndex;
  const MainScreen({super.key, required this.selectedIndex});

  @override
  State<MainScreen> createState() => _MainScreenState();
}

class _MainScreenState extends State<MainScreen> {
  final FirebaseServices _services = FirebaseServices();
  final User? user = FirebaseAuth.instance.currentUser;
  late StreamSubscription<ConnectivityResult> subscription;
  bool isDeviceConnected = false;
  bool isAlertSet = false;

  @override
  void initState() {
    super.initState();
    getConnectivity();
  }

  showNetworkError() {
    showModalBottomSheet(
      context: context,
      backgroundColor: transparentColor,
      isDismissible: false,
      enableDrag: false,
      isScrollControlled: false,
      builder: (context) {
        return SafeArea(
          child: Container(
            decoration: const BoxDecoration(
              borderRadius: BorderRadius.only(
                topLeft: Radius.circular(10),
                topRight: Radius.circular(10),
              ),
              color: whiteColor,
            ),
            padding: EdgeInsets.only(
              bottom: MediaQuery.of(context).viewInsets.bottom + 15,
              left: 15,
              right: 15,
              top: 15,
            ),
            child: Column(
              crossAxisAlignment: CrossAxisAlignment.center,
              mainAxisSize: MainAxisSize.min,
              children: [
                Center(
                  child: Text(
                    'Network Connection Lost',
                    style: GoogleFonts.interTight(
                      fontSize: 20,
                      fontWeight: FontWeight.w600,
                    ),
                    textAlign: TextAlign.center,
                  ),
                ),
                const SizedBox(
                  height: 15,
                ),
                Image.asset(
                  'assets/no-network.png',
                  fit: BoxFit.contain,
                  semanticLabel: 'no network connection',
                  width: MediaQuery.of(context).size.width * 0.8,
                  height: MediaQuery.of(context).size.height * 0.2,
                ),
                const SizedBox(
                  height: 15,
                ),
                Container(
                  padding: const EdgeInsets.all(15),
                  width: double.infinity,
                  decoration: BoxDecoration(
                    borderRadius: BorderRadius.circular(10),
                    color: greyColor,
                  ),
                  child: Text(
                    'Please check your internet connection',
                    textAlign: TextAlign.center,
                    maxLines: 2,
                    softWrap: true,
                    overflow: TextOverflow.ellipsis,
                    style: GoogleFonts.interTight(
                      fontSize: 15,
                      fontWeight: FontWeight.w500,
                    ),
                  ),
                ),
                const SizedBox(
                  height: 10,
                ),
                CustomButtonWithoutIcon(
                  text: 'Re-Connect',
                  onPressed: () async {
                    Get.back();
                    setState(() {
                      isAlertSet = false;
                    });
                    isDeviceConnected =
                        await InternetConnectionChecker().hasConnection;
                    if (!isDeviceConnected) {
                      showNetworkError();
                      setState(() {
                        isAlertSet = true;
                      });
                    }
                  },
                  borderColor: redColor,
                  bgColor: redColor,
                  textIconColor: whiteColor,
                ),
              ],
            ),
          ),
        );
      },
    );
  }

  Future<void> getConnectivity() async {
    await for (final _ in Connectivity().onConnectivityChanged) {
      isDeviceConnected = await InternetConnectionChecker().hasConnection;
      if (!isDeviceConnected && !isAlertSet) {
        showNetworkError();
        setState(() => isAlertSet = true);
      }
    }
  }

  Future<void> onSellButtonClicked() async {
    final userData = await _services.getCurrentUserData();
    if (userData['location'] != null) {
      Get.to(
        () => const SellerCategoriesListScreen(),
      );
    } else {
      Get.to(() => const LocationScreen(isOpenedFromSellButton: true));
      showSnackBar(
        content: 'Please set your location to sell products',
        color: redColor,
      );
    }
  }

  @override
  void dispose() {
    subscription.cancel();
    super.dispose();
  }

  @override
  Widget build(BuildContext context) {
    return Consumer2<LocationProvider, AppNavigationProvider>(
      builder: (context, locationProv, mainProv, child) {
        final int selectedIndex = mainProv.currentPageIndex;

        final List<Widget> pages = [
          HomeScreen(
            locationData: locationProv.locationData,
          ),
          const MyChatsScreen(),
          const MyFavoritesScreen(),
          const MyProfileScreen(),
        ];

        const List<IconData> iconsList = [
          MdiIcons.homeOutline,
          MdiIcons.chatOutline,
          MdiIcons.heartOutline,
          MdiIcons.accountCircleOutline,
        ];

        const List<IconData> selectedIconsList = [
          MdiIcons.home,
          MdiIcons.chat,
          MdiIcons.heart,
          MdiIcons.accountCircle,
        ];

        const List<String> titlesList = [
          'Explore',
          'Chats',
          'Favorites',
          'Account',
        ];

        void onItemTapped(int index) {
          mainProv.switchToPage(index);
        }

        void onFloatingActionButtonPressed() {
          if (!user!.emailVerified &&
              user!.providerData[0].providerId == 'password') {
            Get.to(() => const EmailVerificationScreen());
          } else {
            onSellButtonClicked();
          }
        }

        return Scaffold(
          backgroundColor: whiteColor,
          body: IndexedStack(
            index: selectedIndex,
            children: pages,
          ),
          floatingActionButton: FloatingActionButton(
            backgroundColor: blueColor,
            elevation: 0,
            tooltip: 'List a product',
            enableFeedback: true,
            onPressed: onFloatingActionButtonPressed,
            child: const Center(
              child: Icon(
                MdiIcons.plus,
                size: 35,
              ),
            ),
          ),
          floatingActionButtonLocation:
              FloatingActionButtonLocation.centerDocked,
          bottomNavigationBar: AnimatedBottomNavigationBar.builder(
            onTap: onItemTapped,
            gapLocation: GapLocation.center,
            activeIndex: selectedIndex,
            backgroundColor: greyColor,
            elevation: 5,
            height: 55,
            leftCornerRadius: 10,
            rightCornerRadius: 10,
            notchSmoothness: NotchSmoothness.defaultEdge,
            splashColor: transparentColor,
            itemCount: pages.length,
            tabBuilder: (index, isActive) {
              return Column(
                mainAxisSize: MainAxisSize.min,
                mainAxisAlignment: MainAxisAlignment.center,
                children: [
                  Icon(
                    selectedIndex == index
                        ? selectedIconsList[index]
                        : iconsList[index],
                    size: 24,
                    color: blackColor,
                  ),
                  AutoSizeText(
                    titlesList[index],
                    maxLines: 1,
                    style: TextStyle(
                      fontSize: 12,
                      fontWeight: selectedIndex == index
                          ? FontWeight.w600
                          : FontWeight.w500,
                      color: blackColor,
                    ),
                  )
                ],
              );
            },
          ),
        );
      },
    );
  }
}

home_screen.dart

class HomeScreen extends StatefulWidget {
  final LocationData? locationData;
  const HomeScreen({
    super.key,
    this.locationData,
  });

  @override
  State<HomeScreen> createState() => _HomeScreenState();
}

class _HomeScreenState extends State<HomeScreen>
    with SingleTickerProviderStateMixin {
  late TabController tabBarController;
  final _services = FirebaseServices();
  final User? user = FirebaseAuth.instance.currentUser;
  String area = '';
  String city = '';
  String state = '';
  bool isLocationEmpty = false;
  bool isLoading = true;

  late DateTime currentBackPressTime;

  @override
  void initState() {
    super.initState();
    tabBarController = TabController(
      length: 3,
      vsync: this,
    );
    _getCurrentUserData();
  }

  void _getCurrentUserData() async {
    final value = await _services.getCurrentUserData();
    if (value['location'] == null) {
      _getEmptyLocationUI();
    } else {
      _getAddressToUI(value);
    }
    setState(() {
      isLoading = false;
    });
  }

  void _getAddressToUI(DocumentSnapshot<Object?> value) {
    if (mounted) {
      setState(() {
        area = value['location']['area'];
        city = value['location']['city'];
        state = value['location']['state'];
      });
    }
  }

  _getEmptyLocationUI() {
    if (mounted) {
      setState(() {
        isLocationEmpty = true;
        tabBarController.index = 1;
      });
    }
  }

  @override
  void dispose() {
    tabBarController.dispose();
    super.dispose();
  }

  @override
  Widget build(BuildContext context) {
    return Scaffold(
      backgroundColor: whiteColor,
      body: AppBody(),
      );
  }
}

I have tried everything to my knowledge, but still the launch time isn't getting shortened. Reducing the time by just 5-10% would make a huge difference in user retention rate of my app.

Please help.



from How can I improve the launch time of my flutter firebase app?

Start Activity is not working in Android 13

Description I am using the Firebase Messaging service for handling Push notifications On notification tapped Intent OnHandleIntent method calls I tried to start the activity of Splash screen it works for Android 10 but not for Android 13 devices.

I do receive the notification in all modes whether the app is in foreground, background or killed mode.

But when the app is in the background or killed mode and I tapped the notification it did not do anything. I debug it into background mode and on the Tapped notification it reached onHandleIntent method where I create a new intent of splash screen and start the activity but the activity did not run app did not come into the foreground or call the splash activity code

Steps to Reproduce

  1. Create a Notification Intent
  2. On Notification Tapped OnHandleIntent try to start any activity whether the splash activity or Main activity It did not run for Android 13 devices

Basic Information

  • Android:
  • Affected Devices: Android 13 devices

Code Sample

Notification Activity

public class NotificationIntentService : IntentService
{
    public NotificationIntentService() : base("NotificationIntentService")
    {

    }

    protected override async void OnHandleIntent(Intent intent)
    {
        try
        {

            var notificationManager = (NotificationManager)GetSystemService(Context.NotificationService);
            notificationManager.Cancel(0);

            var action = intent.Extras.GetString("action"); 

            if (string.IsNullOrWhiteSpace(action))
            {
                action = "default";
            }

            var newIntent = new Intent(this, typeof(SplashActivity));

            if (intent?.Extras != null)
            {
                newIntent.PutExtras(intent.Extras);
            }

            newIntent.AddFlags(ActivityFlags.NewTask);
            StartActivity(newIntent);

        }
        catch (System.Exception ex)
        {
           
        }
    }

    
}

Splash Activity

[Activity(Theme = "@style/MyTheme.Splash", MainLauncher = true, NoHistory = true)]
public class SplashActivity : AppCompatActivity
{
    static readonly string TAG = "X:" + typeof(SplashActivity).Name;

    public override void OnCreate(Bundle savedInstanceState, PersistableBundle persistentState)
    {
        base.OnCreate(savedInstanceState, persistentState);
        
    }

    protected override void OnResume()
    {
        base.OnResume();
        var mainActivity = new Android.Content.Intent(Application.Context, typeof(MainActivity));
        if (Intent?.Extras != null)
        {
            mainActivity.PutExtras(Intent.Extras);
        }


        StartActivity(mainActivity);
    }

    public override void OnBackPressed() { }
}

Expected Behavior

It should run the splash activity which will run the main activity, Same code worked fine for Android 10 devices but not on Android 13

Actual Behavior

OnHandleIntent Start Activity did not run any activity for Android 13 devices

Code Sample

here is the sample to recreate the issue

https://github.com/aakashsolangi/SampleNotification



from Start Activity is not working in Android 13

Thursday, 18 May 2023

Android Snapshot test GithUb Action

I have the following yaml file:

name: Test and check build

on:
  push:
    branches: [ "main", "dev" ]
  pull_request:
    branches: [ "main", "dev", "hotfix" ]

jobs:
  build:

    runs-on: macos-latest
    if: github.event.pull_request.draft == false

    steps:
      - uses: actions/checkout@v3
        with:
          fetch-depth: "0"
      - name: set up JDK 11
        uses: actions/setup-java@v3
        with:
          java-version: '11'
          distribution: 'temurin'
          cache: gradle

      - name: Grant execute permission for gradlew
        run: chmod +x gradlew
      - name: Run Unit test
        run: ./gradlew testDebugUnitTest
      - name: Run connected tests
        uses: ReactiveCircus/android-emulator-runner@v2
        with:
          api-level: 29
          target: default
          arch: x86_64
          profile: Nexus 6
          script: ./gradlew connectedCheck
      - name: Build
        run: ./gradlew :app:assembleDebug

I'm using the code from the the google codelabs:

/**
 * Simple on-device screenshot comparator that uses golden images present in
 * `androidTest/assets`.
 *
 * Minimum SDK is O. Densities between devices must match.
 *
 * Screenshots are saved on device in `/data/data/{package}/files/${BuildConfig.SCREENSHOTS_FOLDER}.
 */
@RequiresApi(Build.VERSION_CODES.O)
fun assertScreenshotMatchesGolden(
    goldenName: String,
    node: SemanticsNodeInteraction
) {
    val bitmap = node.captureToImage().asAndroidBitmap()

    // Save screenshot to file for debugging
    saveScreenshot(goldenName, bitmap)
    try {
        InstrumentationRegistry.getInstrumentation()
            .context.resources.assets.open("$goldenName.png")
    } catch (ex: Exception) {
        null
    }?.use { BitmapFactory.decodeStream(it) }?.compare(bitmap)
}

private fun saveScreenshot(filename: String, bmp: Bitmap) {
    val canonicalPath =
        InstrumentationRegistry.getInstrumentation().targetContext.filesDir.canonicalPath
    val path = "$canonicalPath/${BuildConfig.SCREENSHOTS_FOLDER}"
    val folder = File(path)
    if (!folder.exists()) {
        folder.mkdirs()
    }
    FileOutputStream("$path/$filename.png").use { out ->
        bmp.compress(Bitmap.CompressFormat.PNG, 100, out)
    }
    println("Saved screenshot to $path/$filename.png")
}

private fun Bitmap.compare(other: Bitmap) {
    if (this.width != other.width || this.height != other.height) {
        throw AssertionError("Size of screenshot does not match golden file (check device density)")
    }
    // Compare row by row to save memory on device
    val row1 = IntArray(width)
    val row2 = IntArray(width)
    for (column in 0 until height) {
        // Read one row per bitmap and compare
        this.getRow(row1, column)
        other.getRow(row2, column)
        if (!row1.contentEquals(row2)) {
            throw AssertionError("Sizes match but bitmap content has differences")
        }
    }
}

private fun Bitmap.getRow(pixels: IntArray, column: Int) {
    this.getPixels(pixels, 0, width, 0, column, width, 1)
}

When I run the test locally everything works. I use an emulator for Nexus 6 with API 29. The way I did it was to run it once and then copy the generated screenshots in the assets folder. The second time I run the test they succeed.

When I run them on the CI I get the error

Sizes match but bitmap content has differences

It looks like there are differencies between the emulator I used localy and the one selected by:

uses: ReactiveCircus/android-emulator-runner@v2
with:
    api-level: 29
    target: default
    arch: x86_64
    profile: Nexus 6

How can I select the same Emulator on the CI and locally?



from Android Snapshot test GithUb Action

What will happen when multiple suspend functions in background service update different rows of SQLite DB simultaneously using Room in Android Studio?

In my Android Studio project, I am utilizing SQLite with Room for database operations. The background service contains several suspend functions that are responsible for updating rows within the SQLite database.

Considering that SQLite applies table-level locks, it raises the question of what occurs when multiple suspend functions attempt to update different rows of the same SQLite database simultaneously.

Will the SQLite database become locked, leading to a crash in the application?



from What will happen when multiple suspend functions in background service update different rows of SQLite DB simultaneously using Room in Android Studio?

Can I save a shortcut of a folder when I use Device File Explorer in Android Studio?

I'm using Android Studio Flamingo | 2022.2.1 Patch 1, I know I can use Device File Explorer in Android Studio to display all files in an Android device.

But there are many files and folders in the Diagram, you can see Image A.

How can I save a shortcut of a folder ? Such as I hope to save data -> data -> com.hicac.chattest to a shortcut, so I can access it quickly.

Image A

enter image description here



from Can I save a shortcut of a folder when I use Device File Explorer in Android Studio?

Wednesday, 17 May 2023

APPLICATION_OVERLAY doesn't take inputs on Android 13

I am building an overlay UI for my app. The UI takes inputs and works as expected on android <= 12 but on android 13 it becomes unresponsive. The exact same code/build works on Android 12 but not on 13. This is the code using which I am creating the overlay:-

View test = LayoutInflater.from(context).inflate(R.layout.test, null, false);

WindowManager.LayoutParams params =
    new WindowManager.LayoutParams(
        WindowManager.LayoutParams.WRAP_CONTENT,
        WindowManager.LayoutParams.WRAP_CONTENT,
        WindowManager.LayoutParams.TYPE_APPLICATION_OVERLAY,
        WindowManager.LayoutParams.FLAG_NOT_FOCUSABLE,
        PixelFormat.OPAQUE);

windowManager.addView(test, params);

I have ensured that the app has "Draw over other apps" permission.

The android 13 behaviour change page also doesn't mention anything around APPLICATION_OVERLAY.



from APPLICATION_OVERLAY doesn't take inputs on Android 13

Tuesday, 16 May 2023

Google Sign-In "An error has ocurred. That's all we know" inside Instagram's webview

I have integrated the Sign In with Google for Web js API (https://accounts.google.com/gsi/client) into my website.

Everything is working fine, except when the website is loaded inside a WebView in Instagram. In that case, when a user tries to log in and chooses an account, Google shows a webpage with the error "An error has occurred. That's all we know" (see pictures attached at the end).

I suspect that this problem occurs because of some WebView restrictions that Google imposes, preventing users from logging in with Google from WebViews.

To check this assumption, I created a simple Android app to load my website inside a WebView. What I found is that the Google script request (https://accounts.google.com/gsi/client) fails with HTTP status 403, and no additional information is given. Later, I found this in the docs:

403 disallowed_useragent

If you get an error that says “403 disallowed_useragent,” the app uses embedded WebViews. Some developers use WebViews to help display web content in an app. Embedded WebViews put your security at risk because they could let third parties access and change communications between you and Google.

To keep your account secure, Google no longer allows embedded WebViews as of September 30, 2021. What can you do about this error?

Only the third-party developer can fix this issue on the app. Contact the developer directly to tell them about the error.

If the app has a website, you can try to sign in from your browser.

It's strange that the Google button loads in Instagram's WebView but not in mine (even using the same User-Agent). I'm not sure if this is related to the error that is occurring in Instagram's WebView, but it might be.

I have no way of reproducing the error, nor do I have control over making Instagram open my website in the browser. What should I do or investigate next to resolve this issue?

enter image description here

enter image description here

enter image description here



from Google Sign-In "An error has ocurred. That's all we know" inside Instagram's webview

Sunday, 14 May 2023

OnRecieve() from BroadCastReceiver not being called - android 13 (API 33) only

onReceive() is called by all other API levels but for some reason is not called by API 33.

As far as I understand as of API 31 SCHEDULE_EXACT_ALARM permission is needed and auto allowed however after API 33 no longer auto set as true.

However as of API 33 USE_ALARM is available which is allowed from install and SCHEDULE_EXACT_ALARM is no longer needed in this case.

my permissions:

<uses-permission android:name="android.permission.SCHEDULE_EXACT_ALARM"
                 android:maxSdkVersion="32"/>
<uses-permission android:name="android.permission.USE_EXACT_ALARM" />

alarm manager:

fun schedule(context: Context) {
    val alarmManager = context.getSystemService(Context.ALARM_SERVICE) as AlarmManager
    val intent = Intent(context, AlarmReceiver::class.java)
    intent.putExtra("once", once)
    intent.putExtra("vibrate", vibrate)
    intent.putExtra("shake", shake)
    intent.putExtra("snooze", snooze)
    val alarmPendingIntent = PendingIntent.getBroadcast(
        context,
        alarmId, intent,
        PendingIntent.FLAG_IMMUTABLE or PendingIntent.FLAG_UPDATE_CURRENT
    )
    val calendar: Calendar = Calendar.getInstance()
    calendar.timeInMillis = System.currentTimeMillis()
    calendar.set(Calendar.HOUR_OF_DAY, hour)
    calendar.set(Calendar.MINUTE, minute)

    //if alarm time has already passed, increment day by 1
    if (calendar.timeInMillis <= System.currentTimeMillis()) {
        calendar.set(Calendar.DAY_OF_MONTH, calendar.get(Calendar.DAY_OF_MONTH) + 1)
    }

    val alarmInfo = AlarmClockInfo(calendar.timeInMillis, alarmPendingIntent)
}

As mentioned above this problem is specific to android 13. If there is something more specific I should post here please let me know in a comment and I can update.



from OnRecieve() from BroadCastReceiver not being called - android 13 (API 33) only

Thursday, 11 May 2023

How to use async method in Flutter Focus onKeyEvent

I have a Flutter app targeting Android TV devices (as well as phones), so I had to implement some special logic to handle the remote.

I wrapped buttons that need to be clicked by a remote with a Focus widget:

 Widget myButton(BuildContext context) {
   Focus(
        onKeyEvent: (node, event) {
          return manageKeyboard(event, context);
        },
          child: IconButton(
      // ... button properties here
    ),
  );
}

I wrote manageKeyboard method like this:

 KeyEventResult manageKeyboard(KeyEvent event, BuildContext context) {
    if (event.logicalKey == LogicalKeyboardKey.arrowRight) {
      if (event is KeyUpEvent) {
        doSomething(context, true);
      }
      return KeyEventResult.handled;
    }
 }

This works reasonably well. Problem is if I try to make managedKeyboard asynchrounous in order to await doSomething, I get below error in onKeyEvent:

The argument type 'Future<KeyEventResult> Function(FocusNode, KeyEvent)' can't be assigned to the parameter type 'KeyEventResult Function(FocusNode, KeyEvent)?'.

How can I make onKeyEvent asynchrounous?



from How to use async method in Flutter Focus onKeyEvent

Wednesday, 10 May 2023

Android emulator not connecting to localhost via 10.0.2.2

My local API setup is running in localhost:3000on my Windows 10. I am using Retrofit to connect with APIs. I used http://10.0.2.2:3000 for connecting Android emulator to Window's localhost. It was working fine for several months. One day it stopped working and I tried so many Google/Stackoverflow posts, but nothing helps. I tried in another newly installed machine and was not working. One day surprisingly it started working without any changes. Now I got my new PC and it is not working. Seems some instability with the 10.0.2.2 trick. Any ideas?

I am getting the below exception

java.net.SocketTimeoutException: failed to connect to /10.0.2.2 (port 3000) from /10.0.2.16 (port 51498) after 60000ms


from Android emulator not connecting to localhost via 10.0.2.2

Implement Flutter App Check Breaking Firebase storage on Android

The Firebase storage is keep throwing auth issue. Even when I am able to successfully get the user information from firebase auth instance

By using

Miscellaneous.logMessage(
      Tag, "currentUser ${FirebaseAuth.instance.currentUser}");

App Check setup in the current application

-Added Dependency in yaml file

  firebase_core: ^1.13.1
  firebase_analytics: ^8.3.4
  firebase_auth: ^3.3.11
  cloud_firestore: ^2.5.4
  firebase_crashlytics: ^2.5.3
  firebase_messaging: ^10.0.9
  firebase_database: ^7.2.2
  firebase_storage: ^10.2.9
  firebase_app_check: ^0.0.6+7

-And added this code in main.dart

Future<void> main() async {

    WidgetsFlutterBinding.ensureInitialized();
    
      await Firebase.initializeApp();
    
      await FirebaseAppCheck.instance.activate(
        webRecaptchaSiteKey: 'recaptcha-v3-site-key',
      );

}

-Setup in Android

Gradle

dependencies {
    implementation fileTree(dir: 'libs', include: ['*.aar', '*.jar'], exclude: ['*mock*.jar'])
    implementation 'androidx.appcompat:appcompat:1.4.1'
    implementation 'androidx.constraintlayout:constraintlayout:2.1.3'
    implementation 'androidx.multidex:multidex:2.0.1'
    implementation("androidx.browser:browser:1.4.0")
    implementation platform('com.google.firebase:firebase-bom:28.2.1')
    implementation 'com.google.android.material:material:1.5.0'
    implementation 'com.google.android.gms:play-services-auth:20.1.0'
    implementation 'com.google.android.gms:play-services-auth-api-phone:18.0.1'
    implementation 'com.google.firebase:firebase-appcheck-debug:16.0.0-beta04'
    implementation 'com.google.firebase:firebase-appcheck-safetynet:16.0.0-beta04'
    androidTestImplementation 'com.google.firebase:firebase-appcheck-debug-testing:16.0.0-beta04'
    implementation 'androidx.work:work-runtime-ktx:2.7.1'
    implementation 'com.google.android.play:core:1.10.3'
    implementation 'org.jetbrains:annotations:20.1.0'

}

MainActivity

public class MainActivity extends FlutterActivity {
    @Override
    protected void onCreate(@Nullable @org.jetbrains.annotations.Nullable Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        FirebaseApp.initializeApp(this);
        FirebaseAppCheck firebaseAppCheck = FirebaseAppCheck.getInstance();
        firebaseAppCheck.installAppCheckProviderFactory(DebugAppCheckProviderFactory.getInstance());
    }
    

Error

StorageUtil(15655): Error getting App Check token; using placeholder token instead. Error: com.google.firebase.FirebaseException: Error returned from API. code: 403 body: App attestation failed. [+3151 ms]

W/StorageUtil(15655): Error getting App Check token; using placeholder token instead. Error: com.google.firebase.FirebaseException: Too many attempts.

Code for Storage upload

 firebaseStorageUtils.sendImageTOFirebase(imageFile, false).then((value) {
        Miscellaneous.logMessage(Tag, "sendImageTOFirebase URL $value");
        if (value == null) {
          Miscellaneous.showMessage(context, "Server Error!!,Retry Later");
          return;
        }
        setState(() {
          Miscellaneous.logMessage(Tag, "Download URL $value");
          profileUrl = value;
          Miscellaneous.logMessage(Tag, imageFile.path);
        });
      });

 Future<String?> sendImageTOFirebase(File imageSend, bool imgPost) async {
    var len = await imageSend.length();
    var fileSend;
    Miscellaneous.logMessage(Tag, len);
    if (len <= Constants.maxImageSize) {
      fileSend = await compressFile(imageSend, 70);
    } else {
      var quality;
      if (len >= Constants.maxImageSizeLarge) {
        quality = 30;
      } else {
        quality = 50;
      }
      fileSend = await compressFile(imageSend, quality);
    }

    Miscellaneous.showLoader(context, this);

    Miscellaneous.logMessage(Tag, fileSend.path);

    if (imgPost) {
      fileName = "${Miscellaneous.uniqueName()}.png";
      drivePath = 'post/$userUUID/$fileName';
    } else {
      drivePath = 'user_profile/$userUUID/defaultProfile.png';
    }

    Miscellaneous.logMessage(Tag, "drivePath$drivePath");

    try {
      FirebaseAuth auth = FirebaseAuth.instance;

      if (auth.currentUser != null) {
        Miscellaneous.logMessage(Tag, auth.currentUser.toString());
      }

      // Create your custom metadata.
      firebase_storage.SettableMetadata metadata =
          firebase_storage.SettableMetadata(
        cacheControl: 'max-age=60',
        customMetadata: <String, String>{
          'userId': userUUID,
        },
      );

      await Firebase.initializeApp();

      await firebase_storage.FirebaseStorage.instance
          .ref(drivePath)
          .putFile(fileSend, metadata);

      String downloadUrlImage = await firebase_storage.FirebaseStorage.instance
          .ref(drivePath)
          .getDownloadURL();

      this.downloadUrl = downloadUrlImage;
      Miscellaneous.logMessage(Tag, "downloadURL $downloadUrlImage");

      if (imgPost) {
        Miscellaneous.dismissLoader(context);
        return downloadUrlImage;
      } else {
        bool uploadToFirebaseImage = await uploadToFirebase(auth);
        Miscellaneous.dismissLoader(context);
        if (uploadToFirebaseImage) {
          return downloadUrlImage;
        } else {
          return null;
        }
      }
    } on firebase_core.FirebaseException catch (e) {
      // e.g, e.code == 'canceled'
      Miscellaneous.logMessage(Tag, "error $e");
      Miscellaneous.dismissLoader(context);
      return null;
    }
  }

Firebase Rules

rules_version = '2';
service firebase.storage {
  match /b/{bucket}/o {
  
  //if the file is less than 200kB
    match /user_profile {
      allow read, write: 
      if request.auth != null && request.resource.size <= 200 * 1024; 
    }
    
     match /user_profile/{userId}/defaultProfile.png {
           allow read: if request.auth.uid == userId;
             allow write: if request.auth.uid == userId;
        }
    
    match /post/{userId}/{fileName} {
           allow read;
             allow write: if request.auth.uid == userId &&  request.resource.size <= 200 * 1024;
       allow delete: if request.auth.uid == userId;

       
        }
    
  }
}

What's the correct way to use App Check in flutter?



from Implement Flutter App Check Breaking Firebase storage on Android

Tuesday, 9 May 2023

WebViewClient.shouldOverrideUrlLoading() documentation clarification

Referring to the API level 24+ only version of shouldOverrideUrlLoading, the documentation clearly states:

Note: Do not call WebView#loadUrl(String) with the request's URL and then return true. This unnecessarily cancels the current load and starts a new load with the same URL. The correct way to continue loading a given URL is to simply return false, without calling WebView#loadUrl(String).

However, in my app I have to perform some extra activities before loading the URL that could only be done in MyWebView#loadUrl(String) and so I do call MyWebView#loadUrl from within MyWebViewClient#shouldOverrideUrlLoading then return true;.

This seems to work fine but I now have some doubts:

Does this warning about "the correct way to continue loading a given URL" mean that if I am not following it, this code could break

  • in the future (as in "using undocumented internal API")
  • or break now with some "unusual website"?

In what scenarios (e.g. frames, iframes, 301/302 redirects) this return true; scheme could break proper URL loading?



from WebViewClient.shouldOverrideUrlLoading() documentation clarification

Sunday, 7 May 2023

How do I use MaterialFilePicker?

I am trying to use MaterialFilePicker for my Android Java music player. I have included it in my two build.gradle files, and have adjusted my colors.xml and styles.xml files accordingly, but can't figure out where to go next. The readme.md file in the GitHub repository told me this:

Open your class and add the following code

And provided me with this code:

...
public static final int FILE_PICKER_REQUEST_CODE = 989
...

MaterialFilePicker()
    // Pass a source of context. Can be:
    //    .withActivity(Activity activity)
    //    .withFragment(Fragment fragment)
    //    .withSupportFragment(androidx.fragment.app.Fragment fragment)
    .withActivity(this)
    // With cross icon on the right side of toolbar for closing picker straight away
    .withCloseMenu(true)
    // Entry point path (user will start from it)
    .withPath(alarmsFolder.absolutePath)
    // Root path (user won't be able to come higher than it)
    .withRootPath(externalStorage.absolutePath)
    // Showing hidden files
    .withHiddenFiles(true)
    // Want to choose only jpg images
    .withFilter(Pattern.compile(".*\\.(jpg|jpeg)$"))
    // Don't apply filter to directories names
    .withFilterDirectories(false)
    .withTitle("Sample title")
    .withRequestCode(FILE_PICKER_REQUEST_CODE)
    .start()
...

But I can't figure out how do implement this code. I have created a file called MaterialFilePicker.java and have modified the code provided to look like this:

package com.infinityfreeapp.formalsoftware.audioplayer;

import java.util.regex.Pattern;
import MaterialFilePicker;

public class MaterialFilePicker {
    public static final int FILE_PICKER_REQUEST_CODE = 989;


    MaterialFilePicker() {
        // Pass a source of context. Can be:
        //    .withActivity(Activity activity)
        //    .withFragment(Fragment fragment)
        //    .withSupportFragment(androidx.fragment.app.Fragment fragment)
        .withActivity(this)
        // With cross icon on the right side of toolbar for closing picker straight away
        .withCloseMenu(true)
        // Entry point path (user will start from it)
        .withPath(alarmsFolder.absolutePath)
        // Root path (user won't be able to come higher than it)
        .withRootPath(externalStorage.absolutePath)
        // Showing hidden files
        .withHiddenFiles(true)
        // Want to choose only jpg images
        .withFilter(Pattern.compile(".*\\.(jpg|jpeg)$"))
        // Don't apply filter to directories names
        .withFilterDirectories(false)
        .withTitle("Sample title")
        .withRequestCode(FILE_PICKER_REQUEST_CODE)
        .start();
    }
}

But it is still riddled with errors.



from How do I use MaterialFilePicker?

Custom shaped button inside of MaterialButtonToggleGroup

I'm trying to create a group for buttons (not radio buttons!), and I've stumbled upon: MaterialButtonToggleGroup

the result I'm trying to achieve should look something like:

desired UI result

however while trying to implement it I've ran into this problem, which disallowed custom shapes in MaterialButtonGroups, which I managed to solve (It does not crash), but It still seems to simply not care about the custom drawable (the button stays rectangular)

small sample:

fragment:

<?xml version="1.0" encoding="utf-8"?>
<androidx.constraintlayout.widget.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:app="http://schemas.android.com/apk/res-auto"
    xmlns:tools="http://schemas.android.com/tools"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    tools:context=".FirstFragment">

    <com.google.android.material.button.MaterialButtonToggleGroup
        android:id="@+id/my_toggle_group"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toTopOf="parent"
        app:selectionRequired="false"
        app:singleSelection="true">

        <Button
            android:id="@+id/c_button"
            style="@style/roundSizeButton"
            android:layout_width="50dp"
            android:layout_height="50dp"
            app:backgroundTint="@color/white"
            android:background="@drawable/size_round_button_selected"
            android:layout_weight="1"
            android:text="C" />

        <Button
            android:id="@+id/d_button"
            style="?attr/materialIconButtonOutlinedStyle"
            android:layout_width="wrap_content"
            android:layout_height="wrap_content"
            android:layout_weight="1"
            android:text="D" />

        <Button
            android:id="@+id/e_button"
            style="?attr/materialIconButtonOutlinedStyle"
            android:layout_width="wrap_content"
            android:layout_height="wrap_content"
            android:layout_weight="1"
            android:text="E" />


    </com.google.android.material.button.MaterialButtonToggleGroup>
</androidx.constraintlayout.widget.ConstraintLayout>

size_round_button_selected:

<?xml version="1.0" encoding="utf-8"?>
<shape xmlns:android="http://schemas.android.com/apk/res/android"
    android:shape="rectangle">
    <corners android:radius="1000dp" />
    <solid android:color="@color/white" />
    <stroke
        android:width="1dp"
        android:color="@color/black" />
</shape>

Any ideas how can I make it work? I know implementing onClick for the buttons to handle it myself would be possible, but this seems cleaner (don't have to set 4 onClicks with the same logic)

Any tips / gists / hints will be appreciated, thanks in advance :)



from Custom shaped button inside of MaterialButtonToggleGroup

Recomposing 2d array element when its variable changes in Compose with Clean Architecture

I'm trying to achieve a fast image recomposition on a board when at least one variable from the objects in a 2d array changes.

I had a 2d array implemented as Array<Array<Cell>>, yet, to achieve recomposition, I created a duplicate remember variable on the Screen. This worked fast enough, but it resulted in duplication of code from the business logic of the application and did not allow us to use all the functions, so it was not the right way.

Structure of date class Cell:

data class Cell(
    val x: Int,
    val y: Int,
    var isOpen: Boolean = false,
    var index: Int = 0
)

Screen code:

val row = 5
val col = 5
val board = viewModel.board.value

Column(Modifier.verticalScroll(rememberScrollState())) {
    Row(Modifier.horizontalScroll(rememberScrollState())) {
        Column {
            for (i in 0 until row) {
                Row {
                    for (j in 0 until col) {

                        val currentItem = remember(board) { mutableStateOf(board[i][j]) }  //duplicate remember variable

                        Image(
                            painter = painterResource(
                                id = if (currentItem.value.isOpen) {
                                    when (currentItem.value.index) {
                                        0 -> R.drawable.ic_num_0
                                        1 -> R.drawable.ic_num_1
                                        2 -> R.drawable.ic_num_3
                                        else -> R.drawable.ic_field
                                    }
                                } else {
                                    R.drawable.ic_field
                                }
                            ),
                            contentDescription = null,
                            modifier = Modifier.clickable {
                                currentItem.value = currentItem.value.copy(isOpen = true) // duplication of code
                                board[i][j].isOpen = true                                 // from the business logic of the application
                            }
                        )
                    }
                }
            }
        }
    }
}

ViewModel code:

private val _board = mutableStateOf<Array<Array<Cell>>>(arrayOf())
val board: State<Array<Array<Cell>>> = _board

fun start() {
    _board.value = createBoard()// Use case that returns Array(row) { i -> Array(col) { j -> Cell(i, j) } }
}

After that, I added a duplicate 2d array Array<Array<MutableState<Cell>>> to the ViewModel. Yet, to update it, I had to add two double loops — one to convert Array<Array<Cell>> to Array<Array<MutableState<Cell>>> and the other to convert Array<Array<MutableState<Cell>>> back to Array<Array<Cell>>. This helped to get rid of duplicate code on the Screen and allowed us to implement all the functions, but predictably greatly increased the processing time for clicks.

Screen code:

val row = 5
val col = 5
val board = viewModel.board.value

Column(Modifier.verticalScroll(rememberScrollState())) {
    Row(Modifier.horizontalScroll(rememberScrollState())) {
        Column {
            for (i in 0 until row) {
                Row {
                    for (j in 0 until col) {

                        val currentItem = remember(board) { viewModel.boardState[i][j] }

                        Image(
                            painter = painterResource(
                                id = if (currentItem.value.isOpen) {
                                    when (currentItem.value.index) {
                                        0 -> R.drawable.ic_num_0
                                        1 -> R.drawable.ic_num_1
                                        2 -> R.drawable.ic_num_3
                                        else -> R.drawable.ic_field
                                    }
                                } else {
                                    R.drawable.ic_field
                                }
                            ),
                            contentDescription = null,
                            modifier = Modifier.combinedClickable(
                                onClick = {
                                    viewModel.updateBoard(
                                        board[i][j],
                                        Event.OnClick
                                    )
                                }
                            )
                        )
                    }
                }
            }
        }
    }
}

ViewModel code:

fun updateBoard(cell: Cell? = null, event: Event? = null) {
    val newBoard = boardState.map { row -> row.map { item -> item.value }.toTypedArray() }.toTypedArray() // one double loops
    _board.value = updateBoard(newBoard, cell, event) // Use case that returns Array(row) { i -> Array(col) { j -> Cell(i, j) } }
    boardState = board.value.map { row -> row.map { item -> mutableStateOf(item) }.toTypedArray() }.toTypedArray() // two double loops
}

Question: How can I achieve fast recomposition when changing the variable of any object in a 2d array?

Note: In my project, I follow the principles of Clean Architecture, so I cannot use Array<Array<MutableState<Cell>>> at the domain level, because MutableState is part of the androidx library.

Also, I want to add that when you click on a 2d field cell, other cells can change, and not just the one that was clicked.

Perhaps this can be solved using MutableStateFlow, however, unlike MutableState, it does not cause elements to be recomposed. Maybe there are other ways that I don't know about.

Update: I tried to cast Array<Array<Cell>> to Array<Array<MutableStateFlow<Cell>>>, and convert StateFlow to Compose State in Screen using collectAsState(), however this results in an error.

Screen:

val board by viewModel.board

Column(Modifier.verticalScroll(rememberScrollState())) {
    Row(Modifier.horizontalScroll(rememberScrollState())) {
        Column {
            for (i in 0 until row) {
                Row {
                    for (j in 0 until col) {

                        val currentItem = remember(board) { board[i][j].collectAsState() } // error
                            ...

ViewModel:

private val _board = mutableStateOf<Array<Array<MutableStateFlow<Cell>>>>(arrayOf())
val board: State<Array<Array<MutableStateFlow<Cell>>>> = _board

fun updateBoard(cell: Cell? = null, event:Event? = null) {
    _board.value = updateBoard(board.value, cell, event)
}


from Recomposing 2d array element when its variable changes in Compose with Clean Architecture

Run procedure without crashing the application

I have a procedure called domainupdate().

When I run the procedure directly in the buton click, I got the cursor waits with the SQL icon and the program stops responding until the procedure is finished.

However, when I run the procedure with TThread, only the first record, or the first and second records, are updated.

How can I fix this issue?

procedure TForm1.domainupdate;
var
  I, A, J, K, B: Integer;
  domain, domain1, domain2, host, whois, expiry, status: string;
  sl: TStringList;
  fs, ds: TFormatSettings;
  dt: TDatetime;
begin
  DM.Qdomains.First;
  while not DM.Qdomains.Eof do begin
    domain := DM.Qdomains.FieldByName('domain').AsString;
    domain1 := '';
    domain2 := '';
    for J := Length(domain) downto 2 do begin
      if domain[J] = '.' then begin   // search host.co.uk
        if domain1 = '' then
          domain1 := Copy(domain, J + 1, MaxInt) + IcsSpace
          // found  uk
        else begin
          domain2 := Copy(domain, J + 1, MaxInt) + IcsSpace;
          // found co.uk
          Break;
        end;
      end;
    end;

    FWhoisServers := TStringList.Create;
    try
      for I := 0 to Length(WhoisNames) - 1 do
        FWhoisServers.Add(WhoisNames[I]);
      host := 'whois.ripe.net';
      K := -1;
      if FWhoisServers.Count > 0 then begin
        for I := 0 to FWhoisServers.Count - 1 do
        begin
          if (Pos(domain1, FWhoisServers[I]) = 1) then K := I;
          if (Pos(domain2, FWhoisServers[I]) = 1) then
          begin
            K := I;
            Break;
          end;
        end;
        if K >= 0 then begin
          J := Pos(IcsSpace, FWhoisServers[K]);
          host := Copy(FWhoisServers[K], J + 1, MaxInt);
        end;
      end;
      IdWhois1.Host := host;
    finally
      FWhoisServers.Free;
    end;

    expiry := '';
    sl := TStringList.Create;
    try
      whois := IdWhois1.WhoIs(domain);
      sl.Text := whois;
      sl.NameValueSeparator := ':';

      for I := 0 to sl.Count-1 do begin
        sl[I] := TrimLeft(sl[I]);
      end;
      for I := Low(FieldNames) to High(FieldNames) do begin
        expiry := Trim(sl.Values[FieldNames[I]]);
        if expiry <> '' then
          Break;
      end;
      for B := 0 to sl.Count-1 do begin
        sl[B] := TrimLeft(sl[B]);
        if SameText(sl.Names[B], 'status') then
        begin
          status := Trim(sl.ValueFromIndex[B]);
          status := Copy(status, 1);
        end
        else
        if SameText(sl.Names[B], 'Domain Status') then
        begin
          status := Trim(sl.ValueFromIndex[B]);
          status := Copy(status, -1);
          notes.Lines.Add(status);
        end;
      end;
    finally
      sl.Free;

      if expiry <> '' then begin
        fs := TFormatSettings.Create;
        fs.DateSeparator := '-';
        fs.TimeSeparator := ':';
        fs.ShortDateFormat := 'yyyy-mm-dd';
        fs.ShortTimeFormat := 'hh:nn:ss';
        dt := StrToDateTime(expiry, fs);
        ds := TFormatSettings.Create;
        ds.DateSeparator := '/';
        ds.TimeSeparator := ':';
        ds.ShortDateFormat := 'dd/mm/yyyy';
        ds.LongTimeFormat := 'hh:mm:ss';

        DM.Qdomains.Edit;
        try
          DM.Qdomains.FieldByName('domain').AsString := domain;
          DM.Qdomains.FieldByName('expiry').AsString := DateTimeToStr(dt, ds);
          DM.Qdomains.FieldByName('whois').AsString := whois;
          DM.Qdomains.FieldByName('update').AsString := DateTimeToStr(Now);
          DM.Qdomains.FieldByName('status').AsString := status;
          DM.Qdomains.Post;
          DM.Qdomains.next;
        except
          DM.Qdomains.Cancel;
          raise;
        end;
      end;
    end;
  end;
end;

Button:

procedure TForm1.RefreshDomainsClick(Sender: TObject);
begin
 TThread.CreateAnonymousThread(
    procedure
    begin
     domainupdate;
    end
  ).Start;
end;


from Run procedure without crashing the application

Saturday, 6 May 2023

Is there a way to enable 'Clear All Notification' button while config_showRecentAndOldHeaders is set to true

I'm working on Automotive AOSP Android 12.

I'm trying to enable the button "Clear All Notification" by overlaying the SystemUI config but it seems impossible while "config_showRecentAndOldHeaders = true". Based on what I found under Notification module (android/packages/apps/Car/Notification/src/com/android/car/notification/template/CarNotificationFooterViewHolder.java), if "config_showRecentAndOldHeaders = true", the "mClearAllButton" is transformed to "ManageButton".

if (mShowRecentsAndOlderHeaders) {
                mClearAllButton.setText(R.string.manage_text);
                if (!mClearAllButton.hasOnClickListeners()) {
                    mClearAllButton.setOnClickListener(this::manageButtonOnClickListener);
                }
            } else {
                if (!mClearAllButton.hasOnClickListeners()) {
                    mClearAllButton.setOnClickListener(view -> {
                        mNotificationItemController.clearAllNotifications();
                    });
                }
            }

Thank you.



from Is there a way to enable 'Clear All Notification' button while config_showRecentAndOldHeaders is set to true