YModem在Android上的实现

(一)参考文献


【安卓相关】蓝牙基于Ymodem协议发送bin文件,对硬件设备进行升级。 - 简书
当Android BLE遇上YModem - 简书

(二)收发机制

基于我们具体的需求,在原有的基础上加了一下前后的处理。

 * MY YMODEM IMPLEMTATION* *SENDER: ANDROID APP *------------------------------------------* RECEIVER: BLE DEVICE** HELLO BOOTLOADER ---------------------------------------------->** <---------------------------------------------------------------* C* SOH 00 FF filename0fileSizeInByte0MD5[90] ZERO[38] CRC CRC----->** <---------------------------------------------------------------* ACK C* STX 01 FE data[1024] CRC CRC ---------------------------------->** <---------------------------------------------------------------* ACK* STX 02 FF data[1024] CRC CRC ---------------------------------->** <---------------------------------------------------------------* ACK* ...* ...* <p>* STX 08 F7 data[1000] CPMEOF[24] CRC CRC ----------------------->** <---------------------------------------------------------------* ACK* EOT ----------------------------------------------------------->** <---------------------------------------------------------------* ACK* SOH 00 FF ZERO[128] ------------------------------------------->** <---------------------------------------------------------------* ACK* <---------------------------------------------------------------* MD5_OK

(三)核心代码模块

首先梳理一下它应该具有哪些模块:

  • 协议的核心实现
    主要是负责数据传输过程中有关协议的部分,如在数据包上加入头,CRC,验证返回的正确性以及超时重发等。
  • 一个协议工具类,封装包数据的提供
  • 一个文件数据的读取模块:它是耗时任务,应该在子线程进行。
  • 各种执行状态的监听

3.1协议的核心实现

/*** Created by leonxtp on 2017/9/16.* Modified by leonxtp on 2017/9/16*/public class Ymodem implements FileStreamThread.DataRaderListener {private static final int STEP_HELLO = 0x00;private static final int STEP_FILE_NAME = 0x01;private static final int STEP_FILE_BODY = 0x02;private static final int STEP_EOT = 0x03;private static final int STEP_END = 0x04;private static int CURR_STEP = STEP_HELLO;private static final byte ACK = 0x06; /* ACKnowlege */private static final byte NAK = 0x15; /* Negative AcKnowlege */private static final byte CAN = 0x18; /* CANcel character */private static final byte ST_C = 'C';private static final String MD5_OK = "MD5_OK";private static final String MD5_ERR = "MD5_ERR";private Context mContext;private String filePath;private String fileNameString = "LPK001_Android";private String fileMd5String = "63e7bb6eed1de3cece411a7e3e8e763b";private YModemListener listener;private TimeOutHelper timerHelper = new TimeOutHelper();private FileStreamThread streamThread;//bytes has been sent of this transmissionprivate int bytesSent = 0;//package data of current sending, used for int case of failprivate byte[] currSending = null;private int packageErrorTimes = 0;private static final int MAX_PACKAGE_SEND_ERROR_TIMES = 5;//the timeout interval for a single packageprivate static final int PACKAGE_TIME_OUT = 6000;/*** Construct of the YModemBLE,you may don't need the fileMD5 checking,remove it** @param filePath       absolute path of the file* @param fileNameString file name for sending to the terminal* @param fileMd5String  md5 for terminal checking after transmission finished* @param listener*/public Ymodem(Context context, String filePath,String fileNameString, String fileMd5String,YModemListener listener) {this.filePath = filePath;this.fileNameString = fileNameString;this.fileMd5String = fileMd5String;this.mContext = context;this.listener = listener;}/*** Start the transmission*/public void start() {sayHello();}/*** Stop the transmission when you don't need it or shut it down in accident*/public void stop() {bytesSent = 0;currSending = null;packageErrorTimes = 0;if (streamThread != null) {streamThread.release();}timerHelper.stopTimer();}/*** Method for the outer caller when received data from the terminal*/public void onReceiveData(byte[] respData) {//Stop the package timertimerHelper.stopTimer();if (respData != null && respData.length > 0) {switch (CURR_STEP) {case STEP_HELLO:handleHello(respData);break;case STEP_FILE_NAME:handleFileName(respData);break;case STEP_FILE_BODY:handleFileBody(respData[0]);break;case STEP_EOT:handleEOT(respData);break;case STEP_END:handleEnd(respData);break;default:break;}} else {L.f("The terminal do responsed something, but received nothing??");}}/*** ==============================================================================* Methods for sending data begin* ==============================================================================*/private void sayHello() {streamThread = new FileStreamThread(mContext, filePath, this);CURR_STEP = STEP_HELLO;L.f("sayHello!!!");byte[] hello = YModemUtil.getYModelHello();if (listener != null) {listener.onDataReady(hello);}}private void sendFileName() {CURR_STEP = STEP_FILE_NAME;L.f("sendFileName");try {int fileByteSize = streamThread.getFileByteSize();byte[] hello = YModemUtil.getFileNamePackage(fileNameString, fileByteSize, fileMd5String);if (listener != null) {listener.onDataReady(hello);}} catch (IOException e) {e.printStackTrace();}}private void startSendFileData() {CURR_STEP = STEP_FILE_BODY;L.f("startSendFileData");streamThread.start();}//Callback from the data reading thread when a data package is ready@Overridepublic void onDataReady(byte[] data) {if (listener != null) {currSending = data;//Start the timer, it will be cancelled when reponse received,// or trigger the timeout and resend the current package datatimerHelper.startTimer(timeoutListener, PACKAGE_TIME_OUT);listener.onDataReady(data);}}private void sendEOT() {CURR_STEP = STEP_EOT;L.f("sendEOT");if (listener != null) {listener.onDataReady(YModemUtil.getEOT());}}private void sendEND() {CURR_STEP = STEP_END;L.f("sendEND");if (listener != null) {try {listener.onDataReady(YModemUtil.getEnd());} catch (IOException e) {e.printStackTrace();}}}/*** ==============================================================================* Method for handling the response of a package* ==============================================================================*/private void handleHello(byte[] value) {int character = value[0];if (character == ST_C) {//Receive "C" for "HELLO"packageErrorTimes = 0;sendFileName();} else {handleOthers(character);}}//The file name package was responsedprivate void handleFileName(byte[] value) {if (value.length == 2 && value[0] == ACK && value[1] == ST_C) {//Receive 'ACK C' for file namepackageErrorTimes = 0;startSendFileData();} else if (value[0] == ST_C) {//Receive 'C' for file name, this package should be resenthandlePackageFail();} else {handleOthers(value[0]);}}private void handleFileBody(int character) {if (character == ACK) {//Receive ACK for file datapackageErrorTimes = 0;bytesSent += currSending.length;try {if (listener != null) {listener.onProgress(bytesSent, streamThread.getFileByteSize());}} catch (IOException e) {e.printStackTrace();}streamThread.keepReading();} else if (character == ST_C) {//Receive C for file data, the ymodem cannot handle this circumstance, transmission failed...if (listener != null) {listener.onFailed();}} else {handleOthers(character);}}private void handleEOT(byte[] value) {if (value[0] == ACK) {packageErrorTimes = 0;sendEND();} else if (value[0] == ST_C) {//As we haven't received ACK, we should resend EOThandlePackageFail();} else {handleOthers(value[0]);}}private void handleEnd(byte[] character) {if (character[0] == ACK) {//The last ACK represents that the transmission has been finished, but we should validate the filepackageErrorTimes = 0;} else if ((new String(character)).equals(MD5_OK)) {//The file data has been checked,Well Done!stop();if (listener != null) {listener.onSuccess();}} else if ((new String(character)).equals(MD5_ERR)) {//Oops...Transmission Failed...stop();if (listener != null) {listener.onFailed();}} else {handleOthers(character[0]);}}private void handleOthers(int character) {if (character == NAK) {//We need to resend this package as the terminal failed when checking the crchandlePackageFail();} else if (character == CAN) {//Some big problem occurred, transmission failed...stop();}}//Handle a failed package data ,resend it up to MAX_PACKAGE_SEND_ERROR_TIMES times.//If still failed, then the transmission failed.private void handlePackageFail() {packageErrorTimes++;if (packageErrorTimes < MAX_PACKAGE_SEND_ERROR_TIMES) {if (listener != null) {listener.onDataReady(currSending);}} else {//Still, we stop the transmission, release the resourcesstop();if (listener != null) {listener.onFailed();}}}/* The InputStream data reading thread was done */@Overridepublic void onFinish() {sendEOT();}//The timeout listenerprivate TimeOutHelper.ITimeOut timeoutListener = new TimeOutHelper.ITimeOut() {@Overridepublic void onTimeOut() {if (currSending != null) {handlePackageFail();}}};public static class Builder {private Context context;private String filePath;private String fileNameString;private String fileMd5String;private YModemListener listener;public Builder with(Context context) {this.context = context;return this;}public Builder filePath(String filePath) {this.filePath = filePath;return this;}public Builder fileName(String fileName) {this.fileNameString = fileName;return this;}public Builder checkMd5(String fileMd5String) {this.fileMd5String = fileMd5String;return this;}public Builder callback(YModemListener listener) {this.listener = listener;return this;}public Ymodem build() {return new Ymodem(context, filePath, fileNameString, fileMd5String, listener);}}}

该代码实现了一个Ymodem类,用于通过Ymodem协议传输文件。以下是代码的简要总结:

  1. 常量定义:定义了传输步骤(HELLO、FILE_NAME、FILE_BODY、EOT、END)和一些控制字符(ACK、NAK、CAN、ST_C)以及MD5校验相关的字符串。

  2. 成员变量:包括上下文(Context)、文件路径、文件名、文件MD5值、传输监听器(YModemListener)、计时器助手(TimeOutHelper)、文件流线程(FileStreamThread)、已发送字节数、当前发送的数据包、错误计数等。

  3. 构造函数:初始化Ymodem对象,接受文件路径、文件名、文件MD5值和监听器作为参数。

  4. 传输控制方法

    • start(): 开始传输,调用sayHello()方法。
    • stop(): 停止传输,重置相关变量,释放资源。
  5. 接收数据方法

    • onReceiveData(byte[] respData): 处理从终端接收的数据,根据当前传输步骤调用相应的处理方法。
  6. 数据发送方法

    • sayHello(): 发送HELLO包。
    • sendFileName(): 发送文件名包。
    • startSendFileData(): 开始发送文件数据包。
    • sendEOT(): 发送EOT包。
    • sendEND(): 发送END包。
  7. 响应处理方法

    • handleHello(byte[] value): 处理HELLO包的响应。
    • handleFileName(byte[] value): 处理文件名包的响应。
    • handleFileBody(int character): 处理文件数据包的响应。
    • handleEOT(byte[] value): 处理EOT包的响应。
    • handleEnd(byte[] character): 处理END包的响应。
    • handleOthers(int character): 处理其他响应(如NAK、CAN)。
  8. 失败处理方法

    • handlePackageFail(): 处理数据包发送失败,重试发送,超过最大重试次数则停止传输。
  9. 构建器类Builder类用于方便地创建Ymodem对象,支持链式调用设置参数。

整体来说,该代码实现了一个Ymodem文件传输协议的客户端,通过分步骤发送文件数据,并处理接收端的各种响应,确保文件能够可靠地传输和校验。

3.2协议包工具类

/*** Util for encapsulating data package of ymodem protocol* <p>* Created by leonxtp on 2017/9/16.* Modified by leonxtp on 2017/9/16*/public class YModemUtil {/*This is my concrete ymodem start signal, customise it to your needs*/private static final String HELLO = "HELLO BOOTLOADER";private static final byte SOH = 0x01; /* Start Of Header with data size :128*/private static final byte STX = 0x02; /* Start Of Header with data size : 1024*/private static final byte EOT = 0x04; /* End Of Transmission */private static final byte CPMEOF = 0x1A;/* Fill the last package if not long enough */private static CRC16 crc16 = new CRC16();/*** Get the first package data for hello with a terminal*/public static byte[] getYModelHello() {return HELLO.getBytes();}/*** Get the file name package data** @param fileNameString file name in String* @param fileByteSize   file byte size of int value* @param fileMd5String  the md5 of the file in String*/public static byte[] getFileNamePackage(String fileNameString,int fileByteSize,String fileMd5String) throws IOException {byte seperator = 0x0;String fileSize = fileByteSize + "";byte[] byteFileSize = fileSize.getBytes();byte[] fileNameBytes1 = concat(fileNameString.getBytes(),new byte[]{seperator},byteFileSize);byte[] fileNameBytes2 = Arrays.copyOf(concat(fileNameBytes1,new byte[]{seperator},fileMd5String.getBytes()), 128);byte seq = 0x00;return getDataPackage(fileNameBytes2, 128, seq);}/*** Get a encapsulated package data block** @param block      byte data array* @param dataLength the actual content length in the block without 0 filled in it.* @param sequence   the package serial number* @return a encapsulated package data block*/public static byte[] getDataPackage(byte[] block, int dataLength, byte sequence) throws IOException {byte[] header = getDataHeader(sequence, block.length == 1024 ? STX : SOH);//The last package, fill CPMEOF if the dataLength is not sufficientif (dataLength < block.length) {int startFil = dataLength;while (startFil < block.length) {block[startFil] = CPMEOF;startFil++;}}//We should use short size when writing into the data package as it only needs 2 bytesshort crc = (short) crc16.calcCRC(block);ByteArrayOutputStream baos = new ByteArrayOutputStream();DataOutputStream dos = new DataOutputStream(baos);dos.writeShort(crc);dos.close();byte[] crcBytes = baos.toByteArray();return concat(header, block, crcBytes);}/*** Get the EOT package*/public static byte[] getEOT() {return new byte[]{EOT};}/*** Get the Last package*/public static byte[] getEnd() throws IOException {byte seq = 0x00;return getDataPackage(new byte[128], 128, seq);}/*** Get InputStream from Assets, you can customize it from the other sources** @param fileAbsolutePath absolute path of the file in asstes*/public static InputStream getInputStream(Context context, String fileAbsolutePath) throws IOException {return new InputStreamSource().getStream(context, fileAbsolutePath);}private static byte[] getDataHeader(byte sequence, byte start) {//The serial number of the package increases Cyclically up to 256byte modSequence = (byte) (sequence % 0x256);byte complementSeq = (byte) ~modSequence;return concat(new byte[]{start},new byte[]{modSequence},new byte[]{complementSeq});}private static byte[] concat(byte[] a, byte[] b, byte[] c) {int aLen = a.length;int bLen = b.length;int cLen = c.length;byte[] concated = new byte[aLen + bLen + cLen];System.arraycopy(a, 0, concated, 0, aLen);System.arraycopy(b, 0, concated, aLen, bLen);System.arraycopy(c, 0, concated, aLen + bLen, cLen);return concated;}
}

这段代码实现了YModem协议的数据打包工具,主要功能包括:

  1. 定义常量

    • HELLO: 自定义的启动信号字符串。
    • SOH: 表示128字节数据包的头部标志。
    • STX: 表示1024字节数据包的头部标志。
    • EOT: 传输结束标志。
    • CPMEOF: 用于填充未满数据包的字节。
  2. 计算CRC16校验

    • 使用CRC16类来计算数据包的CRC校验值。
  3. 生成数据包

    • getYModelHello(): 获取启动信号的字节数组。
    • getFileNamePackage(): 生成包含文件名、文件大小和文件MD5值的数据包。
    • getDataPackage(): 生成带有头部、数据块和CRC校验的数据包,并填充不足部分。
    • getEOT(): 获取传输结束数据包。
    • getEnd(): 获取最后一个填充128字节的数据包。
    • getInputStream(): 从资源文件中获取输入流(可定制其他来源)。
  4. 私有辅助方法

    • getDataHeader(): 生成数据包头部,包括起始字节、序列号及其补码。
    • concat(): 连接多个字节数组。

该工具类主要用于在YModem协议传输过程中打包和封装数据。

3.3文件数据读取类

/*** Thread for reading input Stream and encapsulating into a ymodem package* <p>* Created by leonxtp on 2017/9/16.* Modified by leonxtp on 2017/9/16*/public class FileStreamThread extends Thread {private Context mContext;private InputStream inputStream = null;private DataRaderListener listener;private String filePath;private AtomicBoolean isDataAcknowledged = new AtomicBoolean(false);private boolean isKeepRunning = false;private int fileByteSize = 0;public FileStreamThread(Context mContext, String filePath, DataRaderListener listener) {this.mContext = mContext;this.filePath = filePath;this.listener = listener;}public int getFileByteSize() throws IOException {if (fileByteSize == 0 || inputStream == null) {initStream();}return fileByteSize;}@Overridepublic void run() {try {prepareData();} catch (IOException e) {e.printStackTrace();}}private void prepareData() throws IOException {initStream();byte[] block = new byte[1024];int dataLength;byte blockSequence = 1;//The data package of a file is actually started from 1isDataAcknowledged.set(true);isKeepRunning = true;while (isKeepRunning) {if (!isDataAcknowledged.get()) {try {//We need to sleep for a while as the sending 1024 bytes data from ble would take several seconds//In my circumstances, this can be up to 3 seconds.Thread.sleep(100);} catch (InterruptedException e) {e.printStackTrace();}continue;}if ((dataLength = inputStream.read(block)) == -1) {L.f("The file data has all been read...");if (listener != null) {onStop();listener.onFinish();}break;}byte[] packige = YModemUtil.getDataPackage(block, dataLength, blockSequence);if (listener != null) {listener.onDataReady(packige);}blockSequence++;isDataAcknowledged.set(false);}}/*** When received response from the terminal ,we should keep the thread keep going*/public void keepReading() {isDataAcknowledged.set(true);}public void release() {onStop();listener = null;}private void onStop() {isKeepRunning = false;isDataAcknowledged.set(false);fileByteSize = 0;onReadFinished();}private void initStream() {if (inputStream == null) {try {inputStream = YModemUtil.getInputStream(mContext, filePath);fileByteSize = inputStream.available();} catch (IOException e) {e.printStackTrace();}}}private void onReadFinished() {if (inputStream != null) {try {inputStream.close();inputStream = null;} catch (IOException e) {e.printStackTrace();}}}public interface DataRaderListener {void onDataReady(byte[] data);void onFinish();}}

这段代码定义了一个名为`FileStreamThread`的类,该类继承自`Thread`,用于读取输入流并将其封装成 Ymodem 数据包。主要功能如下:

1. **构造函数**:初始化线程,接受`Context`、文件路径和`DataRaderListener`作为参数。
2. **获取文件大小**:通过`getFileByteSize`方法获取文件的字节大小。
3. **线程运行**:重写`run`方法,在`run`方法中调用`prepareData`方法读取文件数据并封装成 Ymodem 数据包。
4. **准备数据**:`prepareData`方法中:
   - 初始化输入流。
   - 读取文件数据,按块读取,并封装成 Ymodem 数据包。
   - 调用监听器`listener`的方法将封装好的数据包发送出去。
5. **继续读取**:当收到终端响应时,调用`keepReading`方法继续读取数据。
6. **释放资源**:`release`方法停止线程,释放资源。
7. **初始化流**:`initStream`方法初始化输入流并获取文件大小。
8. **读取完成**:`onReadFinished`方法关闭输入流并清理资源。
9. **监听器接口**:`DataRaderListener`接口用于处理数据包准备好和读取完成的事件。

总的来说,该类用于读取文件数据并将其按块封装成 Ymodem 数据包,通过监听器接口将数据包传递给外部处理。

3.4各种状态监听接口

/*** Listener of the transmission process*/
public interface YModemListener {/* the data package has been encapsulated */void onDataReady(byte[] data);/*just the file data progress*/void onProgress(int currentSent, int total);/* the file has been correctly sent to the terminal */void onSuccess();/* the task has failed with several remedial measures like retrying some times*/void onFailed();}

(四)具体使用步骤:
 

初始化

        ymodem = new Ymodem.Builder().with(this).filePath("assets://demo.bin").fileName("demo.bin").checkMd5("lsfjlhoiiw121241l241lgljaf").callback(new YModemListener() {@Overridepublic void onDataReady(byte[] data) {//send this data[] to your ble component here...}@Overridepublic void onProgress(int currentSent, int total) {//the progress of the file data has transmitted}@Overridepublic void onSuccess() {//we are well done with md5 checked}@Overridepublic void onFailed() {//the task has failed for several times of trying}}).build();ymodem.start();

开始传输

ymodem.start();

当接收到设备响应

ymodem.onReceiveData(data);

停止

ymodem.stop();

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

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

相关文章

在Java中,创建一个实现了Callable接口的类可以提供强大的灵活性,特别是当你需要在多线程环境中执行任务并获取返回结果时。

在Java中&#xff0c;创建一个实现了Callable接口的类可以提供强大的灵活性&#xff0c;特别是当你需要在多线程环境中执行任务并获取返回结果时。以下是一个简单的案例&#xff0c;演示了如何创建一个实现了Callable接口的类&#xff0c;并在线程池中执行它。 首先&#xff0…

Cesium版本升级webgl问题,glsl代码关键字修改

简介 Cesium 从1.102.0 开始&#xff0c;Cesium 默认使用 WebGL2 上下文。一些webgl特效代码在webgl1中支持&#xff0c;但是在版本升级后&#xff0c;运行会报各种glsl代码错误。现在有两种解决方案。详细办法描述如下所示。 1、修改配置使用WebGL1 地球初始化配置如下&…

wordpress外贸建站公司案例英文模板

Indirect Trade WP外贸网站模板 WordPress Indirect Trade外贸网站模板&#xff0c;建外贸独立站用wordpress模板&#xff0c;快速搭建十分便捷。 衣物清洁wordpress独立站模板 洗衣粉、洗衣液、衣物柔顺剂、干洗剂、衣领净、洗衣皂等衣物清洁wordpress独立站模板。 家具wordpr…

深度学习:从数据采集到模型测试的全面指南

摘要 随着人工智能和大数据技术的迅猛发展&#xff0c;深度学习已成为解决复杂问题的有力工具。然而&#xff0c;从项目启动到模型部署&#xff0c;包含了数据处理和模型研发的多个环节&#xff0c;每个环节的细致和严谨性直接决定了最终模型的性能和可靠性。本论文详细探讨了…

LLaMA Pro:具有块扩展的渐进式 LLaMA[论文翻译]增量预训练 扩展transformer块

LLaMA Pro&#xff1a;具有块扩展的渐进式 LLaMA https://arxiv.org/abs/2401.02415 Chengyue Wu1,2   Yukang Gan2   Yixiao Ge2 Zeyu Lu3   Jiahao Wang1   Ye Feng4   Ying Shan2   Ping Luo1 1The University of Hong Kong   2ARC Lab, Tencent PCG 3Shang…

可以拖拽的富文本编辑器(VueDragResize,quill-editor)

该功能实现一个帮助文档的展示和编辑功能&#xff0c;默认进去只能查看帮助文档的内容&#xff0c;点击编辑可以进行富文本编辑器的编辑功能。 出现的问题1.如何隐藏富文本编辑的工具栏并且禁止编辑 //隐藏工具栏this.toolbar this.$refs.myTextEditor.quill.getModule(toolb…

【算法】代码随想录之数组(更新中)

文章目录 前言 一、二分查找法&#xff08;LeetCode--704&#xff09; 二、移除元素&#xff08;LeetCode--27&#xff09; 前言 跟随代码随想录&#xff0c;学习数组相关的算法题目&#xff0c;记录学习过程中的tips。 一、二分查找法&#xff08;LeetCode--704&#xff0…

Spring系统学习 - AOP之基于注解的AOP和XML的AOP

上一篇我们围绕了AOP中代理模式的使用&#xff0c;这篇我们将主要围绕AOP的相关术语介绍&#xff0c;以及重点围绕基于注解的AOP进行相关知识的概述和使用说明。 AOP的相关术语 切面&#xff08;Aspect&#xff09;&#xff1a;切面是一个模块化的横切关注点&#xff0c;它包含…

Vue3框架搭建:vue+vite+pina+typescript

一、使用vue-create创建一个vue3项目 仓库地址&#xff1a;GitHub - buguniao5213/LuArch: Front-end architecture 官方地址&#xff1a;GitHub - vuejs/create-vue: &#x1f6e0;️ The recommended way to start a Vite-powered Vue project 原始目录结构如下&#xff1…

ASP.NET MVC Lock锁的测试

思路&#xff1a;我们让后台Thread.Sleep一段时间&#xff0c;来模拟一个耗时操作&#xff0c;而这个时间可以由前台提供。 我们开启两个或以上的页面&#xff0c;第一个耗时5秒(提交5000)&#xff0c;第二个耗时1秒(提交1000)。 期望的测试结果&#xff1a; 不加Lock锁&…

胡克定律(Hooke‘s Law)

胡克定律&#xff08;Hooke’s Law&#xff09; flyfish 在一个简单的阻尼振动系统中&#xff0c;力可以分为多个组成部分&#xff0c;其中包括弹力、阻力等。胡克定律 描述了弹力与位移之间的关系&#xff0c;是研究弹簧系统中弹力的基础。 胡克定律&#xff08;Hooke’s L…

192.168.1.1路由器管理系统使用教程

节选自&#xff1a;192.168.1.1路由器管理系统-厂商有哪些-如何使用-无法登录原因-苏州稳联 什么是 192.168.1.1 路由器管理系统&#xff1f; 192.168.1.1 是大多数家庭路由器的默认 IP 地址&#xff0c;用于访问路由器的管理控制台。通过这个管理系统&#xff0c;用户可以配…

【多媒体】Java实现MP4和MP3音视频播放器【JavaFX】【更多功能的播放器】【音视频播放】

在Java中播放视频可以使用多种方案&#xff0c;最常见的是通过Swing组件JFrame和JLabel来嵌入JMF(Java Media Framework)或Xuggler。不过&#xff0c;JMF已经不再被推荐使用&#xff0c;而Xuggler是基于DirectX的&#xff0c;不适用于跨平台。而且上述方案都需要使用第三方库。…

websockt初始化,创建一个webSocket示例

写文思路&#xff1a; 以下主要从几个方面着手写websocket相关&#xff0c;包括以下&#xff1a;什么是webSocket&#xff0c;webSocket的优点和劣势&#xff0c;webSocket工作原理&#xff0c;webSocket握手示例&#xff0c;如何使用webSocket(使用webSocket的一个示例)&#…

2024中国大学专业排名:生态、地理、草业、林学、资环

生态学、林学、地理科学、草业科学、农业资源与环境、大气科学、农学、地球化学、水土保持与荒漠化防治、自然地理与资源环境、地理信息科学、应用气象学共12个专业。 一、生态学 二、林学 三、地理科学 四、草业科学 五、农业资源与环境 六、大气科学 七、农学 八、地球化学 九…

Memcached 介绍与详解及在Java Spring Boot项目中的使用与集成

Memcached 介绍 Memcached 是一种高性能的分布式内存对象缓存系统&#xff0c;主要用于加速动态Web应用以减少数据库负载&#xff0c;从而提高访问速度和性能。作为一个开源项目&#xff0c;Memcached 被广泛应用于许多大型互联网公司&#xff0c;如Facebook、Twitter 和 YouT…

精准注入:掌握Conda包依赖注入的艺术

精准注入&#xff1a;掌握Conda包依赖注入的艺术 引言 在复杂的软件开发和数据分析项目中&#xff0c;依赖管理是确保项目顺利运行的关键。Conda作为功能强大的包管理器&#xff0c;不仅能够处理Python包的依赖&#xff0c;还支持高级的依赖注入技术&#xff0c;允许开发者更…

【《无主之地3》风格角色渲染在Unity URP下的实现_角色渲染(第四篇) 】

文章目录 概要描边问题外秒变分叉解决办法1:测试效果如下:外秒变分叉解决办法2:URP管线下PBR渲染源码关键词解释:完整shader代码如下:URP管线下二次元皮肤渲染源码URP管线下二次元头发渲染源码简要介绍文章的目的、主要内容和读者将获得的知识。 概要 提示:《无主之地3》…

希喂、鲜朗和牧野奇迹主食冻干怎么样?第一次喂冻干哪款更好

我是个宠物医生&#xff0c;每天很长时间都在跟猫猫狗狗打交道&#xff0c;送到店里来的猫猫状态几乎是一眼就能看出来&#xff0c;肥胖、肝损伤真是现在大部分家养猫正面临的&#xff0c;靠送医治疗只能减缓无法根治&#xff0c;根本在于铲屎官的喂养方式。 从业这几年&#…