网络编程:使用UDP实现数据帧的接收

目录

1、需求

2、逻辑处理

3、代码实现

4、总结


1、需求

        使用java代码实现数据帧的接收需求,完成数据到数据库的存储。

2、逻辑处理

        由于udp传输不保证数据的有序性、可靠性,所以在做业务开发的时候,要程序员自己考虑需求完善udp的缺陷。因此我们定义几个字段保证数据的有序,对于可靠性未进行考虑。

3、代码实现

        监听端口55000,等待数据的发送:

@Service
public class UDPReceiverSuper {private static final int BUFFER_SIZE = 1044;private static final int HEAD_SIZE = 20;private static final int DATA_SIZE = 1024;private static final int MAX_BUFFER_SIZE = 1 * 1024 * 1024; // 缓冲器大小设置为1MBprivate static final double MAX_BUFFER_THRESHOLD = 0.8; // 缓冲区阈值private static final int MAX_BUFFER_INDEX = (int) (MAX_BUFFER_SIZE * MAX_BUFFER_THRESHOLD / DATA_SIZE); //缓冲区元素数量阈值//timestampToBufferMap存储的是:时间戳,TreeMap,TreeMap里面存储的是:当前包序号,接受数据的对象private Map<Long, ConcurrentHashMap<Long, DatagramPacket>> timestampToBufferMap = new HashMap();private long timeStamp;private boolean isClosed = false;// 使用阻塞队列作为缓冲区private long errorPackageSum = 0;private int frameNum;        //用于帧计数Thread udpReceiverThread;@Value("${GK.GKOriginalDataFilePath}")private String GKOriginalDataFilePath; // 管控原始数据文件存储路径@Value("${HP.storagePath}")private String storagePath;    //高性能数据接收路径@Autowiredprivate INetworkConfigService networkConfigService;@Autowiredprivate DealGkDataServiceSuperWithNewThread dealGkDataServiceSuperWithNewThread;@Autowiredprivate DealGkDataServiceSuperWithThreadPoolAndBuffer dealGkDataServiceSuperWithThreadPoolAndBuffer;@Autowiredprivate DealGkDataServiceSuperWithThreadPool dealGkDataServiceSuperWithThreadPool;@Autowiredprivate SaveGKOriginalDataService saveGKOriginalDataService;@Autowiredprivate SaveGKOriginalDataServiceWithBuffer saveGKOriginalDataServiceWithBuffer;public UDPReceiverSuper() {}public void start() {//创建父文件夹Path path = Paths.get(storagePath);if (Files.notExists(path)) {try {Files.createDirectories(path);System.out.println("Directories created successfully: " + storagePath);} catch (IOException e) {System.err.println("Failed to create directories: " + e.getMessage());}} else {System.out.println("Directories already exist: " + storagePath);}// 启动接收数据的线程if (udpReceiverThread == null) {udpReceiverThread = new Thread(new Receiver());udpReceiverThread.start();}}//数据帧头定义private class PackageHeader {public long id = 0;public long timestamp = 0;public long totalPackageNum = 0;public long currentPackageNum = 0;public long dataLength = 0;}// 接收数据的线程private class Receiver implements Runnable {@Overridepublic void run() {NetworkConfig networkConfig = networkConfigService.selectNetworkConfigById(1L);String port = networkConfig.getPort();String ip = networkConfig.getIp();System.out.println("实际未绑定ip");System.out.println("ip: " + ip + "  port: " + port);try {DatagramSocket ds = new DatagramSocket(Integer.parseInt(port));if (ds != null) {isClosed = false;}System.out.println("udpReceiver_ds: " + ds + "   等待接收数据......");while (true) {if (isClosed) {break;}byte[] receiveData = new byte[BUFFER_SIZE];   //接收数据缓存区,大小为1044DatagramPacket receivePacket = new DatagramPacket(receiveData, receiveData.length);ds.receive(receivePacket);     //接收数据byte[] data1 = receivePacket.getData();frameNum++;
//                    System.out.println("当前帧数为: " + frameNum);   //todo 用于打印输出当前接收到的帧数ByteBuffer byteBuffer1 = ByteBuffer.allocate(data1.length);byteBuffer1.put(data1);byteBuffer1.flip();   //flip操作是将:写模式切换到读模式,将‘limit’设置为当前的‘position’,将‘position’重置为0
//                    ByteBuffer byteBuffer1 = ByteBuffer.allocate(receiveData.length);
//                    byteBuffer1.put(receiveData);
//                    byteBuffer1.flip();   //flip操作是将:写模式切换到读模式,将‘limit’设置为当前的‘position’,将‘position’重置为0/*两种情况:1、接收管控  2、接收高性能*/byteBuffer1.order(ByteOrder.LITTLE_ENDIAN);  //转化为小端int headerType = byteBuffer1.getInt();       //得到设备标识符if (headerType == 1) {/*解决方法一: 这个是采用多线程的方式进行写入数据到txt文件*/saveGKOriginalDataService.saveGKOriginalData(receivePacket, GKOriginalDataFilePath);/*解决方法二:直接处理管控的函数*/
//                        dealGkDataServiceSuperWithNewThread.dealGKApi(byteBuffer1);/*解决方法三:在UDPReceiverSuperSuper类里面,并且要在NetworkConfigController中进行函数*//*解决方法四:使用线程池的方式解决,每接收一帧,就开始处理*/
//                        dealGkDataServiceSuperWithThreadPoolAndBuffer.dealGKApi(byteBuffer1);/*解决方法五:直接开启线程进行处理数据,这个方法是对的*/dealGkDataServiceSuperWithThreadPool.dealGKApi(byteBuffer1);/*解决方法六:将接收到的数据存储到缓冲区中,然后使用多线程从缓冲区中取出,方法实现写在method3中*/} 

        业务处理逻辑:

package com.ruoyi.system.service.customService.dealGKService_ThreadPool;import com.ruoyi.system.domain.*;
import com.ruoyi.system.mapper.*;
import com.ruoyi.system.utlis.CSVFileUtil;
import com.ruoyi.system.utlis.ConvertUtil;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.stereotype.Service;import java.io.IOException;
import java.nio.ByteBuffer;
import java.nio.ByteOrder;
import java.nio.charset.StandardCharsets;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.sql.SQLIntegrityConstraintViolationException;
import java.util.HashMap;
import java.util.Map;
import java.util.concurrent.*;
import java.util.concurrent.atomic.LongAdder;/*** @Author 不要有情绪的  ljy* @Date 2024/3/22 15:54* @Description:*/
@Service
public class DealGkDataServiceSuperWithThreadPool {@Value("${GK.statusLogPath}")private String stateLogFilePath;  //状态日志存储路径@Autowiredprivate OperateLogInfoMapper operateLogInfoMapper;@Autowiredprivate InstructLogInfoMapper instructLogInfoMapper;@Autowiredprivate Instruct1553bLogInfoMapper instruct1553bLogInfoMapper;@Autowiredprivate InstructRs422LogInfoMapper instructRs422LogInfoMapper;@Autowiredprivate StateLogInfoMapper stateLogInfoMapper;@Autowiredprivate ErrorLogInfoMapper errorLogInfoMapper;int frontTimeFlag = -1;private int currentReceivedFrameNum = 0;  //用于计算管控接收帧数private Map<Integer, BlockingQueue<byte[]>> currTimeFlagToQueue = new HashMap<>();int threadNum = 1;private ExecutorService threadPool;private Counter counter = new Counter();public DealGkDataServiceSuperWithThreadPool() {int corePoolSize = Runtime.getRuntime().availableProcessors() * 2;System.out.println("核心线程数:   " + corePoolSize);int maximumPoolSize = corePoolSize * 2;long keepAliveTime = 60L;threadPool = new ThreadPoolExecutor(corePoolSize,maximumPoolSize,keepAliveTime,TimeUnit.SECONDS,new LinkedBlockingQueue<>());}public void dealGKApi(ByteBuffer byteBuffer) {currentReceivedFrameNum++;if (currentReceivedFrameNum % 1000 == 0) {System.out.println("管控当前接收的数据帧数(每隔1000打印一次): " + currentReceivedFrameNum);}int currTimeFlag = byteBuffer.getInt();       //当前时间标识,用于区分是否丢包int packagesTotalNum = byteBuffer.getInt();   //表示当前发送的包总数int currPackageNum = byteBuffer.getInt();     //表示当前包序号int messageLength = byteBuffer.getInt();     //消息长度int remainingBytes = byteBuffer.remaining();byte[] remainingData = new byte[messageLength];   //用于获取日志长度 1024if (remainingBytes > 0) {byteBuffer.get(remainingData); // 获取剩余的字节threadPool.submit(new GKRunnable(remainingData));}}class GKRunnable implements Runnable {private byte[] bytes;public GKRunnable(byte[] remainingData) {this.bytes = remainingData;}@Overridepublic void run() {System.out.println("新启动一个线程用于处理管控日志,当前线程名:  " + Thread.currentThread().getName());ByteBuffer byteBuffer = ByteBuffer.allocate(bytes.length);   //将不用byte数组放到ByteBuffer中byteBuffer.put(bytes);dealWithAssembledFrame(byteBuffer);}private void dealWithAssembledFrame(ByteBuffer byteBuffer) {byteBuffer.flip();byteBuffer.order(ByteOrder.LITTLE_ENDIAN);  //转化为小端dealLogPart(byteBuffer);}/*todo 要写的内容为:出现错误就要将异常抛出,并且找到帧头的位置*/private void dealLogPart(ByteBuffer byteBuffer) {
//            /*找到帧头的位置*/
//            searchFrameHeaderAndSetPosition(byteBuffer);while (byteBuffer.position() != byteBuffer.capacity() && (byteBuffer.position() + 4) < byteBuffer.capacity()) {try {/*找到帧头的位置*/searchFrameHeaderAndSetPosition(byteBuffer);int startPosition = byteBuffer.position();//获取开始的长度//每个日志都包含的部分byte[] bytes2 = new byte[2];byteBuffer.get(bytes2);String frameHeaderInfo = ConvertUtil.byteArrayToHexString(bytes2);   //日志帧头字段short logLength = byteBuffer.getShort();                             //日志长度int logNumber = byteBuffer.getShort();                             //日志编号
//                    System.out.println(logNumber + logLength);byte logType = byteBuffer.get();//byte转化为字符串                     //日志类型String logTypeStr = String.format("%02X", logType);int time = byteBuffer.getInt();                //日志时间//根据日志类型,选择处理日志剩余方式if ("01".equals(logTypeStr) || "02".equals(logTypeStr) || "03".equals(logTypeStr)) {byte sendingAndReceivingBit = byteBuffer.get();byte sourceDeviceId = byteBuffer.get();byte targetDeviceId = byteBuffer.get();//得到日志内容长度    先将日志长度转化为十进制,然后减掉帧头信息,减掉日志长度,减掉日志编号,减掉日志类型、减掉时间,减掉校验码,减掉发送接收位,减掉源原设备ID,减掉目标设备IDint logContentLength = logLength - 2 - 2 - 2 - 1 - 4 - 1 - 1 - 1 - 1;String instructDataContent = null;if ("01".equals(logTypeStr)) {  //子地址+数据内容,子地址占1个字节byte[] bytes = new byte[1];byteBuffer.get(bytes);String subAddress = ConvertUtil.byteArrayToHexString(bytes);int dataContentLength = logContentLength - 1;byte[] bytes1 = new byte[dataContentLength];// 输出剩余字节的十六进制表示,即指令数据内容byteBuffer.get(bytes1);instructDataContent = ConvertUtil.byteArrayToHexString(bytes1);dealInstruct1553bLog(byteBuffer, startPosition, logLength, logNumber & 0xFFFF, time, sendingAndReceivingBit, sourceDeviceId, targetDeviceId, subAddress, instructDataContent);} else if ("02".equals(logTypeStr)) { //can指令类型(1个字节)  + ID(子地址)+数据内容,ID占4个字节byte[] bytes = new byte[1];byteBuffer.get(bytes);String canInstructType = ConvertUtil.byteArrayToHexString(bytes);byte[] bytes1 = new byte[4];byteBuffer.get(bytes1);String subAddress = ConvertUtil.byteArrayToHexString(bytes1);int dataContentLength = logContentLength - 1 - 4;byte[] ID = new byte[dataContentLength];// 输出剩余字节的十六进制表示,即指令数据内容byteBuffer.get(ID);instructDataContent = ConvertUtil.byteArrayToHexString(ID);dealInstructCANLog(byteBuffer, startPosition, logLength, logNumber & 0xFFFF, time, sendingAndReceivingBit, sourceDeviceId, targetDeviceId, canInstructType, subAddress, instructDataContent);} else if ("03".equals(logTypeStr)) { //数据内容byte[] bytes1 = new byte[logContentLength];byteBuffer.get(bytes1);instructDataContent = ConvertUtil.byteArrayToHexString(bytes1);dealInstructRs422Log(byteBuffer, startPosition, logLength, logNumber & 0xFFFF, time, sendingAndReceivingBit, sourceDeviceId, targetDeviceId, instructDataContent);}} else if ("04".equals(logTypeStr)) {//存储到excel表中
//                        dealStateLog(byteBuffer, startPosition, time);//存储到数据库中dealStateLog(byteBuffer, startPosition, logLength, logNumber & 0xFFFF, time);} else if ("05".equals(logTypeStr)) {dealOperateLog(byteBuffer, startPosition, logLength, logNumber & 0xFFFF, time);} else if ("06".equals(logTypeStr)) {dealErrorLog(byteBuffer, startPosition, logLength, logNumber & 0xFFFF, time);} else {System.out.println("as;dasd");}} catch (Exception e) {if (e.getCause().toString().contains("SQLIntegrityConstraintViolationException")) {counter.increment();}else {e.printStackTrace();//                        System.err.println(e.getMessage());}//在处理过程报错了,那么就认为日志内容错误,就要重新寻找帧头的位置searchFrameHeaderAndSetPosition(byteBuffer);}}System.out.println("线程名称:" + Thread.currentThread().getName() + "  线程id:" + Thread.currentThread().getId() + "  处理完成!");System.out.println("========"+counter.getCount());}private void dealStateLog(ByteBuffer byteBuffer, int startPosition, short logLength, int logNumber, int time) {byte[] bytes92 = new byte[92];  //将92个长度传递到byte数组中byteBuffer.get(bytes92);int endPosition = byteBuffer.position();byte checkCodeByte = calculateCheckCode(byteBuffer, startPosition, endPosition);byte checkCode = byteBuffer.get();  //用于校验日志的正确和完整性boolean logIsIntegrity = logIsIntegrity(checkCode, checkCodeByte);if (logIsIntegrity) {StateLogInfo stateLogInfo = new StateLogInfo();stateLogInfo.setLogLength(Short.toString(logLength));stateLogInfo.setLogNumber(Long.valueOf(logNumber));stateLogInfo.setTime(Long.valueOf(time));
//                Integer size = stateLogInfoMapper.searchDataIsDuplicate(stateLogInfo);
//                if (size > 0) { //判断数据库中是否已经存在
//                    return;
//                }//将参数设置到stateLogInfo实例中setParameter(bytes92, stateLogInfo);stateLogInfoMapper.insertStateLogInfo(stateLogInfo);} else {logIsNotIntegrity(byteBuffer, startPosition, endPosition);}}private void searchFrameHeaderAndSetPosition(ByteBuffer byteBuffer) {/*找到帧头的位置*/int frameHeaderPosition = findFrameHeaderPosition(byteBuffer, hexStringToByteArray("eafc"));if (frameHeaderPosition != -1) {byteBuffer.position(frameHeaderPosition);} else {System.out.println("未找到帧头为 eafc 的位置");return;   //说明从头查到尾都没有查到,就直接退出}}/*** 判断日志是否完整的函数,如果不完整,那么就要找下一个eafc帧头的位置** @param byteBuffer*/private void logIsNotIntegrity(ByteBuffer byteBuffer, int startPosition, int endPosition) {System.out.println("日志不完整!丢掉");//如果日志不完整,那么就要找到下一帧的头位置/*找到帧头的位置*/searchFrameHeaderAndSetPosition(byteBuffer);}/*** 判断是否为完整日志的函数isIntegrity(日志长度 + 帧头 - 校验码)** @param a* @param b* @return*/private boolean logIsIntegrity(byte a, byte b) {return a == b;}/*** 计算校验码的函数** @param byteBuffer* @param startPosition* @param endPosition* @return*/private byte calculateCheckCode(ByteBuffer byteBuffer, int startPosition, int endPosition) {int length = endPosition - startPosition;byteBuffer.position(startPosition);byte res = 0;for (int i = 0; i < length; i++) {byte b = byteBuffer.get();res += b;}return res;}/*** 通过遍历的方式得到帧头的位置** @param byteBuffer* @param frameHeader* @return*/public int findFrameHeaderPosition(ByteBuffer byteBuffer, byte[] frameHeader) {// 记录当前位置int startPosition = byteBuffer.position();// 遍历 ByteBuffer 从当前位置开始搜索帧头for (int i = startPosition; i < byteBuffer.limit() - frameHeader.length + 1; i++) {// 标记当前位置byteBuffer.position(i);boolean found = true;for (int j = 0; j < frameHeader.length; j++) {if (byteBuffer.get() != frameHeader[j]) {found = false;break;}}if (found) {// 恢复 ByteBuffer 的当前位置
//                byteBuffer.position(startPosition);return i; // 返回帧头 'e' 的位置}}// 恢复 ByteBuffer 的当前位置
//        byteBuffer.position(startPosition);// 如果没有找到,返回 -1 表示未找到return -1;}/*** 将十六进制字符串转换为字节数组的方法** @param hexString* @return*/public byte[] hexStringToByteArray(String hexString) {int len = hexString.length();byte[] byteArray = new byte[len / 2]; // 每两个十六进制字符表示一个字节for (int i = 0; i < len; i += 2) {byteArray[i / 2] = (byte) ((Character.digit(hexString.charAt(i), 16) << 4)+ Character.digit(hexString.charAt(i + 1), 16));}return byteArray;}}}class Counter {private LongAdder count = new LongAdder();public void increment() {count.increment();}public int getCount() {return count.intValue();}
}

解释:以上代码是采用多线程,将接收到的数据帧解析为日志,并将日志存储到数据库中,根据日志类型不同,存储到不同的数据库表中。

4、总结

        采用DatagramPacket实现数据帧接收准备,将接收到的每一帧数据解析为日志,每一帧都交给一个线程去处理,为节省线程频繁创建和销毁的资源,采用多线程。

学习之所以会想睡觉,是因为那是梦开始的地方。
ଘ(੭ˊᵕˋ)੭ (开心) ଘ(੭ˊᵕˋ)੭ (开心)ଘ(੭ˊᵕˋ)੭ (开心)ଘ(੭ˊᵕˋ)੭ (开心)ଘ(੭ˊᵕˋ)੭ (开心)
                                                                                                        ------不写代码不会凸的小刘

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

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

相关文章

广东省钟表行业协会第十二届会员大会暨2024年钟表行业发展交流会

6月25日广东省钟表行业协会第十二届会员大会暨2024年钟表行业发展交流会在广州万富希尔顿酒店隆重召开。大会选举沙胜昔为广东省钟表行业协会第十二届理事会会长。 领导发言 新任会长 沙胜昔 首席荣誉会长 吴伟阳 新老会长交接仪式 本次大会&#xff0c;全国钟表大伽齐参与…

前端Web开发HTML5+CSS3+移动web视频教程 Day3 CSS 第1天

P29 - P43 从此开始进入 CSS 的学习。前面都是 HTML 的学习。 CSS 的作用&#xff1a;美化。 HTML 只是规定了网页内容有哪些&#xff0c;在网页中显示的位置默认是从上到下显示&#xff0c;还带有默认效果&#xff0c;比如超链接有颜色有下划线&#xff0c;无序列表有小圆点…

CSS Flex弹性布局

一、传统布局与flex布局 1、传统布局 2、flex布局 二、flex布局原理 1、布局原理 2、flex布局体验 三、flex布局父项常见属性 1、常见的父项属性 2、flex-direction设置主轴的方向 3、justify-content 设置主轴上的子元素排列方式 4、flex-wrap 设置子元素是否换行 …

同步的问题及解决方案

同步 同步的问题 当给狗狗食物的同时,狗狗又在吃,这会导致在运行过程中会出现食物的数据的错乱,有时候会多出数据,有时候会少出数据,这就让狗狗有时候会很吃亏,那么该如何解决呢? 实验体现 package multiThread2;public class Animal{private String name;private int…

电影票房预测管理系统设计

电影票房预测管理系统的开发涉及多个层面的设计&#xff0c;包括但不限于数据收集、数据分析、预测模型构建、用户界面设计和系统集成。以下是一个基本的系统设计框架&#xff1a; 1. 数据收集模块&#xff1a;这是整个系统的基础。需要收集的数据可能包括历史票房数据、上映电…

docker离线安装部署

docker离线安装部署 下载资源包 wget https://download.docker.com/linux/static/stable/x86_64/docker-20.10.0.tgzwget https://download.docker.com/linux/static/stable/x86_64/docker-24.0.6.tgz安装 #1、解压dockertar -zxvf docker-24.0.6.tgz#2、将解压之后的docker文…

2024年6月GESP认证图形化编程_Python_C++真题及答案

2024年6月CCF GESP认证图形化编程_Python_C真题及答案 GESP 6月认证图形化编程一级真题 GESP 6月认证图形化编程二级真题 GESP 6月认证图形化编程三级真题 GESP 6月认证图形化编程四级真题 GESP 6月认证 C 一级真题 GESP 6月认证 C 二级真题 GESP 6月认证 C 三级真题 GE…

HTML 纯页面商城(简易版)

index.html ---- <!DOCTYPE html> <html lang"zh"> <head> <meta charset"UTF-8"> <meta name"viewport" content"widthdevice-width, initial-scale1.0"> <title>购物商城</ti…

Memcached安装与配置:从零开始搭建高效缓存系统

Memcached 是一个高性能、分布式内存对象缓存系统&#xff0c;用于加速动态Web应用程序&#xff0c;减轻数据库负载。本文将详细介绍如何从零开始安装和配置Memcached&#xff0c;以搭建一个高效的缓存系统。 1. Memcached简介 Memcached 是一个开源的内存缓存系统&#xff0…

二叉树从根节点出发的所有路径

二叉树从根节点出发的所有路径 看上图中 二叉树结构 从根节点出发的所有路径 如下 6->4->2->1 6->4->2->3 6->4->5 6->8->7 6->8->9 逻辑思路&#xff1a; 按照先序遍历 加 回溯法 实现 代码如下 // 调用此方法&#xff0c;将根节点传递…

上位机图像处理和嵌入式模块部署(mcu 项目1:上位机编写)

【 声明&#xff1a;版权所有&#xff0c;欢迎转载&#xff0c;请勿用于商业用途。 联系信箱&#xff1a;feixiaoxing 163.com】 前面&#xff0c;我们说过要做一个报警器。如果只是简单做一个报警器呢&#xff0c;这个基本上没有什么难度。这里&#xff0c;我们就适当提高一下…

Navicat上新啦

前言 Navicat&#xff0c;在数据库界&#xff0c;几乎是一个神奇的存在&#xff0c;似乎统治了数据库开发工具的“一片天”。且看下图&#xff1a; 红的蓝的绿的橙的…&#xff0c;可以说&#xff0c;留给它的color不多了。 那么商业BI到服务监控、从云托管到云协作&#xff…

短剧App开发的全攻略

短剧App开发的全攻略可以概括为以下几个关键步骤&#xff1a; 1、市场调研与需求分析 进行市场调研&#xff0c;研究目标用户群体&#xff0c;了解他们的需求和偏好。 观察竞争对手的App&#xff0c;分析他们的优点和缺点&#xff0c;以此为基础来制定自己的开发计划。 确定App…

Apipost接口测试工具的原理及应用详解(一)

本系列文章简介&#xff1a; 随着软件行业的快速发展&#xff0c;API&#xff08;应用程序编程接口&#xff09;作为不同软件组件之间通信的桥梁&#xff0c;其重要性日益凸显。API的质量直接关系到软件系统的稳定性、性能和用户体验。因此&#xff0c;对API进行严格的测试成为…

Zookeeper节点ACL权限设置—digest模式

ACL全称为Access Control List&#xff08;访问控制列表&#xff09;&#xff0c;用于控制资源的访问权限。ZooKeeper使用ACL来控制对其znode&#xff08;ZooKeeper数据树的数据节点&#xff09;的访问。 zk利用ACL策略控制节点的访问权限: CREATE c 可以创建子节点 DELETE …

锅炉引风机控制系统原理

锅炉引风机控制系统原理 引言 现有的锅炉由蒸汽锅炉改造而成的常压热水锅炉,常压锅炉使用安全,对原材料的要求比蒸汽锅炉低,无需控制蒸汽压力,控制精度要求相对要低。目前国内外对蒸汽锅炉引风机控制的研究己经比较成熟,锅炉引风机控制数学模型基本定型,而锅炉引风机控…

2114. 句子中的最多单词数

一个 句子 由一些 单词 以及它们之间的单个空格组成&#xff0c;句子的开头和结尾不会有多余空格。 给你一个字符串数组 sentences &#xff0c;其中 sentences[i] 表示单个 句子 。 请你返回单个句子里 单词的最多数目 。 示例 1&#xff1a; 输入&#xff1a;sentences […

3D打印随形水路在注塑生产中的显著优势

3D打印技术在模具制造中已崭露头角&#xff0c;特别是在注塑生产中&#xff0c;3D打印随形水路的应用正变得日益普遍。 首先&#xff0c;该技术能精准优化模具温度。3D打印随形水路随形冷却的设计让模具温度更加均匀&#xff0c;水路更贴近产品&#xff0c;有效提升产品品质和缩…

python基础问题记录

文章目录 前言一、python中类的注意点二、模块与包1. 模块2. 包 总结 前言 本专栏主要记录python中一些语法问题。 一、python中类的注意点 类属性&#xff1a;在类中定义的属性 在类中直接写明的变量是类属性&#xff0c;属于公共属性。 访问&#xff1a;类属性可以通过类或…

k8s如何使用 HPA 实现自动扩展

使用Horizontal Pod Autoscaler (HPA) 实验目标&#xff1a; 学习如何使用 HPA 实现自动扩展。 实验步骤&#xff1a; 创建一个 Deployment&#xff0c;并设置 CPU 或内存的资源请求。创建一个 HPA&#xff0c;设置扩展策略。生成负载&#xff0c;观察 HPA 如何自动扩展 Pod…