当前位置:   article > 正文

实战鸿蒙:如何实现应用悬浮窗

实战鸿蒙:如何实现应用悬浮窗

吐槽安卓

不知道你有没有在安卓上做过悬浮窗的需求,开发体验那个是一言难尽。

如果你要做的是系统级别的悬浮窗,就需要判断是否具备悬浮窗权限。然而这又不是一个标准的动态权限,你需要兼容各种奇葩机型的悬浮窗权限判断,下面的代码来自于某著名开源库:EasyFloat[1] 。

  1. fun checkPermission(context: Context)Boolean =
  2.         if (Build.VERSION.SDK_INT < Build.VERSION_CODES.M) when {
  3.     RomUtils.checkIsHuaweiRom() -> huaweiPermissionCheck(context)
  4.     RomUtils.checkIsMiuiRom() -> miuiPermissionCheck(context)
  5.     RomUtils.checkIsOppoRom() -> oppoROMPermissionCheck(context)
  6.     RomUtils.checkIsMeizuRom() -> meizuPermissionCheck(context)
  7.     RomUtils.checkIs360Rom() -> qikuPermissionCheck(context)
  8.             else -> true
  9. else commonROMPermissionCheck(context)
  10. private fun commonROMPermissionCheck(context: Context)Boolean =
  11.         if (RomUtils.checkIsMeizuRom()) meizuPermissionCheck(context) else {
  12.             var result = true
  13.             if (Build.VERSION.SDK_INT >= 23try {
  14.                 val clazz = Settings::class.java
  15.                 val canDrawOverlays = clazz.getDeclaredMethod("canDrawOverlays", Context::class.java)
  16.                 result = canDrawOverlays.invoke(null, context) as Boolean
  17.             } catch (e: Exception) {
  18.                 Log.e(TAG, Log.getStackTraceString(e))
  19.             }
  20.             result
  21.         }

如果你要做的是应用内的全局悬浮窗,那么对不起,不支持,自己想办法。普遍的做法是在根布局 DecorView 直接塞进去。

遥遥领先

在鸿蒙上实现悬浮窗相对就要简单的多。

对于系统级别弹窗,仍然需要权限,但也不至于那么麻烦的适配。

对于应用内全局弹出,鸿蒙提供了 应用子窗口 可以直接实现。

本文主要介绍如何利用应用子窗口实现应用内全局悬浮窗。

创建应用子窗口需要先拿到窗口管理器 WindowStage 对象,在 EntryAbility.onWindowStageCreate() 回调中取。

  1. FloatManager.init(windowStage)
  2. init(windowStage: window.WindowStage) {
  3.   this.windowStage_ = windowStage
  4. }

然后通过 WindowStage.createSubWindow() 创建子窗口。

  1. // 创建子窗口
  2. showSubWindow() {
  3.     if (this.windowStage_ == null) {
  4.         Log.error(TAG, 'Failed to create the subwindow. Cause: windowStage_ is null');
  5.     } else {
  6.         this.windowStage_.createSubWindow("HarmonyWorld", (err: BusinessError, data) => {
  7.             ...
  8.             this.sub_windowClass = data;
  9.             // 子窗口创建成功后,设置子窗口的位置、大小及相关属性等
  10.             // moveWindowTo 和 resize 都可以重复调用,实现拖拽效果
  11.             this.sub_windowClass.moveWindowTo(this.locationX, this.locationY, (err: BusinessError) => {
  12.                 ...
  13.             });
  14.             this.sub_windowClass.resize(this.size, this.size, (err: BusinessError) => {
  15.                 ...
  16.             });
  17.             // 给子窗口设置内容
  18.             this.sub_windowClass.setUIContent("pages/float/FloatPage", (err: BusinessError) => {
  19.                 ...
  20.                 // 显示子窗口。
  21.                 (this.sub_windowClass as window.Window).showWindow((err: BusinessError) => {
  22.                     ...
  23.                     // 设置透明背景
  24.                     data.setWindowBackgroundColor("#00000000")
  25.                 });
  26.             });
  27.         })
  28.     }
  29. }

这样就可以在指定位置显示指定大小的的悬浮窗了。

然后再接着完善手势拖动和点击事件。

既要监听拖动,又要监听手势,就需要通过 GestoreGroup,并把设置模式设置为 互斥识别

  1. @Entry
  2. @Component
  3. export struct FloatPage {
  4.   private context = getContext(this) as common.UIAbilityContext
  5.   build() {
  6.     Column() {
  7.       Image($r('app.media.mobile_dev'))
  8.         .width('100%')
  9.         .height('100%')
  10.     }
  11.     .gesture(
  12.       GestureGroup(GestureMode.Exclusive,
  13.         // 监听拖动
  14.         PanGesture()
  15.           .onActionUpdate((event: GestureEvent | undefined) => {
  16.             if (event) {
  17.               // 更新悬浮窗位置
  18.               FloatManager.updateLocation(event.offsetX, event.offsetY)
  19.             }
  20.           }),
  21.         // 监听点击
  22.         TapGesture({ count1 })
  23.           .onAction(() => {
  24.              router.pushUrl(...)
  25.           }))
  26.     )
  27.   }
  28. }

在拖动手势 PanGesture 的 onActionUpdate() 回调中,可以实时拿到拖动的距离,然后通过 Window.moveWindowTo() 就可以实时更新悬浮窗的位置了。

  1. updateLocation(offSetX: number, offsetY: number) {
  2.     if (this.sub_windowClass != null) {
  3.         this.locationX = this.locationX + offSetX
  4.         this.locationY = this.locationY + offsetY
  5.         this.sub_windowClass.moveWindowTo(this.locationX, this.locationY, (err: BusinessError) => {
  6.             ......
  7.         });
  8.     }
  9. }

在点击手势 TapGesture中,我的需求是路由到指定页面,直接调用 router.pushUrl()。看似很正常的调用,在这里确得到了意想不到的结果。

发生页面跳转的并不是预期中的应用主窗口,而是应用子窗口。

把问题抛到群里之后,得到了群友的热心解答。

每个 Window 对应自己的 UIContext,UIContext 持有自己的 Router ,所以应用主窗口和应用子窗口的 Router 是相互独立的。

那么,问题就变成了如何在子窗口中让主窗口进行路由跳转?通过 EventHub 或者 emitter 都可以。emiiter 可以跨线程,这里并不需要,EventHub 写起来更简单。我们在点击手势中发送事件:

  1. TapGesture({ count1 })
  2.   .onAction(() => {
  3.       this.context.eventHub.emit("event_click_float")
  4.   })

在 EntryAbility 中订阅事件:

  1. onCreate(want: Want, launchParam: AbilityConstant.LaunchParam): void {
  2.     eventHub.on("event_click_float", () => {
  3.       if (this.mainRouter) {
  4.         this.mainRouter.pushUrl(...)
  5.       }
  6.     })
  7. }

这里的 mainRouter 我们可以提前在主 Window 调用 loadContent() 之后获取:

  1. windowStage.loadContent(pages/Index', (err, data) => {
  2.   this.mainRouter = this.windowClass!.getUIContext().getRouter()
  3. });

最后还有一个小细节,如果在拖动悬浮窗之后,再使用系统的返回手势,按照预期应该是主窗口的页面返回,但这时候焦点在子窗口,主窗口并不会响应返回手势。

我们需要在子窗口承载的 Page 页面监听 onBackPress(),并通过 EventHub 通知主窗口。

  1.   onBackPress(): boolean | void {
  2.     this.context.eventHub.emit("float_back")
  3.   }

主窗口接收到通知后,调用 mainRouter.back 。

  1. eventHub.on("clickFloat", () => {
  2.   if (this.mainRouter) {
  3.     this.mainRouter.back()
  4.   }
  5. })

应用内全局,可拖拽的悬浮窗就完成了。

代码在这里:FloatManager[2]

最后

从一位老安卓开发的视角,经历了 Google 对 Android 这么多年的缝缝补补,而鸿蒙作为一款去年才开始真正发力的操作系统,除了给用户带来良好的使用体验以外,给开发者带来良好的开发体验也是至关重要的。

希望鸿蒙可以给开发者带来更多便利的系统特性。


公众号历史文章无法修改,我会把鸿蒙系列文章整理到语雀知识库 https://www.yuque.com/mobiledeveloper/harmonyos ,欢迎收藏

参考资料

[1]

EasyFloat: https://github.com/princekin-f/EasyFloat/

[2]

FloatManager: https://github.com/lulululbj/HarmonyWorld/

转自:实战鸿蒙:如何实现应用悬浮窗

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/Monodyee/article/detail/281094
推荐阅读
相关标签
  

闽ICP备14008679号