HarmonyOS应用六之应用程序进阶二

目录:

    • 一、进度条通知
    • 二、闹钟提醒
      • 2.1、在module.json5配置文件中开启权限
      • 2.2、导入后台代理提醒reminderAgentManager模块,将此模块命名为reminderAgentManager
      • 2.3、如果是新增提醒,实现步骤如下:
    • 3、Native C++交互
    • 4、第三方库的基本使用
    • 5、应用上架

一、进度条通知

/** Copyright (c) 2023 Huawei Device Co., Ltd.* Licensed under the Apache License, Version 2.0 (the "License");* you may not use this file except in compliance with the License.* You may obtain a copy of the License at**     http://www.apache.org/licenses/LICENSE-2.0** Unless required by applicable law or agreed to in writing, software* distributed under the License is distributed on an "AS IS" BASIS,* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.* See the License for the specific language governing permissions and* limitations under the License.*/import { common } from '@kit.AbilityKit';
import { promptAction } from '@kit.ArkUI';
import { notificationManager } from '@kit.NotificationKit';
import { createWantAgent, publishNotification, openNotificationPermission } from '../common/utils/NotificationUtil';
import { getStringByRes } from '../common/utils/ResourseUtil';
import Logger from '../common/utils/Logger';
import CommonConstants, { DOWNLOAD_STATUS } from '../common/constants/CommonConstants';@Entry
@Component
struct MainPage {@State downloadStatus: number = DOWNLOAD_STATUS.INITIAL;@State downloadProgress: number = 0;private context = getContext(this) as common.UIAbilityContext;private isSupport: boolean = true;private notificationTitle: string = '';private wantAgentObj: object = new Object();private interval: number = -1;aboutToAppear() {//打开通知权限openNotificationPermission();let bundleName = this.context.abilityInfo.bundleName;let abilityName = this.context.abilityInfo.name;//创建want行为意图createWantAgent(bundleName, abilityName).then(want => {this.wantAgentObj = want;}).catch((err: Error) => {Logger.error(`getWantAgent fail, err: ${JSON.stringify(err)}`);});//判断当前系统知否支持下载通知模版notificationManager.isSupportTemplate('downloadTemplate').then(isSupport => {if (!isSupport) {promptAction.showToast({message: $r('app.string.invalid_button_toast')})}this.isSupport = isSupport;});}
//此方法监听页面返回,此处是页面返回后调用取消下载的方法onBackPress() {this.cancel();}build() {Column() {Text($r('app.string.title')).fontSize($r('app.float.title_font_size')).fontWeight(CommonConstants.FONT_WEIGHT_LAGER).width(CommonConstants.TITLE_WIDTH).textAlign(TextAlign.Start).margin({top: $r('app.float.title_margin_top'),bottom: $r('app.float.title_margin_top')})Row() {Column() {Image($r('app.media.ic_image')).objectFit(ImageFit.Fill).width($r('app.float.card_image_length')).height($r('app.float.card_image_length'))}.layoutWeight(CommonConstants.IMAGE_WEIGHT).height(CommonConstants.FULL_LENGTH).alignItems(HorizontalAlign.Start)Column() {Row() {Text(CommonConstants.DOWNLOAD_FILE).fontSize($r('app.float.name_font_size')).textAlign(TextAlign.Center).fontWeight(CommonConstants.FONT_WEIGHT_LAGER).lineHeight($r('app.float.name_font_height'))Text(`${this.downloadProgress}%`).fontSize($r('app.float.normal_font_size')).lineHeight($r('app.float.name_font_height')).opacity(CommonConstants.FONT_OPACITY)}.justifyContent(FlexAlign.SpaceBetween).width(CommonConstants.FULL_LENGTH)Progress({value: this.downloadProgress,total: CommonConstants.PROGRESS_TOTAL}).width(CommonConstants.FULL_LENGTH)Row() {Text(CommonConstants.FILE_SIZE).fontSize($r('app.float.normal_font_size')).lineHeight($r('app.float.name_font_height')).opacity(CommonConstants.FONT_OPACITY)if (this.downloadStatus === DOWNLOAD_STATUS.INITIAL) {this.customButton($r('app.string.button_download'), (): Promise<void> => this.start())} else if (this.downloadStatus === DOWNLOAD_STATUS.DOWNLOADING) {Row() {this.cancelButton()this.customButton($r('app.string.button_pause'), (): Promise<void> => this.pause())}} else if (this.downloadStatus === DOWNLOAD_STATUS.PAUSE) {Row() {this.cancelButton()this.customButton($r('app.string.button_resume'), (): Promise<void> => this.resume())}} else {this.customButton($r('app.string.button_finish'), (): void => this.open())}}.width(CommonConstants.FULL_LENGTH).justifyContent(FlexAlign.SpaceBetween)}.layoutWeight(CommonConstants.CARD_CONTENT_WEIGHT).height(CommonConstants.FULL_LENGTH).justifyContent(FlexAlign.SpaceBetween)}.width(CommonConstants.CARD_WIDTH).height($r('app.float.card_height')).backgroundColor(Color.White).borderRadius($r('app.float.card_border_radius')).justifyContent(FlexAlign.SpaceBetween).padding($r('app.float.card_padding'))}.width(CommonConstants.FULL_LENGTH).height(CommonConstants.FULL_LENGTH).backgroundColor($r('app.color.index_background_color'))}/*** Start the timer and send notification.(下载逻辑)*/download() {this.interval = setInterval(async () => {if (this.downloadProgress === CommonConstants.PROGRESS_TOTAL) {this.notificationTitle = await getStringByRes($r('app.string.notification_title_finish'), this);this.downloadStatus = DOWNLOAD_STATUS.FINISHED;clearInterval(this.interval);} else {this.downloadProgress += CommonConstants.PROGRESS_SPEED;}if (this.isSupport) {publishNotification(this.downloadProgress, this.notificationTitle, this.wantAgentObj);}}, CommonConstants.UPDATE_FREQUENCY);}/*** Click to download.(开始下载)*/async start() {this.notificationTitle = await getStringByRes($r('app.string.notification_title_download'), this);this.downloadStatus = DOWNLOAD_STATUS.DOWNLOADING;this.downloadProgress = 0;this.download();}/*** Click pause.(暂停逻辑)*/async pause() {this.notificationTitle = await getStringByRes($r('app.string.notification_title_pause'), this);clearInterval(this.interval);this.downloadStatus = DOWNLOAD_STATUS.PAUSE;if (this.isSupport) {publishNotification(this.downloadProgress, this.notificationTitle, this.wantAgentObj);}}/*** Click resume.(继续下载逻辑)*/async resume() {this.notificationTitle = await getStringByRes($r('app.string.notification_title_download'), this);this.download();this.downloadStatus = DOWNLOAD_STATUS.DOWNLOADING;}/*** Click cancel.(取消逻辑)*/async cancel() {this.downloadProgress = 0;clearInterval(this.interval);this.downloadStatus = DOWNLOAD_STATUS.INITIAL;notificationManager.cancel(CommonConstants.NOTIFICATION_ID);}/*** Open file*/open() {promptAction.showToast({message: $r('app.string.invalid_button_toast')})}@BuildercustomButton(textResource: Resource, click: Function = () => {}) {Button(textResource).backgroundColor($r('app.color.button_color')).buttonsStyle().onClick(() => {click();})}@BuildercancelButton() {Button($r('app.string.button_cancel')).buttonsStyle().backgroundColor($r('app.color.cancel_button_color')).fontColor($r('app.color.button_color')).margin({ right: $r('app.float.button_margin') }).onClick(() => {this.cancel();})}
}@Extend(Button)
function buttonsStyle() {.constraintSize({ minWidth: $r('app.float.button_width') }).height($r('app.float.button_height')).borderRadius($r('app.float.button_border_radius')).fontSize($r('app.float.button_font_size'))
}

NotificationUtil.ets:

/** Copyright (c) 2023 Huawei Device Co., Ltd.* Licensed under the Apache License, Version 2.0 (the "License");* you may not use this file except in compliance with the License.* You may obtain a copy of the License at** http://www.apache.org/licenses/LICENSE-2.0** Unless required by applicable law or agreed to in writing, software* distributed under the License is distributed on an "AS IS" BASIS,* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.* See the License for the specific language governing permissions and* limitations under the License.*/import { wantAgent } from '@kit.AbilityKit';
import { notificationManager } from '@kit.NotificationKit';
import CommonConstants from '../constants/CommonConstants';
import Logger from '../utils/Logger';/*** Obtains the WantAgent of an application.** @returns WantAgent of an application.*///创建行为意图并拉起拉起UIAbility
export function createWantAgent(bundleName: string, abilityName: string): Promise<object> {let wantAgentInfo = {wants: [{bundleName: bundleName,abilityName: abilityName}],operationType: wantAgent.OperationType.START_ABILITY,requestCode: 0,wantAgentFlags: [wantAgent.WantAgentFlags.CONSTANT_FLAG]} as wantAgent.WantAgentInfo;return wantAgent.getWantAgent(wantAgentInfo);
}/*** Publish notification.** @param progress Download progress* @param title Notification title.* @param wantAgentObj The want of application.*///发布下载通知模版
export function publishNotification(progress: number, title: string, wantAgentObj: object) {let template:notificationManager.NotificationTemplate = {name: 'downloadTemplate',data: {title:  `${title}`,fileName:  `${title}${CommonConstants.DOWNLOAD_FILE}`,progressValue: progress,progressMaxValue: CommonConstants.PROGRESS_TOTAL,isProgressIndeterminate: false}};let notificationRequest: notificationManager.NotificationRequest = {id: CommonConstants.NOTIFICATION_ID,notificationSlotType: notificationManager.SlotType.CONTENT_INFORMATION,// Construct a progress bar template. The name field must be set to downloadTemplate.template: template,content: {notificationContentType: notificationManager.ContentType.NOTIFICATION_CONTENT_BASIC_TEXT,normal: {title: `${title}${CommonConstants.DOWNLOAD_FILE}`,text: ' ',additionalText: `${progress}%`}},wantAgent: wantAgentObj};notificationManager.publish(notificationRequest).catch((err: Error) => {Logger.error(`[ANS] publish failed,message is ${err}`);});
}/*** open notification permission*///请求通知权限
export function openNotificationPermission() {notificationManager.requestEnableNotification().then(() => {Logger.info('Enable notification success');}).catch((err:Error) => {Logger.error('Enable notification failed because ' + JSON.stringify(err));});
}

二、闹钟提醒

2.1、在module.json5配置文件中开启权限

"module": {// ..."requestPermissions": [{"name": "ohos.permission.PUBLISH_AGENT_REMINDER"}]
}

2.2、导入后台代理提醒reminderAgentManager模块,将此模块命名为reminderAgentManager

import { reminderAgentManager } from '@kit.BackgroundTasksKit';

2.3、如果是新增提醒,实现步骤如下:

  • 用reminderAgent.ReminderRequest类定义提醒实例。
import { reminderAgentManager } from '@kit.BackgroundTasksKit';
// ...export class ReminderService {public addReminder(alarmItem: ReminderItem, callback?: (reminderId: number) => void) {let reminder = this.initReminder(alarmItem);reminderAgentManager.publishReminder(reminder, (err, reminderId) => {if (callback != null) {callback(reminderId);}});}private initReminder(item: ReminderItem): reminderAgentManager.ReminderRequestAlarm {return {reminderType: item.remindType,hour: item.hour,minute: item.minute,daysOfWeek: item.repeatDays,title: item.name,ringDuration: item.duration * CommonConstants.DEFAULT_TOTAL_MINUTE,snoozeTimes: item.intervalTimes,timeInterval: item.intervalMinute * CommonConstants.DEFAULT_TOTAL_MINUTE,actionButton: [{title: '关闭',type: reminderAgentManager.ActionButtonType.ACTION_BUTTON_TYPE_CLOSE},// ...],wantAgent: {pkgName: CommonConstants.BUNDLE_NAME,abilityName: CommonConstants.ABILITY_NAME},notificationId: item.notificationId,// ...}}// ...
}
  • 发布提醒。

import { reminderAgentManager } from '@kit.BackgroundTasksKit';
// ...export class ReminderService {public addReminder(alarmItem: ReminderItem, callback?: (reminderId: number) => void) {let reminder = this.initReminder(alarmItem);reminderAgentManager.publishReminder(reminder, (err, reminderId) => {if (callback != null) {callback(reminderId);}});}private initReminder(item: ReminderItem): reminderAgentManager.ReminderRequestAlarm {// ...}// ...
}

3、Native C++交互

  • 设置模块注册信息

ArkTS侧import native模块时,会加载其对应的so。加载so时,首先会调用napi_module_register方法,将模块注册到系统中,并调用模块初始化函数。

napi_module有两个关键属性:一个是.nm_register_func,定义模块初始化函数;另一个是.nm_modname,定义模块的名称,也就是ArkTS侧引入的so库的名称,模块系统会根据此名称来区分不同的so。

// entry/src/main/cpp/hello.cpp// 准备模块加载相关信息,将上述Init函数与本模块名等信息记录下来。
static napi_module demoModule = {.nm_version = 1,.nm_flags = 0,.nm_filename = nullptr,.nm_register_func = Init,.nm_modname = "entry",.nm_priv = nullptr,.reserved = {0},
};// 加载so时,该函数会自动被调用,将上述demoModule模块注册到系统中。
extern "C" __attribute__((constructor)) void RegisterDemoModule() { napi_module_register(&demoModule);}
  • 模块初始化

实现ArkTS接口与C++接口的绑定和映射。

// entry/src/main/cpp/hello.cpp
EXTERN_C_START
// 模块初始化
static napi_value Init(napi_env env, napi_value exports) {// ArkTS接口与C++接口的绑定和映射napi_property_descriptor desc[] = {{"callNative", nullptr, CallNative, nullptr, nullptr, nullptr, napi_default, nullptr},{"nativeCallArkTS", nullptr, NativeCallArkTS, nullptr, nullptr, nullptr, napi_default, nullptr},};// 在exports对象上挂载CallNative/NativeCallArkTS两个Native方法napi_define_properties(env, exports, sizeof(desc) / sizeof(desc[0]), desc);return exports;
}
EXTERN_C_END// 模块基本信息
static napi_module demoModule = {.nm_version = 1,.nm_flags = 0,.nm_filename = nullptr,.nm_register_func = Init,.nm_modname = "entry",.nm_priv = nullptr,.reserved = {0},
};
  • 在index.d.ts文件中,提供JS侧的接口方法。
// entry/src/main/cpp/types/libentry/index.d.ts
export const callNative: (a: number, b: number) => number;
export const nativeCallArkTS: (cb: (a: number) => number) => number;
在oh-package.json5文件中将index.d.ts与cpp文件关联起来。{"name": "libentry.so","types": "./index.d.ts","version": "","description": "Please describe the basic information."
}
  • 在CMakeLists.txt文件中配置CMake打包参数。
# entry/src/main/cpp/CMakeLists.txt
cmake_minimum_required(VERSION 3.4.1)
project(MyApplication2)set(NATIVERENDER_ROOT_PATH ${CMAKE_CURRENT_SOURCE_DIR})include_directories(${NATIVERENDER_ROOT_PATH}${NATIVERENDER_ROOT_PATH}/include)# 添加名为entry的库
add_library(entry SHARED hello.cpp)
# 构建此可执行文件需要链接的库
target_link_libraries(entry PUBLIC libace_napi.z.so)
  • 实现Native侧的CallNative以及NativeCallArkTS接口。具体代码如下:
// entry/src/main/cpp/hello.cpp
static napi_value CallNative(napi_env env, napi_callback_info info)
{size_t argc = 2;// 声明参数数组napi_value args[2] = {nullptr};// 获取传入的参数并依次放入参数数组中napi_get_cb_info(env, info, &argc, args, nullptr, nullptr);// 依次获取参数double value0;napi_get_value_double(env, args[0], &value0);double value1;napi_get_value_double(env, args[1], &value1);// 返回两数相加的结果napi_value sum;napi_create_double(env, value0 + value1, &sum);return sum;
}static napi_value NativeCallArkTS(napi_env env, napi_callback_info info)
{    size_t argc = 1;// 声明参数数组napi_value args[1] = {nullptr};// 获取传入的参数并依次放入参数数组中napi_get_cb_info(env, info, &argc, args , nullptr, nullptr);// 创建一个int,作为ArkTS的入参napi_value argv = nullptr;    napi_create_int32(env, 2, &argv );// 调用传入的callback,并将其结果返回napi_value result = nullptr;napi_call_function(env, nullptr, args[0], 1, &argv, &result);return result;
}
  • ArkTS侧调用C/C++方法实现

ArkTS侧通过import引入Native侧包含处理逻辑的so来使用C/C++的方法。

// entry/src/main/ets/pages/Index.ets
// 通过import的方式,引入Native能力。
import nativeModule from 'libentry.so'@Entry
@Component
struct Index {@State message: string = 'Test Node-API callNative result: ';@State message2: string = 'Test Node-API nativeCallArkTS result: ';build() {Row() {Column() {// 第一个按钮,调用add方法,对应到Native侧的CallNative方法,进行两数相加。Text(this.message).fontSize(50).fontWeight(FontWeight.Bold).onClick(() => {this.message += nativeModule.callNative(2, 3);})// 第二个按钮,调用nativeCallArkTS方法,对应到Native的NativeCallArkTS,在Native调用ArkTS function。Text(this.message2).fontSize(50).fontWeight(FontWeight.Bold).onClick(() => {this.message2 += nativeModule.nativeCallArkTS((a: number)=> {return a * 2;});})}.width('100%')}.height('100%')}
}

具体的和c++交互的流程如上,具体的c++代码可以自行参考去实现。

4、第三方库的基本使用

  • 安装@ohos/lottie

通过ohpm执行对应的指令,将lottie安装到项目中。

ohpm install @ohos/lottie
  • 卸载@ohos/lottie

通过ohpm执行卸载指令,将lottie从项目中删除,其程序包和配置信息将会从项目中移除。

ohpm uninstall @ohos/lottie
  • 构建Canvas画布

@ohos/lottie解析JSON动画文件的数据需要基于Canvas 画布进行2D渲染,所以在加载JSON动画之前,要先初始化渲染上下文,并在画面中创建Canvas画布区域,将对应的渲染上下文renderingContext传递给Canvas。

// 初始化渲染上下文  
private renderingSettings: RenderingContextSettings = new RenderingContextSettings(true) // 设置开启抗锯齿
private renderingContext: CanvasRenderingContext2D = new CanvasRenderingContext2D(this.renderingSettings)  // 创建2D渲染上下文// 加载Canvas画布   
Canvas(this.renderingContext)...
  • 使用@ohos/lottie加载JSON动画
    加载JSON动画需要用到loadAnimation方法,在方法中需配置相应的初始设置,包括渲染上下文、渲染方式以及JSON动画资源的路径等。可以直接使用lottie.loadAnimation方法,也可以用一个animationItem实例来接收返回的animationItem对象。
// 用animationItem实例接收
let animationItem = lottie.loadAnimation({container: this.renderingContext,            // 渲染上下文renderer: 'canvas',                          // 渲染方式loop: true,                                  // 是否循环播放,默认trueautoplay: true,                              // 是否自动播放,默认truepath: 'common/lottie/data.json',             // json路径})      lottie.loadAnimation({                               // 或者直接使用container: this.renderingContext,            // 渲染上下文renderer: 'canvas',                          // 渲染方式loop: true,                                  // 是否循环播放,默认trueautoplay: true,                              // 是否自动播放,默认truepath: 'common/lottie/data.json',             // json路径})
  • @ohos/lottie控制动画

@ohos/lottie内封装了包括状态控制,进度控制,播放设置控制和属性控制等多个API,用户可以利用这些API完成对动画的控制,实现更加灵活的交互效果。

// 播放、暂停、停止、销毁  可以使用lottie,也可以使用animationItem实例进行控制
lottie.play();        // 从目前停止的帧开始播放
lottie.stop();        // 停止播放,回到第0帧
lottie.pause();       // 暂停该动画,在当前帧停止并保持
lottie.togglePause(); // 切换暂停/播放状态
lottie.destroy();     // 删除该动画,移除相应的元素标签等。在unmount的时候,需要调用该方法// 播放进度控制
animationItem.goToAndStop(value, isFrame); // 跳到某个时刻/帧并停止。isFrame(默认false)指示value表示帧还是时间(毫秒)
animationItem.goToAndPlay(value, isFrame); // 跳到某个时刻/帧并进行播放
animationItem.goToAndStop(30, true);       // 例:跳转到第30帧并停止
animationItem.goToAndPlay(300);            // 例:跳转到第300毫秒并播放// 控制帧播放
animationItem.setSegment(5,15);             // 限定动画资源播放时的整体帧范围,即设置动画片段
animationItem.resetSegments(5,15);          // 重置播放的动画片段
animationItem.playSegments(arr, forceFlag); // arr可以包含两个数字或者两个数字组成的数组,forceFlag表示是否立即强制播放该片段
animationItem.playSegments([10,20], false); // 例:播放完之前的片段,播放10-20帧
animationItem.playSegments([[5,15],[20,30]], true); //例: 直接播放5-15帧和20-30帧// 动画基本属性控制
lottie.setSpeed(speed);         // 设置播放速度,speed为1表示正常速度
lottie.setDirection(direction); // 设置播放方向,1表示正向播放,-1表示反向播放// 获取动画帧数属性
animationItem.getDuration();    //获取动画时长

通过上述的引用第三方库后就可以使用第三方库里面的一些函数方法了,引用第三方库都可以使用这个方法去调用第三方库的函数。

5、应用上架

直接参考鸿蒙官方文档应用上架:
https://developer.huawei.com/consumer/cn/training/course/slightMooc/C101705111830082071

简单总结:
需要在华为AppGallery Connect进行签名审核,通过后将签名文件放在项目里一起打包,打包后的文件包以及资料上传到AppGallery Connect进行上架。

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

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

相关文章

使用IDEA和vecode创建vue项目并启动

一、使用IDEA创建Vue项目 一、打开IDEA下载Vue插件 打开IDEA的设置找到插件并查找到下载Vue.js这个插件 二、用IDEA创建Vue项目 新建项目并选择到Vue生成器 我这是IDEA自带的 创建项目非常迅速 端口号&#xff08;默认&#xff09;&#xff1a;5173 版本是3.x 启动项目…

使用scss生成旋转圆圈

图片 html代码&#xff1a; <!DOCTYPE html> <html lang"en"><head><meta charset"UTF-8"><meta name"viewport" content"widthdevice-width, initial-scale1.0"><title>Document</title>…

modbus tcp wireshark抓包

Modbus TCP报文详解与wireshark抓包分析_mbap-CSDN博客 关于wireshark无法分析出modbusTCP报文的事情_wireshark 协议一列怎么没有modbus tcp-CSDN博客 使用Wireshark过滤Modbus功能码 - 技象科技 连接建立以后才能显示Modbus TCP报文 modbus.func_code 未建立连接时&…

澳鹏干货 | 大语言模型的上下文窗口 (Context Windows)

大语言模型&#xff08;LLMs&#xff09;极大地提升了人工智能在理解和生成文本方面的能力。其中一个影响其效用的重要方面是“上下文窗口”&#xff08;Context Windows&#xff09;—— 这个概念直接影响着模型接收和生成语言的有效性。 本期澳鹏干货将深入探讨上下文窗口对…

AI 自学 Lesson1 - Sklearn(开源Python机器学习包)

目录 背景 作为 lesson1 的原因 一、Sklearn 概述 1. Sklearn 算法库 2. 主要组件 3. 核心流程 4. 自带数据集 二、Sklearn 实操&库名称总结 1. 数据导入 2.数据预处理 2.1 数据划分 2.2 数据变换操作 2.3 特征选择 3. 监督学习算法 3.1 监督学习算法-回归 …

手机控车系统是一种高科技的汽车智能控制系统?

手机控车系统概述 系统概述 移动管家手机控车系统集成了汽车安防、智能化控制及专业配置产品&#xff0c;采用了先进的生产检测设备和质控体系&#xff0c;确保产品质量。该系统支持手机远程控车、远程报警、卫星定位、无匙进入、一键启动、自动升窗等全面功能&#xff0c;为用…

Spark:DataFrame介绍及使用

1. DataFrame详解 DataFrame是基于RDD进行封装的结构化数据类型&#xff0c;增加了schema元数据&#xff0c;最终DataFrame类型在计算时&#xff0c;还是转为rdd计算。DataFrame的结构化数据有Row&#xff08;行数据&#xff09;和schema元数据构成。 Row 类型 表示一行数据 …

C++笔记之原子操作

C++笔记之原子操作 code review! 文章目录 C++笔记之原子操作1.初始化2.赋值3.取值4.赋给另一个原子类型5.`exchange`6.`compare_exchange_weak` 和 `compare_exchange_strong`使用场景7.注意事项在 C++ 中,原子类型提供了对共享变量的无锁操作,确保多线程环境下的安全。以下…

AI的风终于吹到到了短剧,也把财富的风吹到了家门口!

近年来&#xff0c;AI技术在短剧领域的创新应用&#xff0c;给整个行业带来了全新的变革。以快手平台为例&#xff0c;一部以**《山海经》为背景的短剧“李行舟”在今年7月13日上线后引发热议。** 这部短剧讲述了少年李行舟在大海中与古代神灵和各种异兽搏斗的故事。与传统影视…

【C++11】lambda表达式

前言&#xff1a; 随着 C11 的发布&#xff0c;C 标准引入了许多新特性&#xff0c;使语言更加现代化&#xff0c;开发者编写的代码也变得更加简洁和易于维护。Lambda 表达式是其中一个重要的特性&#xff0c;它提供了一种方便的方式来定义匿名函数&#xff0c;这在函数式编程范…

并发——笔试面试总结

1. 进程之间通信的途径有哪些&#xff1f;并说一下他们的通信机制原理 进程间通信的途径包括管道、消息队列、共享内存、信号量、套接字等&#xff0c;以下是几种常见的进程间通信方式及原理&#xff1a; (1) 管道(Pipe) 通信机制原理&#xff1a;管道是一种半双工的通信方式&a…

A0001.主机访问虚拟机中的共享文件完事教程

1. 先在虚拟机中创建一个共享文件夹 2. 在虚拟机的windows系统中查看ip地址 3. 检查网络是否连通 4. 访问虚拟机 5. 登录帐号密码

【JavaEE】——Udp翻译器的实现(回显服务器)

阿华代码&#xff0c;不是逆风&#xff0c;就是我疯 你们的点赞收藏是我前进最大的动力&#xff01;&#xff01; 希望本文内容能够帮助到你&#xff01;&#xff01; 目录 一&#xff1a;引入 1&#xff1a;基本概念 二&#xff1a;UDP socket API使用 1&#xff1a;socke…

正点原子讲解SPI学习,驱动编程NOR FLASH实战

配置SPI传输速度时&#xff0c;需要先失能SPI,__HAL_SPI_DISABLE,然后操作SPI_CR1中的波特率设置位&#xff0c;再使能SPI, NM25Q128驱动步骤 myspi.c #include "./BSP/MYSPI/myspi.h"SPI_HandleTypeDef g_spi1_handler; /* SPI句柄 */void spi1_init(void) {g_spi…

使用Hugging Face中的BERT进行标题分类

使用Hugging Face中的BERT进行标题分类 前言相关介绍出处基本原理优点缺点 前提条件实验环境BERT进行标题分类准备数据集读取数据集划分数据集设置相关参数创建自己DataSet对象计算准确率定义预训练模型定义优化器训练模型保存模型测试模型 参考文献 前言 由于本人水平有限&…

动态规划-简单多状态dp问题——面试题17.16.按摩师

多状态问题的核心就是每个位置不止有一个状态&#xff0c;因此需要多个dp表表示不同状态对应位置的值&#xff0c;然后根据题目考虑特定情况写出状态转移方程即可 1.题目解析 题目来源&#xff1a;面试题17.16.按摩师——力扣 测试用例 2.算法原理 1.状态表示 这里与路径问…

YOLOv11进行图像与视频的目标检测

一、AI应用系统实战项目 项目名称项目名称1.人脸识别与管理系统2.车牌识别与管理系统

【CSS in Depth 2 精译_047】7.2 CSS 响应式设计中的媒体查询原则(上):深入理解媒体查询的类型

当前内容所在位置&#xff08;可进入专栏查看其他译好的章节内容&#xff09; 【第七章 响应式设计】&#xff08;概述&#xff09; 7.1 移动端优先设计原则&#xff08;上篇&#xff09; 7.1.1 创建移动端菜单&#xff08;下篇&#xff09;7.1.2 给视口添加 meta 标签&#xf…

MATLAB - 机器人机械臂设计轨迹规划器

系列文章目录 前言 本示例介绍了一种设计抓取和轨迹规划器的方法,该规划器可用于垃圾箱拣选系统。 在机器人技术中,垃圾箱拣选包括使用机械手从垃圾箱中取出物品。智能垃圾箱拣选是这一过程的高级版本,具有更强的自主性。使用摄像系统感知部件,规划器生成与场景相适应的无碰…

NASA:ARCTAS 区域的二级 FIRSTLOOK 气溶胶产品子集。 它包含气溶胶光学深度和粒子类型,以及相关的大气数据

目录 简介 信息 代码 引用 网址推荐 知识星球 机器学习 MISR L2 FIRSTLOOK Aerosol Product subset for the ARCTAS region V001 简介 这是 ARCTAS 区域的二级 FIRSTLOOK 气溶胶产品子集。 它包含气溶胶光学深度和粒子类型&#xff0c;以及相关的大气数据&#xff0c;…