当前位置:   article > 正文

学习鸿蒙基础(7)

学习鸿蒙基础(7)

一、@Watch状态变量更改通知
@Watch应用于对状态变量的监听。如果开发者需要关注某个状态变量的值是否改变,可以使用@Watch为状态变量设置回调函数。
1、装饰器参数:必填。常量字符串,字符串需要有引号。是(string)=> void自定义成员函数的方法的引用。
2、可装饰的自定义组件变量:装饰器@State、 @Prop、@Link、@ObjectLink、@Provide、 @Consume、@StorageProp以及@StorageLink所装饰的变量均可以通过@Watch监听其变化。不允许监听常规变量。
3、装饰器的顺序:建议@State、@Prop、@Link等装饰器在@Watch装饰器之前。

示例代码:模拟购物车多选效果。显示多选的数量展示。选中的时候通过watch去监听到选中的状态。更新ui

  1. import myList from '../components/myListWatch'
  2. import Item from '../model/ItemFlag'
  3. @Entry
  4. @Component
  5. struct PageWatch {
  6. @State text: string = ''
  7. @Provide list: Item [] = [
  8. new Item(Date.now(), "房子"),
  9. new Item(Date.now(), "车子")
  10. ]
  11. build() {
  12. Row() {
  13. Column() {
  14. Row(){
  15. Row() {
  16. CheckboxGroup({ group: "checkBoxGroup" })
  17. Text("全选")
  18. Button("删除").onClick(v => {
  19. this.list = this.list.filter(v =>!v.isChecked)
  20. }).margin({ left: "20" }).backgroundColor(Color.Red)
  21. }.margin({ top: "10", left: '20' })
  22. Summary()
  23. }.width("100%").justifyContent(FlexAlign.SpaceBetween)
  24. Row() {
  25. TextInput({ text: this.text }).width(250).onChange((value) => {
  26. this.text = value
  27. })
  28. Button("增加").onClick(() => {
  29. this.list.push(new Item(Date.now(), this.text))
  30. this.text = ""
  31. }).margin(10)
  32. }.width("100%").justifyContent(FlexAlign.SpaceBetween).margin(10)
  33. if (this.list.length) {
  34. ThisList()
  35. } else {
  36. Text("可你却总是笑我,一无所有")
  37. }
  38. }.width('100%')
  39. .height('100%')
  40. }
  41. }
  42. }
  43. @Component
  44. struct ThisList {
  45. @Consume list: Item[];
  46. build() {
  47. Row() {
  48. List() {
  49. ForEach(this.list, (item, index) => {
  50. ListItem() {
  51. myList({ item, index })
  52. }.margin(10)
  53. })
  54. }.layoutWeight(1).divider({
  55. strokeWidth: 1,
  56. color: Color.Blue,
  57. startMargin: 10,
  58. endMargin: 10
  59. })
  60. .width('100%')
  61. }
  62. }
  63. }
  64. @Component
  65. struct Summary {
  66. @Consume list: Item[];
  67. build() {
  68. Row() {
  69. Text(`${this.getchecked()}/${this.getTotal()}`).fontSize(26).margin({'left':14})
  70. }
  71. }
  72. getchecked(){
  73. return this.list.filter(item=>item.isChecked).length
  74. }
  75. getTotal(){
  76. return this.list.length
  77. }
  78. }
  1. import Item from '../model/ItemFlag';
  2. //自定义组件 组件与组件之间是隔离的
  3. @Component
  4. struct myListWatch {
  5. @Consume list: Item [];//把list注入进来 不用去传递了
  6. @ObjectLink @Watch("onItemChecked") item: Item;
  7. private index: number;
  8. onItemChecked(){
  9. console.log("checked")
  10. this.list.splice(this.index,1,this.item)//删除当前的对象,在插入一个改变了的对象
  11. }
  12. build() {
  13. Row() {
  14. Checkbox({group:"checkBoxGroup"}).select(this.item.isChecked).onChange(v=>{
  15. this.item.isChecked=v
  16. console.log(JSON.stringify(this.item))
  17. })
  18. Text(this.item.text).fontSize(20).decoration(
  19. {type:this.item.isChecked?TextDecorationType.Underline:TextDecorationType.None,
  20. color:Color.Blue}
  21. )
  22. Button("删除").backgroundColor(Color.Red).onClick(() => {
  23. this.list.splice(this.index, 1)
  24. })
  25. }.justifyContent(FlexAlign.SpaceBetween).width("100%")
  26. }
  27. }
  28. export default myListObserved
  1. @Observed class ItemFlag {
  2. id: number;
  3. text: string;
  4. isChecked:boolean;
  5. constructor(id: number, text: string,isChecked=false) {
  6. this.id = id
  7. this.text = text
  8. this.isChecked=isChecked
  9. }
  10. }
  11. export default ItemFlag

二、页面间共享状态-LocalStorage

LocalStorage是页面级的UI状态存储,通过@Entry装饰器接收的参数可以在页面内共享同一个LoalStorage实例。LocalStorage也可以在UIAbility内,页面间共享状态。
LocalStorage根据与@Component装饰的组件的同步类型不同,提供了两个装饰器:
@LocalStorageProp: @LocalStorageProp装饰的变量和与LocalStorage中给定属性建立单向同步关系。
@LocalStorageLink:  @LocalStorageLink装饰的变量和在@Component中创建与LocalStorage中给定属性建立双向同步关系。

  1. import router from '@ohos.router'
  2. let storage=LocalStorage.GetShared()
  3. @Entry(storage)
  4. @Component
  5. struct PageLocalStorage {
  6. @State message: string = 'Hello World'
  7. // @LocalStorageProp("name") n: string = ''
  8. @LocalStorageLink("name") n: string = ''
  9. build() {
  10. Row() {
  11. Column() {
  12. Text(this.n)
  13. .fontSize(50)
  14. .fontWeight(FontWeight.Bold)
  15. Button("跳转").onClick(v => {
  16. router.pushUrl({
  17. url:"pages/PageLSDetail"
  18. })
  19. })
  20. Son1()
  21. }
  22. .width('100%')
  23. }
  24. .height('100%')
  25. }
  26. }
  27. @Component
  28. struct Son1{
  29. @LocalStorageLink("name") m:string =""
  30. build(){
  31. Row(){
  32. Text(`child-${this.m}`)
  33. }
  34. }
  35. }
  1. import router from '@ohos.router'
  2. let storage=LocalStorage.GetShared()
  3. @Entry(storage)
  4. @Component
  5. struct PageLSDetail {
  6. @State message: string = 'Hello World'
  7. @LocalStorageLink("name") name:string=''
  8. build() {
  9. Row() {
  10. Column() {
  11. Text(this.name)
  12. .fontSize(50)
  13. .fontWeight(FontWeight.Bold)
  14. Button("返回").onClick(v => {
  15. this.name="車子"
  16. router.back()
  17. })
  18. }
  19. .width('100%')
  20. }
  21. .height('100%')
  22. }
  23. }
  1. import UIAbility from '@ohos.app.ability.UIAbility';
  2. import hilog from '@ohos.hilog';
  3. import window from '@ohos.window';
  4. export default class EntryAbility extends UIAbility {
  5. storage:LocalStorage =new LocalStorage({name:"房子"})
  6. onCreate(want, launchParam) {
  7. hilog.info(0x0000, 'testTag', '%{public}s', 'Ability onCreate');
  8. }
  9. onDestroy() {
  10. hilog.info(0x0000, 'testTag', '%{public}s', 'Ability onDestroy');
  11. }
  12. onWindowStageCreate(windowStage: window.WindowStage) {
  13. // Main window is created, set main page for this ability
  14. hilog.info(0x0000, 'testTag', '%{public}s', 'Ability onWindowStageCreate');
  15. windowStage.loadContent('pages/PageLocalStorage', this.storage,(err, data) => {
  16. if (err.code) {
  17. hilog.error(0x0000, 'testTag', 'Failed to load the content. Cause: %{public}s', JSON.stringify(err) ?? '');
  18. return;
  19. }
  20. hilog.info(0x0000, 'testTag', 'Succeeded in loading the content. Data: %{public}s', JSON.stringify(data) ?? '');
  21. });
  22. }
  23. onWindowStageDestroy() {
  24. // Main window is destroyed, release UI related resources
  25. hilog.info(0x0000, 'testTag', '%{public}s', 'Ability onWindowStageDestroy');
  26. }
  27. onForeground() {
  28. // Ability has brought to foreground
  29. hilog.info(0x0000, 'testTag', '%{public}s', 'Ability onForeground');
  30. }
  31. onBackground() {
  32. // Ability has back to background
  33. hilog.info(0x0000, 'testTag', '%{public}s', 'Ability onBackground');
  34. }
  35. }

三、AppStorage-应用全局的UI状态存储-非持久化

AppStorage是应用全局的UI状态存储,是和应用的进程绑定的,由UI框架在应用程序启动时创建,为应用程序UI状态属性提供中央存储。仅仅存储在内存当中。退出程序后。数据就丢失了。
AppStorage是在应用启动的时候会被创建的单例。它的目的是为了提供应用状态数据的中心存储,这些状态数据在应用级别都是可访问的。AppStorage将在应用运行过程保留其属性。属性通过唯一的键字符串值访问。
Appstorage可以和UI组件同步,且可以在应用业务逻辑中被访问。

    AppStorage.SetOrCreate("name","房子")
  @StorageProp("name") name:string =""

 

  @StorageLink("name") appname: string = ''

 四、PersistentStorage-持久化存储UI状态

PersistentStorage是应用程序中的可选单例对象。此对象的作用是持久化存储选定的AppStorage属性,以确保这些属性在应用程序重新启动时的值与应用程序关闭时的值相同。
PersistentStorage允许的类型和值有:
1、number,stringboolean,enum 等简单类型
2、可以被SON.stringify0和SON.parse0重构的对象。例如Date, Map, Set等内置类型则不支持,以及对象的属性方法不支持持久化了
注意:
PersistentStorage的持久化变量最好是小于2kb的数据,不要大量的数据持久化,因为PersistentStorage写入磁盘的操作是同步的,大量的数据本地化读写会同步在UI线程中执行,影响UI渲染性能。如果开发者需要存储大量的数据,建议使用数据库api。
PersistentStorage只能在UI页面内使用,否则将无法持久化数据。

  1. //只能在page页面中,才能持久化。
  2. PersistentStorage.PersistProp("name","房子")
  @StorageProp("name") name:string =""

 

  @StorageLink("name") appname: string = ''

 

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

闽ICP备14008679号