HarmonyOS Next开发----使用XComponent自定义绘制

XComponent组件作为一种绘制组件,通常用于满足用户复杂的自定义绘制需求,其主要有两种类型"surface和component。对于surface类型可以将相关数据传入XComponent单独拥有的NativeWindow来渲染画面。

由于上层UI是采用arkTS开发,那么想要使用XComponent的话,就需要一个桥接和native层交互,类似Android的JNI,鸿蒙应用可以使用napi接口来处理js和native层的交互。

1. 编写CMAKELists.txt文件
# the minimum version of CMake.
cmake_minimum_required(VERSION 3.4.1)
project(XComponent) #项目名称set(NATIVERENDER_ROOT_PATH ${CMAKE_CURRENT_SOURCE_DIR})
#头文件查找路径
include_directories(${NATIVERENDER_ROOT_PATH}${NATIVERENDER_ROOT_PATH}/include
)
# 编译目标so动态库
add_library(nativerender SHAREDsamples/minute_view.cppplugin/plugin_manager.cppcommon/HuMarketMinuteData.cppcommon/MinuteItem.cppnapi_init.cpp
)
# 查找需要的公共库
find_library(# Sets the name of the path variable.hilog-lib# Specifies the name of the NDK library that# you want CMake to locate.hilog_ndk.z
)
#编译so所需要的依赖
target_link_libraries(nativerender PUBLIClibc++.a${hilog-lib}libace_napi.z.solibace_ndk.z.solibnative_window.solibnative_drawing.so
)
2. Napi模块注册
#include <hilog/log.h>
#include "plugin/plugin_manager.h"
#include "common/log_common.h"EXTERN_C_START
static napi_value Init(napi_env env, napi_value exports)
{OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Init", "Init begins");if ((nullptr == env) || (nullptr == exports)) {OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Init", "env or exports is null");return nullptr;}PluginManager::GetInstance()->Export(env, exports);return exports;
}
EXTERN_C_ENDstatic napi_module nativerenderModule = {.nm_version = 1,.nm_flags = 0,.nm_filename = nullptr,.nm_register_func = Init,.nm_modname = "nativerender",.nm_priv = ((void *)0),.reserved = { 0 }
};extern "C" __attribute__((constructor)) void RegisterModule(void)
{napi_module_register(&nativerenderModule);
}

定义napi_module信息,里面包含模块名称(和arkts侧使用时的libraryname要保持一致),加载模块时的回调函数即Init()。然后注册so模块napi_module_register(&nativerenderModule), 接口Init()函数会收到回调,在Init()有两个参数:

  • env: napi上下文环境;
  • exports: 用于挂载native函数将其导出,会通过js引擎绑定到js层的一个js对象;
3.解析XComponent组件的NativeXComponent实例
 if ((env == nullptr) || (exports == nullptr)) {DRAWING_LOGE("Export: env or exports is null");return;}napi_value exportInstance = nullptr;// 用来解析出被wrap了NativeXComponent指针的属性if (napi_get_named_property(env, exports, OH_NATIVE_XCOMPONENT_OBJ, &exportInstance) != napi_ok) {DRAWING_LOGE("Export: napi_get_named_property fail");return;}OH_NativeXComponent *nativeXComponent = nullptr;// 通过napi_unwrap接口,解析出NativeXComponent的实例指针if (napi_unwrap(env, exportInstance, reinterpret_cast<void **>(&nativeXComponent)) != napi_ok) {DRAWING_LOGE("Export: napi_unwrap fail");return;}char idStr[OH_XCOMPONENT_ID_LEN_MAX + 1] = {'\0'};uint64_t idSize = OH_XCOMPONENT_ID_LEN_MAX + 1;if (OH_NativeXComponent_GetXComponentId(nativeXComponent, idStr, &idSize) != OH_NATIVEXCOMPONENT_RESULT_SUCCESS) {DRAWING_LOGE("Export: OH_NativeXComponent_GetXComponentId fail");return;}
4.注册XComponent事件回调
void MinuteView::RegisterCallback(OH_NativeXComponent *nativeXComponent) {DRAWING_LOGI("register callback");renderCallback_.OnSurfaceCreated = OnSurfaceCreatedCB;renderCallback_.OnSurfaceDestroyed = OnSurfaceDestroyedCB;renderCallback_.DispatchTouchEvent = nullptr;renderCallback_.OnSurfaceChanged = OnSurfaceChanged;// 注册XComponent事件回调OH_NativeXComponent_RegisterCallback(nativeXComponent, &renderCallback_);
}

在事件回调中可以获取组件的宽高信息:

tatic void OnSurfaceCreatedCB(OH_NativeXComponent *component, void *window) {DRAWING_LOGI("OnSurfaceCreatedCB");if ((component == nullptr) || (window == nullptr)) {DRAWING_LOGE("OnSurfaceCreatedCB: component or window is null");return;}char idStr[OH_XCOMPONENT_ID_LEN_MAX + 1] = {'\0'};uint64_t idSize = OH_XCOMPONENT_ID_LEN_MAX + 1;if (OH_NativeXComponent_GetXComponentId(component, idStr, &idSize) != OH_NATIVEXCOMPONENT_RESULT_SUCCESS) {DRAWING_LOGE("OnSurfaceCreatedCB: Unable to get XComponent id");return;}std::string id(idStr);auto render = MinuteView::GetInstance(id);OHNativeWindow *nativeWindow = static_cast<OHNativeWindow *>(window);render->SetNativeWindow(nativeWindow);uint64_t width;uint64_t height;int32_t xSize = OH_NativeXComponent_GetXComponentSize(component, window, &width, &height);if ((xSize == OH_NATIVEXCOMPONENT_RESULT_SUCCESS) && (render != nullptr)) {render->SetHeight(height);render->SetWidth(width);}
}
5.导出Native函数
void MinuteView::Export(napi_env env, napi_value exports) {if ((env == nullptr) || (exports == nullptr)) {DRAWING_LOGE("Export: env or exports is null");return;}napi_property_descriptor desc[] = {{"draw", nullptr, MinuteView::NapiDraw, nullptr, nullptr, nullptr, napi_default, nullptr}};napi_define_properties(env, exports, sizeof(desc) / sizeof(desc[0]), desc);if (napi_define_properties(env, exports, sizeof(desc) / sizeof(desc[0]), desc) != napi_ok) {DRAWING_LOGE("Export: napi_define_properties failed");}
}
6.在NapiDraw中绘制分时图
  • 1.读取arkts侧透传过来的数据
vector<HuMarketMinuteData *> myVector;size_t argc = 3;napi_value args[3] = {nullptr};napi_get_cb_info(env, info, &argc, args, nullptr, nullptr);napi_value vec = args[0];    // vectornapi_value vecNum = args[1]; // lengthuint32_t vecCNum = 0;napi_get_value_uint32(env, vecNum, &vecCNum);for (uint32_t i = 0; i < vecCNum; i++) {napi_value vecData;napi_get_element(env, vec, i, &vecData);HuMarketMinuteData *minuteData = new HuMarketMinuteData(&env, vecData);myVector.push_back(minuteData);}
#include "HuMarketMinuteData.h"
#include "common/MinuteItem.h"
#include "napi/native_api.h"
HuMarketMinuteData::HuMarketMinuteData(napi_env *env, napi_value value) {napi_value api_date, api_isDateChanged, api_yclosePrice, api_minuteItems;napi_get_named_property(*env, value, "date", &api_date);napi_get_named_property(*env, value, "isDateChanged", &api_isDateChanged);napi_get_named_property(*env, value, "yClosePrice", &api_yclosePrice);napi_get_named_property(*env, value, "minuteList", &api_minuteItems);uint32_t *uint32_date;napi_get_value_uint32(*env, api_date, uint32_date);date = int(*uint32_date);napi_get_value_double(*env, api_yclosePrice, &yClosePrice);uint32_t length;napi_get_array_length(*env, api_minuteItems, &length);for (uint32_t i = 0; i < length; i++) {napi_value api_minuteItem;napi_get_element(*env, api_minuteItems, i, &api_minuteItem);MinuteItem *minuteItem = new MinuteItem(env, api_minuteItem);minuteList.push_back(minuteItem);}
}
HuMarketMinuteData::~HuMarketMinuteData() {for (MinuteItem *item : minuteList) {delete item;item = nullptr;}
}
  • 2.绘制分时图
void MinuteView::Drawing2(vector<HuMarketMinuteData *>& minuteDatas) {if (nativeWindow_ == nullptr) {DRAWING_LOGE("nativeWindow_ is nullptr");return;}int ret = OH_NativeWindow_NativeWindowRequestBuffer(nativeWindow_, &buffer_, &fenceFd_);DRAWING_LOGI("request buffer ret = %{public}d", ret);bufferHandle_ = OH_NativeWindow_GetBufferHandleFromNative(buffer_);mappedAddr_ = static_cast<uint32_t *>(mmap(bufferHandle_->virAddr, bufferHandle_->size, PROT_READ | PROT_WRITE, MAP_SHARED, bufferHandle_->fd, 0));if (mappedAddr_ == MAP_FAILED) {DRAWING_LOGE("mmap failed");}// 创建一个bitmap对象cBitmap_ = OH_Drawing_BitmapCreate();// 定义bitmap的像素格式OH_Drawing_BitmapFormat cFormat{COLOR_FORMAT_RGBA_8888, ALPHA_FORMAT_OPAQUE};// 构造对应格式的bitmap,width的值必须为 bufferHandle->stride / 4OH_Drawing_BitmapBuild(cBitmap_, width_, height_, &cFormat);// 创建一个canvas对象cCanvas_ = OH_Drawing_CanvasCreate();// 将画布与bitmap绑定,画布画的内容会输出到绑定的bitmap内存中OH_Drawing_CanvasBind(cCanvas_, cBitmap_);// 清除画布内容OH_Drawing_CanvasClear(cCanvas_, OH_Drawing_ColorSetArgb(0xFF, 0xFF, 0xFF, 0xFF));float padding = 30, with = width_, height = height_ / 2;float ltX = padding, ltY = 1, rtX = with - padding,rtY = 1,lbX = padding,lbY = height - 1,rbX = with - padding,rbY = height - 1;// 创建一个path对象cPath_ = OH_Drawing_PathCreate();// 指定path的起始位置OH_Drawing_PathMoveTo(cPath_, ltX, ltY);// 用直线连接到目标点OH_Drawing_PathLineTo(cPath_, rtX, rtY);OH_Drawing_PathLineTo(cPath_, rbX, rbY);OH_Drawing_PathLineTo(cPath_, lbX, lbY);// 闭合形状,path绘制完毕OH_Drawing_PathClose(cPath_);OH_Drawing_PathMoveTo(cPath_, padding, height / 2);OH_Drawing_PathLineTo(cPath_, with - padding, height / 2);OH_Drawing_PathMoveTo(cPath_, with / 2, 1);OH_Drawing_PathLineTo(cPath_, with / 2, height - 1);// 创建一个画笔Pen对象,Pen对象用于形状的边框线绘制cPen_ = OH_Drawing_PenCreate();OH_Drawing_PenSetAntiAlias(cPen_, true);OH_Drawing_PenSetColor(cPen_, OH_Drawing_ColorSetArgb(0xFF, 0xE6, 0xE6, 0xE6));OH_Drawing_PenSetWidth(cPen_, 2.0);OH_Drawing_PenSetJoin(cPen_, LINE_ROUND_JOIN);// 将Pen画笔设置到canvas中OH_Drawing_CanvasAttachPen(cCanvas_, cPen_);OH_Drawing_CanvasDrawPath(cCanvas_, cPath_);double minPrice, maxPrice;computeMaxMin(minuteDatas, &minPrice, &maxPrice);OH_Drawing_Path *pricePath_ = OH_Drawing_PathCreate();OH_Drawing_Path *avgPath_ = OH_Drawing_PathCreate();// 指定path的起始位置HuMarketMinuteData *minuteData = minuteDatas[0];// 单位长度float unitHeight = height / (maxPrice - minPrice);float itemWidth = (with - 2 * padding) / (240 * minuteDatas.size());float pointX = padding;float pointY = 0;float avg_pointX = padding;float avg_pointY = 0;bool isFirst = true;float yClosePrice = 0;for (int i = 0; i < minuteDatas.size(); i++) {HuMarketMinuteData *minuteData = minuteDatas[i];if (i == 0) {yClosePrice = minuteData->yClosePrice;}if (minuteData != nullptr) {for (int j = 0; j < minuteData->minuteList.size(); j++) {MinuteItem *minuteItem = minuteData->minuteList[j];if (minuteItem != nullptr) {pointY = (maxPrice - minuteItem->nowPrice) * unitHeight;avg_pointY = (maxPrice - minuteItem->avgPrice) * unitHeight;if (isFirst) {isFirst = false;OH_Drawing_PathMoveTo(pricePath_, pointX, pointY);OH_Drawing_PathMoveTo(avgPath_, avg_pointX, avg_pointY);} else {OH_Drawing_PathLineTo(pricePath_, pointX, pointY);OH_Drawing_PathLineTo(avgPath_, avg_pointX, avg_pointY);}pointX += itemWidth;avg_pointX += itemWidth;}}}}// 创建一个画笔Pen对象,Pen对象用于形状的边框线绘制cPen_ = OH_Drawing_PenCreate();OH_Drawing_PenSetAntiAlias(cPen_, true);OH_Drawing_PenSetColor(cPen_, OH_Drawing_ColorSetArgb(0xFF, 0x22, 0x77, 0xcc));OH_Drawing_PenSetWidth(cPen_, 5.0);OH_Drawing_PenSetJoin(cPen_, LINE_ROUND_JOIN);// 将Pen画笔设置到canvas中OH_Drawing_CanvasAttachPen(cCanvas_, cPen_);// 在画布上画PriceOH_Drawing_CanvasDrawPath(cCanvas_, pricePath_);OH_Drawing_PenSetColor(cPen_, OH_Drawing_ColorSetArgb(0xFF, 0xFF, 0x9D, 0x03));OH_Drawing_CanvasAttachPen(cCanvas_, cPen_);OH_Drawing_CanvasDrawPath(cCanvas_, avgPath_);OH_Drawing_PathLineTo(pricePath_, pointX, height);OH_Drawing_PathLineTo(pricePath_, padding, height);OH_Drawing_PathClose(pricePath_);OH_Drawing_CanvasDrawShadow(cCanvas_, pricePath_, {5, 5, 5}, {15, 15, 15}, 30,OH_Drawing_ColorSetArgb(0x00, 0xFF, 0xff, 0xff),OH_Drawing_ColorSetArgb(0x33, 0x22, 0x77, 0xcc), SHADOW_FLAGS_TRANSPARENT_OCCLUDER);// 选择从左到右/左对齐等排版属性OH_Drawing_TypographyStyle *typoStyle = OH_Drawing_CreateTypographyStyle();OH_Drawing_SetTypographyTextDirection(typoStyle, TEXT_DIRECTION_LTR);OH_Drawing_SetTypographyTextAlign(typoStyle, TEXT_ALIGN_LEFT);// 设置文字颜色,例如黑色OH_Drawing_TextStyle *txtStyle = OH_Drawing_CreateTextStyle();OH_Drawing_SetTextStyleColor(txtStyle, OH_Drawing_ColorSetArgb(0xFF, 0xFF, 0x9D, 0x03));// 设置文字大小、字重等属性double fontSize = width_ / 15;OH_Drawing_SetTextStyleFontSize(txtStyle, fontSize);OH_Drawing_SetTextStyleFontWeight(txtStyle, FONT_WEIGHT_400);OH_Drawing_SetTextStyleBaseLine(txtStyle, TEXT_BASELINE_ALPHABETIC);OH_Drawing_SetTextStyleFontHeight(txtStyle, 1);// 如果需要多次测量,建议fontCollection作为全局变量使用,可以显著减少内存占用OH_Drawing_FontCollection *fontCollection = OH_Drawing_CreateSharedFontCollection();// 注册自定义字体const char *fontFamily = "myFamilyName"; // myFamilyName为自定义字体的family nameconst char *fontPath = "/data/storage/el2/base/haps/entry/files/myFontFile.ttf"; // 设置自定义字体所在的沙箱路径OH_Drawing_RegisterFont(fontCollection, fontFamily, fontPath);// 设置系统字体类型const char *systemFontFamilies[] = {"Roboto"};OH_Drawing_SetTextStyleFontFamilies(txtStyle, 1, systemFontFamilies);OH_Drawing_SetTextStyleFontStyle(txtStyle, FONT_STYLE_NORMAL);OH_Drawing_SetTextStyleLocale(txtStyle, "en");// 设置自定义字体类型auto txtStyle2 = OH_Drawing_CreateTextStyle();OH_Drawing_SetTextStyleFontSize(txtStyle2, fontSize);const char *myFontFamilies[] = {"myFamilyName"}; // 如果已经注册自定义字体,填入自定义字体的family// name使用自定义字体OH_Drawing_SetTextStyleFontFamilies(txtStyle2, 1, myFontFamilies);OH_Drawing_TypographyCreate *handler = OH_Drawing_CreateTypographyHandler(typoStyle, fontCollection);OH_Drawing_TypographyHandlerPushTextStyle(handler, txtStyle);OH_Drawing_TypographyHandlerPushTextStyle(handler, txtStyle2);// 设置文字内容const char *text = doubleToStringWithPrecision(yClosePrice, 2).c_str();OH_Drawing_TypographyHandlerAddText(handler, text);OH_Drawing_TypographyHandlerPopTextStyle(handler);OH_Drawing_Typography *typography = OH_Drawing_CreateTypography(handler);// 设置页面最大宽度double maxWidth = width_;OH_Drawing_TypographyLayout(typography, maxWidth);// 设置文本在画布上绘制的起始位置double position[2] = {100, height / 2.0};// 将文本绘制到画布上OH_Drawing_TypographyPaint(typography, cCanvas_, position[0], position[1]);void *bitmapAddr = OH_Drawing_BitmapGetPixels(cBitmap_);uint32_t *value = static_cast<uint32_t *>(bitmapAddr);uint32_t *pixel = static_cast<uint32_t *>(mappedAddr_);if (pixel == nullptr) {DRAWING_LOGE("pixel is null");return;}if (value == nullptr) {DRAWING_LOGE("value is null");return;}for (uint32_t x = 0; x < width_; x++) {for (uint32_t y = 0; y < height_; y++) {*pixel++ = *value++;}}Region region{nullptr, 0};OH_NativeWindow_NativeWindowFlushBuffer(nativeWindow_, buffer_, fenceFd_, region);int result = munmap(mappedAddr_, bufferHandle_->size);if (result == -1) {DRAWING_LOGE("munmap failed!");}
}

绘制流程:

  • 向OHNativeWindow申请一块buffer, 并获取这块buffer的handle,然后映射内存;
  • 创建画布Canvas, 将bitmap和画布绑定;
  • 使用Canvas相关api绘制内容;
  • 将bitmap转换成像素数据,并通过之前映射的buffer句柄,将bitmap数据写到buffer中;
  • 将内容放回到Buffer队列,在下次Vsync信号就会将buffer中的内容绘制到屏幕上;
  • 取消映射内存;
7.ArkTS侧使用XComponent
  • 添加so依赖
  "devDependencies": {"@types/libnativerender.so": "file:./src/main/cpp/types/libnativerender"}
  • 定义native接口
export default interface XComponentContext {draw(minuteData: UPMarketMinuteData[], length: number): void;
};
  • 使用XComponent并获取XComponentContext, 通过它可以调用native层函数
      XComponent({id: 'xcomponentId',type: 'surface',libraryname: 'nativerender'}).onLoad((xComponentContext) => {if (xComponentContext) {this.xComponentContext = xComponentContext as XComponentContext;}}).width('100%').height(600).backgroundColor(Color.Gray)
  • 调用native函数绘制分时图
    this.monitor.subscribeRTMinuteData(this.TAG_REQUEST_MINUTE, param, (rsp) => {if (rsp.isSuccessful() && rsp.result != null && rsp.result.length > 0 && this.xComponentContext) {this.xComponentContext.draw(rsp.result!, rsp.result.length)}})

在这里插入图片描述

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

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

相关文章

【医疗大数据】基于 B2B 的医疗保健系统中大数据信息管理的安全和隐私问题分析

基于 B2B 的医疗保健系统中大数据信息管理的安全和隐私问题分析 1、引言 1-1 医疗大数据的特点 10 V模型&#xff1a;在医疗领域&#xff0c;大数据的特点被描述为10 V&#xff0c;包括价值&#xff08;Value&#xff09;、体量&#xff08;Volume&#xff09;、速度&#xf…

Leetcode Hot 100刷题记录 -Day16(旋转图像)

旋转图像 问题描述&#xff1a; 给定一个 n n 的二维矩阵 matrix 表示一个图像。请你将图像顺时针旋转 90 度。 你必须在原地旋转图像&#xff0c;这意味着你需要直接修改输入的二维矩阵。请不要 使用另一个矩阵来旋转图像。 示例 1 输入&#xff1a;matrix [[1,2,3],[4,5,6]…

Python学习——【4.2】数据容器:tuple元组

文章目录 【4.2】数据容器&#xff1a;tuple元组一、元组的定义格式二、元组的特点三、元组的操作&#xff08;一&#xff09;常见操作&#xff08;二&#xff09;循环遍历 【4.2】数据容器&#xff1a;tuple元组 一、元组的定义格式 为什么需要元组 列表是可以修改的。如果想…

【网络安全】分享4个高危业务逻辑漏洞

未经许可,不得转载。 文章目录 正文逻辑漏洞1逻辑漏洞2逻辑漏洞3逻辑漏洞4其它正文 该目标程序是一家提供浏览器服务的公司,其核心功能是网页抓取和多账户登录操作,类似于浏览器中的隐身模式,但更加强大和高效。通过该平台,用户可以轻松管理并同时运行数百个隐身浏览器实…

Navicate 链接Oracle 提示 Oracle Library is not loaded ,账号密码都正确地址端口也对

Navicate 链接Oracle 提示 Oracle Library is not loaded ,账号密码都正确地址端口也对的问题 解决办法 出现 Oracle Library is not loaded 错误提示&#xff0c;通常是因为 Navicat 无法找到或加载 Oracle 客户端库&#xff08;OCI.dll&#xff09;。要解决这个问题&#x…

【自动驾驶】决策规划算法 | 数学基础(三)直角坐标与自然坐标转换Ⅱ

写在前面&#xff1a; &#x1f31f; 欢迎光临 清流君 的博客小天地&#xff0c;这里是我分享技术与心得的温馨角落。&#x1f4dd; 个人主页&#xff1a;清流君_CSDN博客&#xff0c;期待与您一同探索 移动机器人 领域的无限可能。 &#x1f50d; 本文系 清流君 原创之作&…

Centos中关闭swap分区,关闭内存交换

概述&#xff1a; Swap 分区是 Linux 系统中扩展物理内存的一种机制。Swap的主要功能是当全部的RAM被占用并需要更多内存时&#xff0c;用磁盘空间代理RAM内存。Swap对虚拟化技术资源损耗非常大&#xff0c;一般虚拟化是不允许开启交换空间的&#xff0c;如果不关闭Swap&…

LED显示屏迎来革新:GOB封装技术引领行业新风尚

在我们日常生活中&#xff0c;LED显示屏无处不在&#xff0c;从繁华的街头广告牌到家庭娱乐中心的大屏幕电视&#xff0c;它们都以鲜明的色彩和清晰的画质吸引着我们的目光。然而&#xff0c;在LED显示屏技术日新月异的今天&#xff0c;一种名为GOB&#xff08;Glue On Board&a…

ChatCADChatCAD+:Towards a Universal and Reliable Interactive CAD using LLMs

ChatCAD&#xff08;论文链接&#xff1a;[2302.07257] ChatCAD: Interactive Computer-Aided Diagnosis on Medical Image using Large Language Models (arxiv.org)&#xff09; 网络流程图&#xff1a; 辅助阅读&#xff1a; 基于大型语言模型的医学图像交互式计算机辅助诊…

7、论等保的必要性

数据来源&#xff1a;7.论等保的必要性_哔哩哔哩_bilibili 等级保护必要性 降低信息安全风险 等级保护旨在降低信息安全风险&#xff0c;提高信息系统的安全防护能力。 风险发现与整改 开展等级保护的最重要原因是通过测评工作&#xff0c;发现单位系统内外部的安全风险和脆弱…

基于SpringBoot的考研助手系统+LW参考示例

系列文章目录 1.基于SSM的洗衣房管理系统原生微信小程序LW参考示例 2.基于SpringBoot的宠物摄影网站管理系统LW参考示例 3.基于SpringBootVue的企业人事管理系统LW参考示例 4.基于SSM的高校实验室管理系统LW参考示例 5.基于SpringBoot的二手数码回收系统原生微信小程序LW参考示…

c++9月20日

1.思维导图 2.顺序表 头文件 #ifndef RECTANGLE_H #define RECTANGLE_H#include <iostream>using namespace std;using datatype int ;//类型重定义class Seqlist { private://私有权限datatype *ptr; //指向堆区申请空间的起始地址int size;//堆区空间的长度int len …

在python爬虫中xpath方式提取lxml.etree._ElementUnicodeResult转化为字符串str类型

简单提取网页中的数据时发现的 当通过xpath方式提取出需要的数据的text文本后想要转为字符串&#xff0c;但出现lxml.etree._ElementUnicodeResult的数据类型不能序列化&#xff0c;在网上查找到很多说是编码问题Unicode编码然后解码什么的&#xff1b;有些是(导入的xml库而不…

【24华为杯数模研赛赛题思路已出】国赛B题思路丨附参考代码丨免费分享

2024年华为杯研赛B题解题思路 B题 WLAN组网中网络吞吐量建模 问题1 请根据附件WLAN网络实测训练集中所提供的网络拓扑、业务流量、门限、节点间RSSI的测试基本信息&#xff0c;分析其中各参数对AP发送机会的影响&#xff0c;并给出影响性强弱的顺序。通过训练的模型&#xff…

在SpringBoot项目中利用Redission实现布隆过滤器(布隆过滤器的应用场景、布隆过滤器误判的情况、与位图相关的操作)

文章目录 1. 布隆过滤器的应用场景2. 在SpringBoot项目利用Redission实现布隆过滤器3. 布隆过滤器误判的情况4. 与位图相关的操作5. 可能遇到的问题&#xff08;Redission是如何记录布隆过滤器的配置参数的&#xff09;5.1 问题产生的原因5.2 解决方案5.2.1 方案一&#xff1a;…

夏日遛娃绝佳之地:气膜儿童乐园—轻空间

随着夏季的到来&#xff0c;炎炎烈日让户外活动变得有些艰难。然而&#xff0c;在城市的某个角落&#xff0c;一座气膜儿童乐园却为家长和孩子们提供了一个理想的避暑天堂。这里的恒温控制保持在舒适的27℃&#xff0c;让孩子们在欢乐中享受每一个夏日的阳光&#xff0c;而家长…

由于安全风险,安全领导者考虑禁止人工智能编码

安全团队与开发团队之间的紧张关系 83% 的安全领导者表示&#xff0c;他们的开发人员目前使用人工智能来生成代码&#xff0c;57% 的人表示这已成为一种常见做法。 然而&#xff0c;72% 的人认为他们别无选择&#xff0c;只能允许开发人员使用人工智能来保持竞争力&#xff0…

IDA Pro基本使用

IDA Pro基本使用 1.DllMain的地址是什么? 打开默认在的位置1000D02E就是DllMain地址 按空格键可以看到图形化界面选择options、general勾选对应的选项在图像化也能看到 2.使用Imports 窗口并浏览到 gethostbyname&#xff0c;导入函数定位到什么地址? 这里可以打开Impo…

为人机交互保持预见性丨基于G32A1445的T-BOX应用方案

T-BOX是一种集成了通信、计算和控制功能的车载信息处理终端&#xff0c;通过车辆与云端、移动网络等进行数据交互&#xff0c;用于车、人、外部环境的互联互通&#xff0c;支持车辆定位、车载通信、远程控制、故障诊断、数据传输、紧急呼叫等功能&#xff0c;帮助车辆实现更加智…

OpenCV_最简单的鼠标截取ROI区域

在OpenCV中也存在鼠标的操作&#xff0c;今天我们先介绍一下鼠标中的操作事件 void setMousecallback(const string& winname, MouseCallback onMouse, void* userdata0) setMousecallback参数说明&#xff1a; winname:窗口的名字 onMouse:鼠标响应函数&#xff0c;回调…