鸿蒙NEXT开发案例:计数器

news/2024/11/17 5:22:42/文章来源:https://www.cnblogs.com/zhongcx/p/18550209

 

【引言】(完整代码在最后面)

本文将通过一个简单的计数器应用案例,介绍如何利用鸿蒙NEXT的特性开发高效、美观的应用程序。我们将涵盖计数器的基本功能实现、用户界面设计、数据持久化及动画效果的添加。

【环境准备】

电脑系统:windows 10

开发工具:DevEco Studio 5.0.1 Beta3 Build Version: 5.0.5.200

工程版本:API 13

真机:Mate60 Pro

语言:ArkTS、ArkUI

【项目概述】

本项目旨在创建一个多计数器应用,用户可以自由地添加、编辑、重置和删除计数器。每个计数器具有独立的名称、当前值、增加步长和减少步长。应用还包括总计数的显示,以便用户快速了解所有计数器的总和。

【功能实现】

1、计数器模型

首先,我们定义了一个CounterItem类来表示单个计数器,其中包含了计数器的基本属性和行为。

@ObservedV2
class CounterItem {id: number = ++Index.counterId;@Trace name: string;@Trace count: number = 0;@Trace scale: ScaleOptions = { x: 1, y: 1 };upStep: number = 1;downStep: number = 1;constructor(name: string) {this.name = name;}
}

2、应用入口与状态管理

应用的主入口组件Index负责管理计数器列表、总计数、以及UI的状态。这里使用了@State和@Watch装饰器来监控状态的变化。

@Entry
@Component
struct Index {static counterStorageKey: string = "counterStorageKey";static counterId: number = 0;@State listSpacing: number = 20;@State listItemHeight: number = 120;@State baseFontSize: number = 60;@State @Watch('updateTotalCount') counters: CounterItem[] = [];@State totalCount: number = 0;@State isSheetVisible: boolean = false;@State selectedIndex: number = 0;// ...其他方法
}

3、数据持久化

为了保证数据在应用重启后仍然可用,我们使用了preferences模块来同步地读取和写入数据。

saveDataToLocal() {const saveData: object[] = this.counters.map(counter => ({count: counter.count,name: counter.name,upStep: counter.upStep,downStep: counter.downStep,}));this.dataPreferences?.putSync(Index.counterStorageKey, JSON.stringify(saveData));this.dataPreferences?.flush();
}

4、用户界面

用户界面的设计采用了现代简洁的风格,主要由顶部的总计数显示区、中间的计数器列表区和底部的操作按钮组成。列表项支持左右滑动以显示重置和删除按钮。

@Builder
itemStart(index: number) {Row() {Text('重置').fontColor(Color.White).fontSize('40lpx').textAlign(TextAlign.Center).width('180lpx');}.height('100%').backgroundColor(Color.Orange).justifyContent(FlexAlign.SpaceEvenly).borderRadius({ topLeft: 10, bottomLeft: 10 }).onClick(() => {this.counters[index].count = 0;this.updateTotalCount();this.listScroller.closeAllSwipeActions();});
}

5、动画效果

当用户添加新的计数器时,通过动画效果让新计数器逐渐放大至正常尺寸,提升用户体验。

this.counters.unshift(new CounterItem(`新计数项${Index.counterId}`));
this.listScroller.scrollTo({ xOffset: 0, yOffset: 0 });
this.counters[0].scale = { x: 0.8, y: 0.8 };animateTo({duration: 1000,curve: curves.springCurve(0, 10, 80, 10),iterations: 1,onFinish: () => {}
}, () => {this.counters[0].scale = { x: 1, y: 1 };
});

【总结】

通过上述步骤,我们成功地构建了一个具备基本功能的计数器应用。在这个过程中,我们不仅学习了如何使用鸿蒙NEXT提供的各种API,还掌握了如何结合动画、数据持久化等技术点来优化用户体验。希望本文能为你的鸿蒙开发之旅提供一些帮助和灵感!

【完整代码】

import { curves, promptAction } from '@kit.ArkUI' // 导入动画曲线和提示操作
import { preferences } from '@kit.ArkData' // 导入偏好设置模块@ObservedV2// 观察者装饰器,监控状态变化
class CounterItem {id: number = ++Index.counterId // 计数器ID,自动递增@Trace name: string // 计数器名称@Trace count: number = 0 // 计数器当前值,初始为0@Trace scale: ScaleOptions = { x: 1, y: 1 } // 计数器缩放比例,初始为1upStep: number = 1 // 增加步长,初始为1downStep: number = 1 // 减少步长,初始为1constructor(name: string) { // 构造函数,初始化计数器名称this.name = name}
}@Entry// 入口组件装饰器
@Component// 组件装饰器
struct Index {static counterStorageKey: string = "counterStorageKey" // 存储计数器数据的键static counterId: number = 0 // 静态计数器ID@State listSpacing: number = 20 // 列表项间距@State listItemHeight: number = 120 // 列表项高度@State baseFontSize: number = 60 // 基础字体大小@State @Watch('updateTotalCount') counters: CounterItem[] = [] // 计数器数组,监控总计数更新@State totalCount: number = 0 // 总计数@State isSheetVisible: boolean = false // 控制底部弹出表单的可见性@State selectedIndex: number = 0 // 当前选中的计数器索引listScroller: ListScroller = new ListScroller() // 列表滚动器实例dataPreferences: preferences.Preferences | undefined = undefined // 偏好设置实例updateTotalCount() { // 更新总计数的方法let total = 0; // 初始化总计数for (let i = 0; i < this.counters.length; i++) { // 遍历计数器数组total += this.counters[i].count // 累加每个计数器的count值}this.totalCount = total // 更新总计数this.saveDataToLocal() // 保存数据到本地}saveDataToLocal() { // 保存计数器数据到本地的方法const saveData: object[] = [] // 初始化保存数据的数组for (let i = 0; i < this.counters.length; i++) { // 遍历计数器数组let counter: CounterItem = this.counters[i] // 获取当前计数器saveData.push(Object({// 将计数器数据添加到保存数组count: counter.count,name: counter.name,upStep: counter.upStep,downStep: counter.downStep,}))}this.dataPreferences?.putSync(Index.counterStorageKey, JSON.stringify(saveData)) // 将数据保存到偏好设置this.dataPreferences?.flush() // 刷新偏好设置}@Builder// 构建器装饰器itemStart(index: number) { // 列表项左侧的重置按钮Row() {Text('重置').fontColor(Color.White).fontSize('40lpx')// 显示“重置”文本.textAlign(TextAlign.Center)// 文本居中.width('180lpx') // 设置宽度}.height('100%') // 设置高度.backgroundColor(Color.Orange) // 设置背景颜色.justifyContent(FlexAlign.SpaceEvenly) // 设置内容均匀分布.borderRadius({ topLeft: 10, bottomLeft: 10 }) // 设置圆角.onClick(() => { // 点击事件this.counters[index].count = 0 // 重置计数器的count为0this.updateTotalCount() // 更新总计数this.listScroller.closeAllSwipeActions() // 关闭所有滑动操作})}@Builder// 构建器装饰器itemEnd(index: number) { // 列表项右侧的删除按钮Row() {Text('删除').fontColor(Color.White).fontSize('40lpx')// 显示“删除”文本.textAlign(TextAlign.Center)// 文本居中.width('180lpx') // 设置宽度}.height('100%') // 设置高度.backgroundColor(Color.Red) // 设置背景颜色.justifyContent(FlexAlign.SpaceEvenly) // 设置内容均匀分布.borderRadius({ topRight: 10, bottomRight: 10 }) // 设置圆角.onClick(() => { // 点击事件this.counters.splice(index, 1) // 从数组中删除计数器this.listScroller.closeAllSwipeActions() // 关闭所有滑动操作promptAction.showToast({// 显示删除成功的提示message: '删除成功',duration: 2000,bottom: '400lpx'});})}aboutToAppear(): void { // 组件即将出现时调用const options: preferences.Options = { name: Index.counterStorageKey }; // 获取偏好设置选项this.dataPreferences = preferences.getPreferencesSync(getContext(), options); // 同步获取偏好设置const savedData: string = this.dataPreferences.getSync(Index.counterStorageKey, "[]") as string // 获取保存的数据const parsedData: Array<CounterItem> = JSON.parse(savedData) as Array<CounterItem> // 解析数据console.info(`parsedData:${JSON.stringify(parsedData)}`) // 打印解析后的数据for (const item of parsedData) { // 遍历解析后的数据const newItem = new CounterItem(item.name) // 创建新的计数器实例newItem.count = item.count // 设置计数器的countnewItem.upStep = item.upStep // 设置计数器的upStepnewItem.downStep = item.downStep // 设置计数器的downStepthis.counters.push(newItem) // 将新计数器添加到数组}this.updateTotalCount() // 更新总计数}build() { // 构建组件的UIColumn() {Text('计数器')// 显示标题.width('100%')// 设置宽度.height('88lpx')// 设置高度.fontSize('38lpx')// 设置字体大小.backgroundColor(Color.White)// 设置背景颜色.textAlign(TextAlign.Center) // 文本居中Column() {List({ space: this.listSpacing, scroller: this.listScroller }) { // 创建列表ForEach(this.counters, (counter: CounterItem, index: number) => { // 遍历计数器数组ListItem() { // 列表项Row() { // 行布局Stack() { // 堆叠布局Rect().fill("#65DACC").width(`${this.baseFontSize / 2}lpx`).height('4lpx') // 上方横条Circle()// 圆形按钮.width(`${this.baseFontSize}lpx`).height(`${this.baseFontSize}lpx`).fillOpacity(0)// 透明填充.borderWidth('4lpx')// 边框宽度.borderRadius('50%')// 圆角.borderColor("#65DACC") // 边框颜色}.width(`${this.baseFontSize * 2}lpx`) // 设置宽度.height(`100%`) // 设置高度.clickEffect({ scale: 0.6, level: ClickEffectLevel.LIGHT }) // 点击效果.onClick(() => { // 点击事件counter.count -= counter.downStep // 减少计数器的countthis.updateTotalCount() // 更新总计数})Stack() { // 堆叠布局Text(counter.name)// 显示计数器名称.fontSize(`${this.baseFontSize / 2}lpx`)// 设置字体大小.fontColor(Color.Gray)// 设置字体颜色.margin({ bottom: `${this.baseFontSize * 2}lpx` }) // 设置底部边距Text(`${counter.count}`)// 显示计数器当前值.fontColor(Color.Black)// 设置字体颜色.fontSize(`${this.baseFontSize}lpx`) // 设置字体大小}.height('100%') // 设置高度Stack() { // 堆叠布局Rect().fill("#65DACC").width(`${this.baseFontSize / 2}lpx`).height('4lpx') // 下方横条Rect().fill("#65DACC").width(`${this.baseFontSize / 2}lpx`).height('4lpx').rotate({ angle: 90 }) // 垂直横条Circle()// 圆形按钮.width(`${this.baseFontSize}lpx`)// 设置宽度.height(`${this.baseFontSize}lpx`)// 设置高度.fillOpacity(0)// 透明填充.borderWidth('4lpx')// 边框宽度.borderRadius('50%')// 圆角.borderColor("#65DACC") // 边框颜色}.width(`${this.baseFontSize * 2}lpx`) // 设置堆叠布局宽度.height(`100%`) // 设置堆叠布局高度.clickEffect({ scale: 0.6, level: ClickEffectLevel.LIGHT }) // 点击效果.onClick(() => { // 点击事件counter.count += counter.upStep // 增加计数器的countthis.updateTotalCount() // 更新总计数})}.width('100%') // 设置列表项宽度.backgroundColor(Color.White) // 设置背景颜色.justifyContent(FlexAlign.SpaceBetween) // 设置内容两端对齐.padding({ left: '30lpx', right: '30lpx' }) // 设置左右内边距}.height(this.listItemHeight) // 设置列表项高度.width('100%') // 设置列表项宽度.margin({// 设置列表项的外边距top: index == 0 ? this.listSpacing : 0, // 如果是第一个项,设置上边距bottom: index == this.counters.length - 1 ? this.listSpacing : 0 // 如果是最后一个项,设置下边距}).borderRadius(10) // 设置圆角.clip(true) // 裁剪超出部分.swipeAction({ start: this.itemStart(index), end: this.itemEnd(index) }) // 设置滑动操作.scale(counter.scale) // 设置计数器缩放比例.onClick(() => { // 点击事件this.selectedIndex = index // 设置当前选中的计数器索引this.isSheetVisible = true // 显示底部弹出表单})}, (counter: CounterItem) => counter.id.toString())// 使用计数器ID作为唯一键.onMove((from: number, to: number) => { // 列表项移动事件const tmp = this.counters.splice(from, 1); // 从原位置移除计数器this.counters.splice(to, 0, tmp[0]) // 插入到新位置})}.scrollBar(BarState.Off) // 隐藏滚动条.width('648lpx') // 设置列表宽度.height('100%') // 设置列表高度}.width('100%') // 设置列宽度.layoutWeight(1) // 设置布局权重Row() { // 底部合计行Column() { // 列布局Text('合计').fontSize('26lpx').fontColor(Color.Gray) // 显示“合计”文本Text(`${this.totalCount}`).fontSize('38lpx').fontColor(Color.Black) // 显示总计数}.margin({ left: '50lpx' }) // 设置左边距.justifyContent(FlexAlign.Start) // 设置内容左对齐.alignItems(HorizontalAlign.Start) // 设置项目左对齐.width('300lpx') // 设置列宽度Row() { // 添加按钮行Text('添加').fontColor(Color.White).fontSize('28lpx') // 显示“添加”文本}.onClick(() => { // 点击事件this.counters.unshift(new CounterItem(`新计数项${Index.counterId}`)) // 添加新计数器this.listScroller.scrollTo({ xOffset: 0, yOffset: 0 }) // 滚动到顶部this.counters[0].scale = { x: 0.8, y: 0.8 }; // 设置新计数器缩放animateTo({// 动画效果duration: 1000, // 动画持续时间curve: curves.springCurve(0, 10, 80, 10), // 动画曲线iterations: 1, // 动画迭代次数onFinish: () => { // 动画完成后的回调}}, () => {this.counters[0].scale = { x: 1, y: 1 }; // 恢复缩放})}).width('316lpx') // 设置按钮宽度.height('88lpx') // 设置按钮高度.backgroundColor("#65DACC") // 设置按钮背景颜色.borderRadius(10) // 设置按钮圆角.justifyContent(FlexAlign.Center) // 设置内容居中}.width('100%').height('192lpx').backgroundColor(Color.White) // 设置行宽度和高度}.backgroundColor("#f2f2f7") // 设置背景颜色.width('100%') // 设置宽度.height('100%') // 设置高度.bindSheet(this.isSheetVisible, this.mySheet(), {// 绑定底部弹出表单height: 300, // 设置表单高度dragBar: false, // 禁用拖动条onDisappear: () => { // 表单消失时的回调this.isSheetVisible = false // 隐藏表单}})}@Builder// 构建器装饰器mySheet() { // 创建底部弹出表单Column({ space: 20 }) { // 列布局,设置间距Row() { // 行布局Text('计数标题:') // 显示“计数标题”文本TextInput({ text: this.counters[this.selectedIndex].name }).width('300lpx').onChange((value) => { // 输入框,绑定计数器名称this.counters[this.selectedIndex].name = value // 更新计数器名称})}Row() { // 行布局Text('增加步长:') // 显示“增加步长”文本TextInput({ text: `${this.counters[this.selectedIndex].upStep}` })// 输入框,绑定增加步长.width('300lpx')// 设置输入框宽度.type(InputType.Number)// 设置输入框类型为数字.onChange((value) => { // 输入框变化事件this.counters[this.selectedIndex].upStep = parseInt(value) // 更新增加步长this.updateTotalCount() // 更新总计数})}Row() { // 行布局Text('减少步长:') // 显示“减少步长”文本TextInput({ text: `${this.counters[this.selectedIndex].downStep}` })// 输入框,绑定减少步长.width('300lpx')// 设置输入框宽度.type(InputType.Number)// 设置输入框类型为数字.onChange((value) => { // 输入框变化事件this.counters[this.selectedIndex].downStep = parseInt(value) // 更新减少步长this.updateTotalCount() // 更新总计数})}}.justifyContent(FlexAlign.Start) // 设置内容左对齐.padding(40) // 设置内边距.width('100%') // 设置宽度.height('100%') // 设置高度.backgroundColor(Color.White) // 设置背景颜色}
}

  

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.hqwc.cn/news/835062.html

如若内容造成侵权/违法违规/事实不符,请联系编程知识网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

CuVLER:通过穷尽式自监督Transformer增强无监督对象发现

CuVLER:通过穷尽式自监督Transformer增强无监督对象发现介绍了VoteCut,这是一种创新的无监督对象发现方法,它利用了来自多个自监督模型的特征表示。VoteCut采用基于归一化切割的图分割、聚类和像素投票方法。此外,还介绍了CuVLER(Cut-Vote-and-LEaRn),一种零样本模型,使…

考研打卡(20)

开局(20) 开始时间 2024-11-17 01:43:23 结束时间 2024-11-17 02:20:40再弄一篇数据结构一棵二叉树的前序遍历序列为ABCDEFG,它的中序遍历序列可能是______(湖南大学 2015年) A CABDEFG B ABCDEFG C DACEFBG D DBCEAFGB 答案只要按照前序序列的顺序入栈,无论怎么出栈肯…

考研打卡(19)

开局(19) 开始时间 2024-11-17 00:53:40 结束时间 2024-11-17 01:36:36在网吧数据结构 假设在有序线性表A[1..30]上进行二分查找,则比较五次查找成功的结点数为______(厦门大学 2018年) A 8 B 12 C 15 D 16C 答案查找一次成功的节点数为1,值为15 查找二次成功的节点数…

51单片机定时器数码管显示

51单片机定时器数码管显示 本次的实现效果方式采用模拟进行,芯片为AT89C51,开发软件为keil5,proteus 通过定时器实现数码管0-99秒表计数 @目录上代码效果展示介绍 上代码 代码如下: #include "reg51.h" //包含头文件reg51.h,定义了51单片机的专用寄存器unsigned …

idea安装激活教程(2024.x.x,亲测有效)

前言 很多朋友简信告诉我,看不懂纯文字。好吧,如今重要部分带图片,自行阅读! 第一步 前往idea的官网,下载idea 2024.1.5(博主亲测版本)下载完成后,进行安装,next,安装完成 首次打开,会要求输入激活码才能使用 第二步 点击获取补丁文件 保存下载之后 进入文件夹*** /Je…

基于字符数组s[]的s,s

看这样一段代码: #include <iostream> using namespace std;int main() {const char s[] = "hello";cout << "Array content (s): " << s << endl; // 输出字符串内容cout << "Address of s (&s): " &…

UE5 打包安卓后出现permission required you must approve this premission in app settings: storage弹窗

论坛里面有人给出了利用UPL解决的方法但不会UPL,没有使用这个方法,而是参考了这篇知乎文章 其实都提到了在项目文件\Intermediate\Android\arm64_AndroidManifest.xml这个文件中的修改, 而在一开始的这个弹窗是其中的这条语句<meta-data android:name="com.epicgame…

20222405 2024-2025-1 《网络与系统攻防技术》实验六实验报告

1.实验内容 经过高强度的攻击渗透操作,我现在已经熟练的掌握了Metasploit工具的用法,也深刻体会到漏洞的可怕之处,这些漏洞会严重威胁到我们的隐私安全。 2.实验过程 (1)前期渗透 ①主机发现 输入命令msfconsole进入控制台 再search arp_sweep搜索一下成功找到 输入use 0使…

第五章

5.1 节练习 练习 5.1 空语句是最简单的语句,空语句由一个单独的分号构成。如果在程序的某个地方,语法上需要一条语句但是逻辑上不需要,此时应该使用空语句,空语句什么也不做。 一种常见的情况是,当循环的全部工作在条件部分就可以完成时,我们通常会用到空语句。使用空语句…

AI独立开发完全指南:从Cursor到变现的实战攻略

大家好,我是加加,今天给大家分享的是用 cursor 实现复杂创意想法。近期参加了圈子里的 cursor 培训,当了回教练,以下是我分享的那节课的主要内容,分享给初学者想要入门AI独立开发的朋友。这几乎就是逐字稿了,但是生生的让我给读成了磕磕绊绊,我这口头表达能力啊,真是太…