【每日学点鸿蒙知识】沙箱目录、图片压缩、characteristicsArray、gm-crypto 国密加解密、通知权限

1、HarmonyOS 如何创建应用沙箱目录?

下载文件,想下载到自己新建的应用沙箱目录,有什么方法实现吗?

fs.mkdir可以创建目录

参考文档:https://developer.huawei.com/consumer/cn/doc/harmonyos-references-V5/js-apis-file-fs-V5#fsmkdir

import { BusinessError } from '@kit.BasicServicesKit';
let dirPath = pathDir + "/testDir1/testDir2/testDir3";
fs.mkdir(dirPath, true).then(() => {
  console.info("mkdir succeed");
}).catch((err: BusinessError) => {
  console.error("mkdir failed with error message: " + err.message + ", error code: " + err.code);
});

2、HarmonyOS 从相册选择完图片之后,怎么压缩图片到指定的KB大小?

  1. 获取图片。从资源管理器获取要压缩的图片,创建ImageSource实例,设置解码参数DecodingOptions,使用createPixelMap获取PixelMap图片对象。

    // 获取resourceManager资源管理器
    const resourceMgr: resourceManager.ResourceManager = this.context.resourceManager;
    // 获取资源管理器后,再调用resourceMgr.getRawFileContent()获取资源文件的ArrayBuffer。
    resourceMgr.getRawFileContent('beforeCompression.jpeg').then((fileData: Uint8Array) => {
    // 获取图片的ArrayBuffer
    const buffer = fileData.buffer.slice(0);
    // 创建ImageSource实例
    const imageSource: image.ImageSource = image.createImageSource(buffer);
    // 设置解码参数DecodingOptions,解码获取PixelMap图片对象。
    let decodingOptions: image.DecodingOptions = {
    editable: true, // 是否可编辑。当取值为false时,图片不可二次编辑,如crop等操作将失败。
    desiredPixelFormat: 3, // 解码的像素格式。3表示RGBA_8888。
    }
    // 创建pixelMap
    imageSource.createPixelMap(decodingOptions).then((originalPixelMap: image.PixelMap) => {
    // 压缩图片
    compressedImage(originalPixelMap, this.maxCompressedImageSize).then((showImage: CompressedImageInfo) => {
    // 获取压缩后的图片信息
    this.compressedImageSrc = fileUri.getUriFromPath(showImage.imageUri);
    this.compressedByteLength = showImage.imageByteLength;
    this.afterCompressionSize = (this.compressedByteLength / BYTE_CONVERSION).toFixed(1);
    })
    }).catch((err: BusinessError) => {
    logger.error(TAG, Failed to create PixelMap with error message: ${err.message}, error code: ${err.code});
    });
    }).catch((err: BusinessError) => {
    logger.error(TAG, Failed to get RawFileContent with error message: ${err.message}, error code: ${err.code});
    });

  2. 图片压缩。先判断设置图片质量参数quality为0时,packing能压缩到的图片最小字节大小是否满足指定的图片压缩大小。如果满足,则使用packing方式二分查找最接近指定图片压缩目标大小的quality来压缩图片。如果不满足,则使用scale对图片先进行缩放,采用while循环每次递减0.4倍缩放图片,再用packing(图片质量参数quality设置0)获取压缩图片大小,最终查找到最接近指定图片压缩目标大小的缩放倍数的图片压缩数据。

    // 创建图像编码ImagePacker对象
    let imagePackerApi = image.createImagePacker();
    // 定义图片质量参数
    let imageQuality = 0;
    // 设置编码输出流和编码参数。图片质量参数quality范围0-100。
    let packOpts: image.PackingOption = { format: "image/jpeg", quality: imageQuality };
    // 通过PixelMap进行编码。compressedImageData为打包获取到的图片文件流。
    let compressedImageData: ArrayBuffer = await imagePackerApi.packing(sourcePixelMap, packOpts);
    // 压缩目标图像字节长度
    let maxCompressedImageByte = maxCompressedImageSize * BYTE_CONVERSION;
    if (maxCompressedImageByte > compressedImageData.byteLength) {
    // 使用packing二分压缩获取图片文件流
    compressedImageData = await packingImage(compressedImageData, sourcePixelMap, imageQuality, maxCompressedImageByte);
    } else {
    // 使用scale对图片先进行缩放,采用while循环每次递减0.4倍缩放图片,再用packing(图片质量参数quality设置0)获取压缩图片大小,最终查找到最接近指定图片压缩目标大小的缩放倍数的图片压缩数据。
    let imageScale = 1; // 定义图片宽高的缩放倍数,1表示原比例。
    let reduceScale = 0.4; // 图片缩小倍数
    // 判断压缩后的图片大小是否大于指定图片的压缩目标大小,如果大于,继续降低缩放倍数压缩。
    while (compressedImageData.byteLength > maxCompressedImageByte) {
    if (imageScale > 0) {
    imageScale = imageScale - reduceScale; // 每次缩放倍数减0.4
    // 使用scale对图片进行缩放
    await sourcePixelMap.scale(imageScale, imageScale);
    // packing压缩
    compressedImageData = await packing(sourcePixelMap, imageQuality);
    } else {
    // imageScale缩放小于等于0时,没有意义,结束压缩。这里不考虑图片缩放倍数小于reduceScale的情况。
    break;
    }
    }
    }

  3. 获取最终图片压缩数据compressedImageData,保存图片。

    let context: Context = getContext();
    // 定义要保存的压缩图片uri。afterCompressiona.jpeg表示压缩后的图片。
    let compressedImageUri: string = context.filesDir + '/' + 'afterCompressiona.jpeg';
    try {
    let res = fs.accessSync(compressedImageUri);
    if (res) {
    // 如果图片afterCompressiona.jpeg已存在,则删除
    fs.unlinkSync(compressedImageUri);
    }
    } catch (err) {
    logger.error(TAG, AccessSync failed with error message: ${err.message}, error code: ${err.code});
    }
    // 压缩图片数据写入文件
    let file: fs.File = fs.openSync(compressedImageUri, fs.OpenMode.READ_WRITE | fs.OpenMode.CREATE);
    fs.writeSync(file.fd, compressedImageData);
    fs.closeSync(file);
    // 获取压缩图片信息
    let compressedImageInfo: CompressedImageInfo = new CompressedImageInfo();
    compressedImageInfo.imageUri = compressedImageUri;
    compressedImageInfo.imageByteLength = compressedImageData.byteLength;

3、HarmonyOS characteristicsArray descriptorsArray这俩集合中的字段参数如何对应?

ble蓝牙服务这块,调用添加服务的addServer() api 我只有3个uuid uuid_server uuid_read uuid_write拼接入参 , 对应到HarmonyOS上addServer如何对应传参。

new BluetoothGattCharacteristic(UUID_READ,...)
new BluetoothGattCharacteristic(UUID_WRITE,...)
new BluetoothGattService(UUID_Service,...)

参考addService相关文档:https://developer.huawei.com/consumer/cn/doc/harmonyos-references-V5/js-apis-bluetooth-ble-V5#addservice

4、HarmonyOS原生的类似 gm-crypto 国密加解密如何实现?

相关文档如下:

5、HarmonyOS 代码如何申请打开app的通知权限?

代码如何申请打开app的通知权限 现在app通知权限默认都是关的,要手动打开才行

通过配置Notification.publish发布通知接口的参数NotificationRequest中wantAgent属性实现

import notificationManager from '@ohos.notificationManager';
import WantAgent from '@ohos.app.ability.wantAgent';

async function publishNotification() {
  let wantAgentInfo = {
    wants: [
      {
        bundleName: "com.example.webuseragent", // 自己应用的bundleName
        abilityName: "EntryAbility",
      }
    ],
    operationType: WantAgent.OperationType.START_ABILITIES,
    requestCode: 1,
  }
  const wantAgent = await WantAgent.getWantAgent(wantAgentInfo)
  let contentType = notificationManager.ContentType.NOTIFICATION_CONTENT_BASIC_TEXT;
  await notificationManager.publish({
    content: {
      contentType: contentType,
      normal: {
        title: "测试标题",
        text: "测试内容",
      }
    },
    id: 1,
    wantAgent: wantAgent
  })
}
相关推荐
华研前沿标杆游学1 小时前
预约参观华为基地,见证行业巅峰
华为
编程百晓君1 小时前
一文彻底拿捏DevEco Studio的使用小技巧
华为·harmonyos
Wishell20152 小时前
为什么深度学习和神经网络要使用 GPU?
pytorch
SmartBrain2 小时前
华为管理变革之道:组织文化与活力
华为
SmartBrain2 小时前
华为管理变革之道:管理制度创新
华为
制造数字化方案研究院2 小时前
华为 IPD,究竟有什么特点?(一)
华为
有颜有货2 小时前
华为:数字化转型只有“起点”,没有“终点”
华为·数字化转型
起名字什么的好难2 小时前
conda虚拟环境安装pytorch gpu版
人工智能·pytorch·conda
轻口味3 小时前
【每日学点鸿蒙知识】私仓搭建、resources创建文件夹、hvigor如何动态设置版本、SM3摘要算法、SP存储报错等
华为·json·harmonyos
凯子坚持 c3 小时前
仓颉编程语言深入教程:基础概念和数据类型
开发语言·华为