【HarmonyOS Next】鸿蒙中自定义弹框OpenCustomDialog、CustomDialog与Dial ...

打印 上一主题 下一主题

主题 664|帖子 664|积分 1992

【HarmonyOS Next】鸿蒙中自定义弹框OpenCustomDialog、CustomDialog与DialogHub的区别详解

一、三者的区别与关系

1. 官方迭代过程为
CustomDialog = 》 OpenCustomDialog = 》 DialogHub
迭代过程表明,弹框的调用越来越便捷,与UI解耦,终极到达在纯逻辑中使用自定义弹出,弹框内容更新和生命周期可控,写法简洁。
2.CustomDialog的用法:
首先需要创建@CustomDialog装饰的自定义弹框布局,CustomDialogController来实现弹窗弹出和关闭。
  1. @CustomDialog
  2. struct CustomDialogUI {
  3.   // CustomDialog可直接获取到dialogController
  4.   dialogController: CustomDialogController;
  5.   // 定义事件回调给外部使用
  6.   onClose?: () => void;
  7.   build() {
  8.     Column() {
  9.       Text('我是内容')
  10.         .fontSize(20)
  11.       Button('Close')
  12.         .onClick(() => {
  13.           // 点击关闭弹框
  14.           this.dialogController.close();
  15.           if (this.onClose) {
  16.             this.onClose()
  17.           }
  18.         }).backgroundColor(Color.White).fontColor(Color.Black)
  19.     }.height(60).justifyContent(FlexAlign.Center)
  20.   }
  21. }
  22. @Entry
  23. @Component
  24. struct CustomDialogPage {
  25.   // CustomDialog - CustomDialogController需在@Component内定义初始化。
  26.   dialogController: CustomDialogController | null = new CustomDialogController({
  27.     builder: CustomDialogUI({
  28.       onClose: ()=> {
  29.         console.info('Callback when the onClose button is clicked')
  30.       },
  31.     }),
  32.   })
  33.   build() {
  34.     Column() {
  35.       Button('click me')
  36.         .onClick(() => {
  37.           this.dialogController.open()
  38.         })
  39.     }.width('100%').margin({ top: 5 })
  40.   }
  41. }
复制代码
综上所述,CustomDialog 因为CustomDialogController强耦合于UI,需要在UI界面或者自定义View中使用CustomDialogController控制弹框显示隐蔽。无法在纯逻辑类中处理弹框时机的显示。(这种环境下只能想办法发送通知给UI,UI再处理回调显示,处理起来贫苦。)致命的标题是,弹框内的UI无法动态刷新。需要重新创建渲染。
3.OpenCustomDialog 的用法:
对标CustomDialog 的CustomDialogController。官方通过将弹框对象实例,放到上下文中,实现在纯逻辑类中也可以调用弹框的显示和隐蔽。
将@CustomDialog弹框布局内容,放到ComponentContent节点对象中,实现弹框UI的解耦。
  1. @Builder
  2. function ComponentContentBuildText() {
  3.   Column() {
  4.     Text("测试数据")
  5.       .fontSize(50)
  6.       .fontWeight(FontWeight.Bold)
  7.       .margin({ bottom: 36 })
  8.   }.backgroundColor('#FFF0F0F0')
  9. }
  10.   // OpenCustomDialog - ComponentContent // 建议整体抽个单例
  11.   private contentNode: ComponentContent<Object> = new ComponentContent(this.getUIContext(), wrapBuilder(ComponentContentBuildText));
  12.     this.getUIContext().getPromptAction().openCustomDialog(this.contentNode)
  13.       .then(() => {
  14.         console.info('UpdateCustomDialog complete.')
  15.       })
  16.       .catch((error: BusinessError) => {
  17.         let message = (error as BusinessError).message;
  18.         let code = (error as BusinessError).code;
  19.         console.error(`onClickOpenCustomDialog args error code is ${code}, message is ${message}`);
  20.       })
复制代码
DialogHub的用法:
参考:【HarmonyOS Next】鸿蒙应用实现弹框DialogHub详解
二、自定义View与UI解耦的办理方案:

现在共有三种方式,使用浮层(DialogHub底层原理),使用OpenCustomDialog,使用subWindow。
1.浮层

DialogHub底层原理。在页面Page与弹框层之间,ArkUI框架有一个浮层。该层通过节点管控(增加,删除)的方式,可以插入自定义UI。
ComponentContent可以理解为一个节点内容对象,在其中进行自定义UI的界面编写,打包为一个ComponentContent节点,添加到浮层上,ArkUI框架就会加载显示。
  1. @Builder
  2. function builderOverlay() {
  3.   Column() {
  4. }.focusable(false).width('100%').height('100%').hitTestBehavior(HitTestMode.Transparent)
  5. }
  6.   private overlayNode
  7.   : OverlayManager = this.uiContext.getOverlayManager()
  8.   let componentContent = new ComponentContent(
  9.       this.uiContext, wrapBuilder<>(builderOverlay)
  10.     )
  11.     this.overlayNode.addComponentContent(componentContent, 0)
  12.     this.overlayContent.push(componentContent)
  13.      
复制代码
2.OpenCustomDialog
参考:【HarmonyOS Next】鸿蒙应用弹框和提示气泡详解(一)
3.subWindow
因为三方应用不能使用FloatWindow,没有悬浮窗。只能通过子窗口SubWindow实现独立的自定义View层级。
  1. import { window } from '@kit.ArkUI';
  2. import { BusinessError } from '@kit.BasicServicesKit';
  3. @Entry
  4. @Component
  5. struct SubWinPage {
  6.   private TAG: string = "SubWinPage";
  7.   private sub_windowClass: window.Window | null = null;
  8.    aboutToAppear() {
  9.     this.showSubWindow()
  10.      setTimeout(()=>{
  11.        try {
  12.          this.destroySubWindow();
  13.          // window.getLastWindow(getContext()).then((win)=>{
  14.          //   console.error(this.TAG, 'win:' + JSON.stringify(win));
  15.          //   let height = win.getWindowDecorHeight();
  16.          //   console.error(this.TAG, 'height:' + height);
  17.          // })
  18.          let windowStage_:  window.WindowStage = globalThis.mWindowStage;
  19.          let win = windowStage_.getMainWindowSync();
  20.          let height = win.getWindowDecorHeight();
  21.        }catch (e){
  22.          console.error(this.TAG, 'e:' + JSON.stringify(e));
  23.        }
  24.      },1000)
  25.   }
  26.   private showSubWindow() {
  27.     console.log(this.TAG, 'showSubWindow start');
  28.     let windowStage_:  window.WindowStage = globalThis.mWindowStage;
  29.     // 1.创建应用子窗口。
  30.     if (windowStage_ == null) {
  31.       console.error(this.TAG, 'Failed to create the subwindow. Cause: windowStage_ is null');
  32.     }
  33.     else {
  34.       windowStage_.createSubWindow("mySubWindow", (err: BusinessError, data) => {
  35.         let errCode: number = err.code;
  36.         if (errCode) {
  37.           console.error(this.TAG, 'Failed to create the subwindow. Cause: ' + JSON.stringify(err));
  38.           return;
  39.         }
  40.         this.sub_windowClass = data;
  41.         console.info(this.TAG, 'Succeeded in creating the subwindow. Data: ' + JSON.stringify(data));
  42.         // 2.子窗口创建成功后,设置子窗口的位置、大小及相关属性等。
  43.         this.sub_windowClass.moveWindowTo(300, 300, (err: BusinessError) => {
  44.           let errCode: number = err.code;
  45.           if (errCode) {
  46.             console.error(this.TAG, 'Failed to move the window. Cause:' + JSON.stringify(err));
  47.             return;
  48.           }
  49.           console.info(this.TAG, 'Succeeded in moving the window.');
  50.         });
  51.         this.sub_windowClass.resize(500, 500, (err: BusinessError) => {
  52.           let errCode: number = err.code;
  53.           if (errCode) {
  54.             console.error(this.TAG, 'Failed to change the window size. Cause:' + JSON.stringify(err));
  55.             return;
  56.           }
  57.           console.info(this.TAG, 'Succeeded in changing the window size.');
  58.         });
  59.         // 3.为子窗口加载对应的目标页面。
  60.         this.sub_windowClass.setUIContent("pages/SubWinLoadPage", (err: BusinessError) => {
  61.           let errCode: number = err.code;
  62.           if (errCode) {
  63.             console.error(this.TAG, 'Failed to load the content. Cause:' + JSON.stringify(err));
  64.             return;
  65.           }
  66.           console.info(this.TAG, 'Succeeded in loading the content.');
  67.           // 3.显示子窗口。
  68.           (this.sub_windowClass as window.Window).showWindow((err: BusinessError) => {
  69.             let errCode: number = err.code;
  70.             if (errCode) {
  71.               console.error(this.TAG, 'Failed to show the window. Cause: ' + JSON.stringify(err));
  72.               return;
  73.             }
  74.             console.info(this.TAG, 'Succeeded in showing the window.');
  75.           });
  76.         });
  77.       })
  78.     }
  79.     console.log(this.TAG, 'showSubWindow end');
  80.   }
  81.   destroySubWindow() {
  82.     // 4.销毁子窗口。当不再需要子窗口时,可根据具体实现逻辑,使用destroy对其进行销毁。
  83.     (this.sub_windowClass as window.Window).destroyWindow((err: BusinessError) => {
  84.       let errCode: number = err.code;
  85.       if (errCode) {
  86.         console.error(this.TAG, 'Failed to destroy the window. Cause: ' + JSON.stringify(err));
  87.         return;
  88.       }
  89.       console.info(this.TAG, 'Succeeded in destroying the window.');
  90.     });
  91.   }
  92.   build() {
  93.     Column() {
  94.       Text("点击创建子窗口")
  95.         .id('SubWinPageHelloWorld')
  96.         .fontSize(50)
  97.         .fontWeight(FontWeight.Bold)
  98.         .onClick(()=>{
  99.           this.showSubWindow();
  100.         })
  101.       Text("点击销毁子窗口")
  102.         .id('SubWinPageHelloWorld')
  103.         .fontSize(50)
  104.         .fontWeight(FontWeight.Bold)
  105.         .onClick(()=>{
  106.           this.destroySubWindow();
  107.         })
  108.     }
  109.     .height('100%')
  110.     .width('100%')
  111.     .justifyContent(FlexAlign.Center)
  112.   }
  113. }
复制代码
三、多弹框源码示例:

  1. import {
  2.   DialogHub
  3. } from "@hadss/dialoghub"
  4. import { ComponentContent } from "@kit.ArkUI";
  5. import { BusinessError } from "@kit.BasicServicesKit";
  6. @CustomDialog
  7. struct CustomDialogUI {
  8.   // CustomDialog可直接获取到dialogController
  9.   dialogController: CustomDialogController;
  10.   // 定义事件回调给外部使用
  11.   onClose?: () => void;
  12.   build() {
  13.     Column() {
  14.       Text('我是内容')
  15.         .fontSize(20)
  16.       Button('Close')
  17.         .onClick(() => {
  18.           // 点击关闭弹框
  19.           this.dialogController.close();
  20.           if (this.onClose) {
  21.             this.onClose()
  22.           }
  23.         }).backgroundColor(Color.White).fontColor(Color.Black)
  24.     }.height(60).justifyContent(FlexAlign.Center)
  25.   }
  26. }
  27. @Builder
  28. function ComponentContentBuildText() {
  29.   Column() {
  30.     Text("测试数据")
  31.       .fontSize(50)
  32.       .fontWeight(FontWeight.Bold)
  33.       .margin({ bottom: 36 })
  34.   }.backgroundColor('#FFF0F0F0')
  35. }
  36. /**
  37. * 弹框测试页
  38. */
  39. @Entry
  40. @Component
  41. struct DialogTestPage {
  42.   // CustomDialog - CustomDialogController需在@Component内定义初始化。
  43.   dialogController: CustomDialogController | null = new CustomDialogController({
  44.     builder: CustomDialogUI({
  45.       onClose: ()=> {
  46.         console.info('Callback when the onClose button is clicked')
  47.       },
  48.     }),
  49.   })
  50.   // OpenCustomDialog - ComponentContent // 建议整体抽个单例
  51.   private contentNode: ComponentContent<Object> = new ComponentContent(this.getUIContext(), wrapBuilder(ComponentContentBuildText));
  52.   /**
  53.    * 统一样式封装
  54.    */
  55.   @Styles ButtonStyle(){
  56.     .width(px2vp(350))
  57.     .height(px2vp(200))
  58.     .margin({ top: px2vp(66) })
  59.   }
  60.   /**
  61.    * 点击显示CustomDialog弹框 【官方不推荐】
  62.    */
  63.   onClickCustomDialog = ()=>{
  64.     this.dialogController?.open()
  65.   }
  66.   /**
  67.    * 点击显示OpenCustomDialog
  68.    */
  69.   onClickOpenCustomDialog = ()=>{
  70.     this.getUIContext().getPromptAction().openCustomDialog(this.contentNode)
  71.       .then(() => {
  72.         console.info('UpdateCustomDialog complete.')
  73.       })
  74.       .catch((error: BusinessError) => {
  75.         let message = (error as BusinessError).message;
  76.         let code = (error as BusinessError).code;
  77.         console.error(`onClickOpenCustomDialog args error code is ${code}, message is ${message}`);
  78.       })
  79.   }
  80.   /**
  81.    * 点击显示DialogHub弹框
  82.    */
  83.   onClickDialogHub = ()=>{
  84.     DialogHub.getToast().setTextContent("测试数据").setDuration(2000).build().show();
  85.   }
  86.   aboutToDisappear() {
  87.     // 在自定义组件即将析构销毁时将dialogController置空
  88.     this.dialogController = null; // 将dialogController置空
  89.   }
  90.   build() {
  91.     Column(){
  92.       Button("customDialog")
  93.         .ButtonStyle()
  94.         .onClick(this.onClickCustomDialog)
  95.       Button("openCustomDialog")
  96.         .ButtonStyle()
  97.         .onClick(this.onClickOpenCustomDialog)
  98.       Button("dialogHub")
  99.         .ButtonStyle()
  100.         .onClick(this.onClickDialogHub)
  101.     }.size({
  102.       width: "100%",
  103.       height: "100%"
  104.     })
  105.   }
  106. }
复制代码
  1. {
  2.   "name": "entry",
  3.   "version": "1.0.0",
  4.   "description": "Please describe the basic information.",
  5.   "main": "",
  6.   "author": "",
  7.   "license": "",
  8.   "dependencies": {
  9.     "@hadss/dialoghub": "^1.0.0-rc.1"
  10.   }
  11. }
复制代码
免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。

本帖子中包含更多资源

您需要 登录 才可以下载或查看,没有账号?立即注册

x
回复

使用道具 举报

0 个回复

正序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

梦应逍遥

金牌会员
这个人很懒什么都没写!
快速回复 返回顶部 返回列表