记录一次Netty的WSS异常

概述

业务场景

应用通过 WSS 客户端连接三方接口。在高并发压测时,出现了请求服务器写入失败的异常,该异常是偶发,出现的概率不到千分之一,异常如下图所示。
在这里插入图片描述

问题概述

注意

  • 因为握手是通过 http 协议进行的。所以,需要挂载 http 编解码器。
  • 而在握手成功后。需要从 pipeline 中删除 http 编解码器,并挂载 WebSocket 编解码器。即从 http 协议升级为 WebSocket 协议。

向第三方接口请求时(channel.writeAndFlush()),抛出了 “unsupported message type” 异常。

该异常,是消息类型不正确导致的,由异常提示可知,要求消息类型是 ByteBufFileRegion

因 BUG 出现的概率极低,在服务中无法复现,只能通过查看源码和日志,分析原因。

整个握手的过程如下所示:

  1. 应用与第三方建立连接。
  2. 应用发送握手请求,在请求成功后,挂载 WebSocket 编码器。(有90%的可能是因为这一步的导致的异常)
  3. 第三方接口握手响应。
  4. 应用进行握手完成处理。
  5. 应用与第三方接口握手完成,可以进行正常首发报文。

握手完成后,执行的操作主要是:卸载http编解码器,挂载 WebSocket 解码器。

最终的分析结果:客户端应用在握手期间,虽然请求已经成功发送到第三方接口。但是由于未知原因,造成请求握手的 FutureListener 延迟执行,进而造成 WebSocket 编码器挂载失败。

环境

jdk1.8。

Netty 依赖。

        <dependency><groupId>io.netty</groupId><artifactId>netty-all</artifactId><version>4.1.90.Final</version></dependency>

常用的 WSS 通信代码

服务端代码

服务端的代码比较简单,用的都是 Netty 提供的编解码器。

自定义 Handler :收到报文后,响应给客户端。

public class WssServer {public static void main(String[] args) throws InterruptedException {EventLoopGroup bossGroup = new NioEventLoopGroup(1);EventLoopGroup workGroup = new NioEventLoopGroup(10);ServerBootstrap bootstrap = new ServerBootstrap();bootstrap.group(bossGroup, workGroup).channel(NioServerSocketChannel.class).childHandler(new ChannelInitializer<SocketChannel>() {@Overrideprotected void initChannel(SocketChannel channel) throws Exception {ChannelPipeline pipeline = channel.pipeline();// http编解码处理pipeline.addLast("http-codec", new HttpServerCodec());// http聚合处理pipeline.addLast("http-aggregator", new HttpObjectAggregator(65536));// webSocket协议处理器,其中包含了握手的处理逻辑pipeline.addLast(new WebSocketServerProtocolHandler("/", null, false, 65536));pipeline.addLast(new SimpleChannelInboundHandler<Object>() {@Overrideprotected void channelRead0(ChannelHandlerContext ctx, Object msg) throws Exception {if (msg instanceof TextWebSocketFrame) {String text = ((TextWebSocketFrame) msg).text();System.out.println("server received text: " + text);ctx.writeAndFlush(new TextWebSocketFrame("I received your msg: " + text));}}@Overridepublic void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception {cause.printStackTrace();ctx.close();}});}});Channel channel = bootstrap.bind(8000).sync().channel();System.out.println("server started ... port: " + 8000);channel.closeFuture().sync();}
}

客户端代码

WSS 客户端类 WsSslClient

在客户端与服务端建立连接成功后,进行握手请求。握手成功后,才是真正的 connect 成功,即 WsSslClient.connect() 的逻辑。

握手逻辑说明:

  1. 握手逻辑发生在链路连接完成后。
  2. 调用 handshaker.handshake(channel) 发送握手请求
  3. ClientBizHandler 收到消息时,首先处理握手,并设置握手异步结果 (handshakeFinishPromise )
  4. 通过 handshakeFinishPromise 判断是否握手成功,进而可以判断是否真正的连接成功。
public class WsSslClient {private static final String URL = "wss://localhost:8000";private URI server;private Bootstrap bootstrap = new Bootstrap();/** Web握手类:用于握手处理 */private WebSocketClientHandshaker handshaker;public WsSslClient() throws Exception {server = new URI(URL);// 握手处理类handshaker = WebSocketClientHandshakerFactory.newHandshaker(server, WebSocketVersion.V13, null, true, new DefaultHttpHeaders());init();}public void init() {// 客户端线程组-10个线程EventLoopGroup group = new NioEventLoopGroup(10);bootstrap.option(ChannelOption.TCP_NODELAY, true).group(group).channel(NioSocketChannel.class)// 设置WebSocket相关处理器.handler(new ChannelInitializer<SocketChannel>() {@Overrideprotected void initChannel(SocketChannel channel) {ChannelPipeline pipeline = channel.pipeline();// http编解码处理pipeline.addLast("http-codec", new HttpClientCodec());// http聚合处理pipeline.addLast("http-aggregator", new HttpObjectAggregator(65536));// webSocket聚合处理pipeline.addLast(new WebSocketFrameAggregator(65536));// webSocket业务处理pipeline.addLast("client-handler", new ClientBizHandler(handshaker));}});System.out.println("client init success");}public Channel connect() throws InterruptedException {System.out.printf("begin connect to %s\n", URL);Channel channel = bootstrap.connect(server.getHost(), server.getPort()).sync().channel();System.out.printf("connected to %s\n", URL);// 发送握手System.out.printf("request handshake %s\n", URL);handshaker.handshake(channel);// 获取握手异步结果对象ClientBizHandler clientBizHandler = (ClientBizHandler)channel.pipeline().get("client-handler");ChannelPromise handshakeFinishPromise = clientBizHandler.getHandshakeFinishPromise();// 通过promise等待握手完成if (!handshakeFinishPromise.awaitUninterruptibly(2000)) {close(channel);throw new RuntimeException("handshake timeout");}if (!handshakeFinishPromise.isSuccess()) {throw new RuntimeException("handshake error");}System.out.printf("%s handshake finish, you can send msg now!\n", URL);return channel;}public void request(Channel channel, String msg) {System.out.println("request server, msg: " + msg);channel.writeAndFlush(new TextWebSocketFrame(msg)).addListener(new ChannelFutureListener() {@Overridepublic void operationComplete(ChannelFuture future) throws Exception {if (!future.isSuccess()) {System.err.println("writeAndFlush fail: "+ future.cause().getMessage());}}});}public void close(Channel channel) {if (channel != null && channel.isActive()) {System.out.println("close");channel.close();}}
}

业务处理器类

收到第三方接口响应时,先进行握手处理,然后才处理实际业务。

public class ClientBizHandler extends SimpleChannelInboundHandler<Object> {private final WebSocketClientHandshaker handshaker;private ChannelPromise handshakeFinishPromise;public ClientBizHandler(WebSocketClientHandshaker handshaker) {this.handshaker = handshaker;}public ChannelPromise getHandshakeFinishPromise() {return handshakeFinishPromise;}@Overridepublic void handlerAdded(ChannelHandlerContext ctx) throws Exception {System.out.println("handlerAdded");// 处理器被添加到实际的上下文时,创建一个异步结果对象,用于WsSslClient的连接函数handshakeFinishPromise = ctx.newPromise();}@Overrideprotected void channelRead0(ChannelHandlerContext ctx, Object msg) throws Exception {Channel channel = ctx.channel();// 握手未完成,则进行握手处理if (!handshaker.isHandshakeComplete()) {try {handshaker.finishHandshake(channel, (FullHttpResponse) msg);System.out.println("handshake finished");// 告知握手结果handshakeFinishPromise.setSuccess();} catch (Exception e) {// 异常也要告知System.err.println("handshake error: " + e.getMessage());handshakeFinishPromise.setFailure(e);}return;}if (msg instanceof TextWebSocketFrame) {TextWebSocketFrame textWebSocketFrame = (TextWebSocketFrame) msg;System.out.println("received server response: " + textWebSocketFrame.text());// 实际处理...}}
}

进行 WSS 连接和发送的请求的 demo

public class ClientTest {public static void main(String[] args) throws Exception {WsSslClient wsSslClient = new WsSslClient();Channel channel = wsSslClient.connect();wsSslClient.request(channel, "hello server, I'm client");}
}

正常发起测试

1.首先启动服务端,并输出日志。

server started ... port: 8000

2.运行 ClientTest ,请求服务端,日志输出如下。

客户端日志

client init success
begin connect to wss://localhost:8000
handlerAdded
connected to wss://localhost:8000
request handshake wss://localhost:8000
handshake finished
wss://localhost:8000 handshake finish, you can send msg now!
request server, msg: hello server, I'm client

服务端日志

server received text: hello server, I'm client

客户端日志

received server response: I received your msg: hello server, I'm client

异常分析

查看 handshaker.handshake(channel) 源码,可知其用来发送握手消息,并添加异步监听。

异步监听作用:在握手消息发送成功后,添加 WebSocket 编码器 WebSocketFrameEncoder这一步很关键,是造成异常的主要元凶。 因为是异步进行的监听,有可能会导致执行的延迟。

在这里插入图片描述

WebSocketFrameEncoder 编码器的功能,正是将 WebSocketFrame 类型的消息转化为 ByteBuf

我们可以推理一下,如果由于未知原因(如并发高、线程切换阻塞),导致握手消息发送成功,但是执行监听延迟

  • 也就是说 WebSocketFrameEncoder 还未挂载到 channel 的 pipeline 时,
  • 应用已经收到第三方的握手响应,完成握手响应逻辑处理,设置 handshakeFinishPromise 异步结果为成功。
  • WsSslClient.connect() 函数中阻塞等待 handshakeFinishPromise 放行,即连接函数执行成功。
  • 执行WsSslClient.request(),发生真实请求(此时 pipeline 上无 WebSocketFrameEncoder)。
  • 抛出 unsupported message type 异常。

重现异常

为了模拟 unsupported message type 异常,定义了一个 CustomWebSocketClientHandshaker13 ,用于替代原客户端代码中的 handshaker

我用的是 W13 版本,大家根据实际情况,使用其他版本。

CustomWebSocketClientHandshaker13 重写了发送握手请求方法 handshake(),握手请求监听处增加了延迟执行的逻辑。

public class CustomWebSocketClientHandshaker13 extends WebSocketClientHandshaker13 {public CustomWebSocketClientHandshaker13(URI webSocketURL, WebSocketVersion version, String subprotocol,boolean allowExtensions, HttpHeaders customHeaders,int maxFramePayloadLength) {super(webSocketURL, version, subprotocol, allowExtensions, customHeaders, maxFramePayloadLength);}/*** 重写该方法,主要是用于复现出现的问题* @param channel* @return*/@Overridepublic ChannelFuture handshake(Channel channel) {ChannelPromise promise = channel.newPromise();FullHttpRequest request = this.newHandshakeRequest();channel.writeAndFlush(request).addListener(new ChannelFutureListener() {@Overridepublic void operationComplete(ChannelFuture future) throws InterruptedException {new Thread(new Runnable() {@Overridepublic void run() {// 写握手请求时,因未知原因,导致握手后编码器未挂载成功,// 或者发送成功,但是因为未知原因,导致监听延迟try {Thread.sleep(1000);} catch (InterruptedException e) {e.printStackTrace();}if (future.isSuccess()) {ChannelPipeline p = future.channel().pipeline();ChannelHandlerContext ctx = p.context(HttpRequestEncoder.class);if (ctx == null) {ctx = p.context(HttpClientCodec.class);}if (ctx == null) {promise.setFailure(new IllegalStateException("ChannelPipeline does not contain an HttpRequestEncoder or HttpClientCodec"));return;}p.addAfter(ctx.name(), "ws-encoder", CustomWebSocketClientHandshaker13.this.newWebSocketEncoder());promise.setSuccess();} else {promise.setFailure(future.cause());}}}).start();}});return promise;}
}

不要忘记 WsSslClient 中的 handshaker 喔~~。 它要换成我们自定义的异常类 CustomWebSocketClientHandshaker13 ,代码如下图所示。
在这里插入图片描述

handshaker = new CustomWebSocketClientHandshaker13(server, WebSocketVersion.V13, null, true,new DefaultHttpHeaders(), 65536);

执行 ClientTest 就会复现该异常。

在这里插入图片描述

修复异常

第一个修复点 - WsSslClient

connect() 函数中, handshaker.handshake(channel) 会返回一个 ChannelFuture 对象,用于告知握手请求的执行结果。

也就是握手请求监听函数真正执行的结果。

我们拿到这个 Future 对象后,传递给业务处理器 clientBizHandler

在这里插入图片描述

改造后的 WsSslClient 源码。

public class WsSslClient {private static final String URL = "wss://localhost:8000";private URI server;private Bootstrap bootstrap = new Bootstrap();/** Web握手类:用于握手处理 */private WebSocketClientHandshaker handshaker;public WsSslClient() throws Exception {server = new URI(URL);// 握手处理类
//        handshaker = WebSocketClientHandshakerFactory
//                .newHandshaker(server, WebSocketVersion.V13, null, true, new DefaultHttpHeaders());// 为复现问题,自己定义的握手类handshaker = new CustomWebSocketClientHandshaker13(server, WebSocketVersion.V13, null, true,new DefaultHttpHeaders(), 65536);init();}public void init() {// 客户端线程组-10个线程EventLoopGroup group = new NioEventLoopGroup(10);bootstrap.option(ChannelOption.TCP_NODELAY, true).group(group).channel(NioSocketChannel.class)// 设置WebSocket相关处理器.handler(new ChannelInitializer<SocketChannel>() {@Overrideprotected void initChannel(SocketChannel channel) {ChannelPipeline pipeline = channel.pipeline();// http编解码处理pipeline.addLast("http-codec", new HttpClientCodec());// http聚合处理pipeline.addLast("http-aggregator", new HttpObjectAggregator(65536));// webSocket聚合处理pipeline.addLast(new WebSocketFrameAggregator(65536));// webSocket业务处理pipeline.addLast("client-handler", new ClientBizHandler(handshaker));}});System.out.println("client init success");}public Channel connect() throws InterruptedException {System.out.printf("begin connect to %s\n", URL);Channel channel = bootstrap.connect(server.getHost(), server.getPort()).sync().channel();System.out.printf("connected to %s\n", URL);// 发送握手System.out.printf("request handshake %s\n", URL);ChannelFuture handshakeRequestFuture = handshaker.handshake(channel);// 获取握手异步结果对象ClientBizHandler clientBizHandler = (ClientBizHandler)channel.pipeline().get("client-handler");// 把握手异步结果,设置到clientBizHandlerclientBizHandler.setHandshakeRequestFuture(handshakeRequestFuture);ChannelPromise handshakeFinishPromise = clientBizHandler.getHandshakeFinishPromise();// 通过promise等待握手完成if (!handshakeFinishPromise.awaitUninterruptibly(2000, TimeUnit.MILLISECONDS)) {close(channel);throw new RuntimeException("handshake timeout");}if (!handshakeFinishPromise.isSuccess()) {throw new RuntimeException("handshake error");}System.out.printf("%s handshake finish, you can send msg now!\n", URL);return channel;}public void request(Channel channel, String msg) {System.out.println("request server, msg: " + msg);channel.writeAndFlush(new TextWebSocketFrame(msg)).addListener(new ChannelFutureListener() {@Overridepublic void operationComplete(ChannelFuture future) throws Exception {if (!future.isSuccess()) {System.err.println("writeAndFlush fail: "+ future.cause().getMessage());}}});}public void close(Channel channel) {if (channel != null && channel.isActive()) {System.out.println("close");channel.close();}}
}

第二个改造类 - ClientBizHandler

收到握手响应后,等待握手请求完成后,再进行握手 finish 处理(handshaker.finishHandshake(channel, (FullHttpResponse) msg))。

在这里插入图片描述

改造后的业务处理类源码。

public class ClientBizHandler extends SimpleChannelInboundHandler<Object> {private final WebSocketClientHandshaker handshaker;private ChannelPromise handshakeFinishPromise;private ChannelFuture handshakeRequestFuture;public ClientBizHandler(WebSocketClientHandshaker handshaker) {this.handshaker = handshaker;}public ChannelPromise getHandshakeFinishPromise() {return handshakeFinishPromise;}public void setHandshakeRequestFuture(ChannelFuture handshakeRequestFuture) {this.handshakeRequestFuture = handshakeRequestFuture;}@Overridepublic void handlerAdded(ChannelHandlerContext ctx) throws Exception {System.out.println("handlerAdded");// 处理器被添加到实际的上下文时,创建一个异步结果对象,用于WsSslClient的连接函数handshakeFinishPromise = ctx.newPromise();}@Overrideprotected void channelRead0(ChannelHandlerContext ctx, Object msg) throws Exception {Channel channel = ctx.channel();// 握手未完成,则进行握手处理if (!handshaker.isHandshakeComplete()) {handshakeRequestFuture.addListener(new ChannelFutureListener() {@Overridepublic void operationComplete(ChannelFuture future) throws Exception {if (!future.isSuccess()) {throw new RuntimeException("handshake request fail");}try {handshaker.finishHandshake(channel, (FullHttpResponse) msg);System.out.println("handshake finished");// 告知握手结果handshakeFinishPromise.setSuccess();} catch (Exception e) {// 异常也要告知System.err.println("handshake error: " + e.getMessage());handshakeFinishPromise.setFailure(e);}}});return;}if (msg instanceof TextWebSocketFrame) {TextWebSocketFrame textWebSocketFrame = (TextWebSocketFrame) msg;System.out.println("received server response: " + textWebSocketFrame.text());// 实际处理...}}@Overridepublic void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception {cause.printStackTrace();}
}

验证BUG是否修复

后面就可以正常请求啦!!

输出的日志如下,可以发现,的确是等待请求处理成功后,才进行 finish 处理,并且报文也可以正常处理。
在这里插入图片描述

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

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

相关文章

tcpdump源码分析

进入tcpdump.c&#xff08;函数入口&#xff09;之前&#xff0c;先看一些头文件netdissect.h里定义了一个数据结构struct netdissect_options来描述tcdpump支持的所有参数动作&#xff0c;每一个参数有对应的flag, 在tcpdump 的main 里面&#xff0c; 会根据用户的传入的参数来…

鸿蒙ArkTS声明式开发:跨平台支持列表【触摸事件】

触摸事件 当手指在组件上按下、滑动、抬起时触发。 说明&#xff1a; 开发前请熟悉鸿蒙开发指导文档&#xff1a; gitee.com/li-shizhen-skin/harmony-os/blob/master/README.md点击或者复制转到。 从API Version 7开始支持。后续版本如有新增内容&#xff0c;则采用上角标单独…

总是等不是办法,向媒体投稿你得学会用新方法

初入信息宣传领域,我怀揣着对文字的热爱与传播价值的热情,肩负起了单位活动的宣传报道重任。那时的我,满脑子都是传统的投稿思维:精心撰写每一篇稿件,然后逐一搜寻各大媒体的投稿邮箱,一封封邮件满怀期待地发出,像播撒希望的种子,渴望在广袤的媒体土壤中生根发芽。然而,理想很丰…

红蓝对抗-HW红蓝队基本知识(网络安全学习路线笔记)

第一, 什么是蓝队 蓝队&#xff0c;一般是指网络实战攻防演习中的攻击一方。 蓝队一般会采用针对目标单位的从业人员&#xff0c;以及目标系统所在网络内的软件、硬件设备同时执行多角度、全方位、对抗性的混合式模拟攻击手段&#xff1b;通过技术手段实现系统提权、控制业务、…

将点位转换为圆环极坐标绘画

将一段染色体可视化为一个圆环,根据一段基因的起始点和终止点绘画,根据基因的方向绘画箭头,可以任意确定染色体哪个位置在哪个角度上,例如染色体的1700点位在180上,默认是顺时针方向从起始点向终止点绘画。 1.将一段染色体的基因数组加上极坐标绘画属性 function compute…

pycharm连接阿里云服务器过程记录

因为不想用自己的电脑安装anaconda环境,所以去查了一下怎么用服务器跑代码,试着用pycharm连接阿里云服务器,参考了很多博客,自己简单配置了一下,记录一下目前完成的流程. 主要是:阿里云服务器的远程登录和安装anaconda,以及怎么用pycharm连接阿里云服务器上的解释器. 小白刚开始…

Day 3:1738. 找出第 K 大的异或坐标值

Leetcode 1738. 找出第 K 大的异或坐标值 给你一个二维矩阵 matrix 和一个整数 k &#xff0c;矩阵大小为 m x n 由非负整数组成。 矩阵中坐标 (a, b) 的 值 可由对所有满足 0 < i < a < m 且 0 < j < b < n 的元素 matrix[i][j]&#xff08;下标从 0 开始计…

Dou音滑块日志分析

记得加入我们的学习群&#xff1a;961566389 点击链接加入群聊&#xff1a;[https://h5.qun.qq.com/s/62P0xwrCNO](https://h5.qun.qq.com/s/62P0xwrCNO) 1.插桩-打印日志 获取背景和滑块的图片的接口一看没啥参数需要逆向的 验证的接口body参数需要进行逆向&#xff0c;直接…

浅谈Docker容器的网络通信原理

文章目录 1、回顾容器概念2、容器网络3、容器与主机之间的网络连通4、交换机的虚拟实现---虚拟网桥&#xff08;Bridge&#xff09;5、Docker 守护进程daemon管理容器网络 1、回顾容器概念 我们知道容器允许我们在同一台宿主机&#xff08;电脑&#xff09;上运行多个服务&…

moviepy入门

1. 简介 由于恶心的工作和没有规划的部门安排&#xff0c;我被排到了算法部门&#xff0c;从事和算法没有半毛钱关系的业务上&#xff0c;也就是。。。搞视频。咋说呢&#xff1f;视频这东西我没有一点基础&#xff0c;还好有前人写好的代码&#xff0c;用的是moviepy和ffmpeg…

Zoho Campaigns邮件营销怎么发邮件?

Zoho Campaigns&#xff0c;作为业界领先的邮件营销平台&#xff0c;以其强大的功能、用户友好的界面以及深度的分析能力&#xff0c;为企业提供了一站式的邮件营销解决方案&#xff0c;助力企业高效地触达目标受众&#xff0c;构建并巩固庞大的客户基础。云衔科技为企业提供Zo…

数据结构(四)

数据结构&#xff08;四&#xff09; 算法算法的特征算法和程序的区别怎么样评判一个算法的好坏 常见的查找算法线性树状哈希查找构建哈希函数的方法质数求余法解决冲突 算法 一堆指令的有序集合 算法的特征 唯一性&#xff1a;每一句话只有一种解释 有穷性&#xff1a;算法能…

企业活动想找媒体报道宣传怎样联系媒体?

在那遥远的公关江湖里,有一个传说,说的是一位勇士,手持鼠标和键盘,踏上了寻找媒体圣杯的征途。这位勇士,就是我们亲爱的市场部门小李,他的任务是为公司即将举行的一场盛大的企业活动找到媒体的聚光灯。 小李的故事,开始于一张空白的Excel表格,上面列着各大媒体的名称,旁边是一片…

如何让大模型更聪明

目录 如何让大模型更聪明&#xff1f; &#x1f349;算法创新 &#x1f348;新型优化算法 &#x1f34d;案例分析&#xff1a;LAMB优化器 &#x1f348;对比学习 &#x1f34d;应用案例&#xff1a;SimCLR &#x1f348;强化学习 &#x1f34d;案例分析&#xff1a;Alph…

【30天精通Prometheus:一站式监控实战指南】第4天:node_exporter从入门到实战:安装、配置详解与生产环境搭建指南,超详细

亲爱的读者们&#x1f44b;   欢迎加入【30天精通Prometheus】专栏&#xff01;&#x1f4da; 在这里&#xff0c;我们将探索Prometheus的强大功能&#xff0c;并将其应用于实际监控中。这个专栏都将为你提供宝贵的实战经验。&#x1f680;   Prometheus是云原生和DevOps的…

蓝桥杯-班级活动

题目描述 小明的老师准备组织一次班级活动。班上一共有 ( n ) 名&#xff08;( n ) 为偶数&#xff09;同学&#xff0c;老师想把所有的同学进行分组&#xff0c;每两名同学一组。为了公平&#xff0c;老师给每名同学随机分配了一个 ( n ) 以内的正整数作为 id&#xff0c;第 …

C++标准库中string的底层实现方式

对于C中 std::string 的一些基本功能和用法&#xff0c;我们应该都很熟悉。但它底层到底是如何实现的呢? 其实在 std::string 的历史中&#xff0c;出现过几种不同的方式。下面我们来一一揭晓。 我们可以从一个简单的问题来探索&#xff0c;一个 std::string 对象占据的内存空…

RK3568笔记二十五:RetinaFace人脸检测训练部署

若该文为原创文章&#xff0c;转载请注明原文出处。 一、介绍 Retinaface是来自insightFace的又一力作&#xff0c;基于one-stage的人脸检测网络。RetinaFace是在RetinaNet基础上引申出来的人脸检测框架&#xff0c;所以大致结构和RetinaNet非常像。 官方提供两种主干特征提取网…

Python 中别再用 ‘+‘ 拼接字符串了!

当我开始学习 Python 时&#xff0c;使用加号来连接字符串非常直观和容易&#xff0c;就像许多其他编程语言&#xff08;比如Java&#xff09;一样。 然而&#xff0c;很快我意识到许多开发者似乎更喜欢使用.join()方法而不是。 在本文中&#xff0c;我将介绍这两种方法之间的…

关于数据库和数据表的基础SQL

目录 一. 数据库的基础SQL 1. 创建数据库 2. 查看当前有哪些数据库 3. 选中数据库 4. 删除数据库 5. 小结 二. 数据表的基础SQL 1. 创建数据表 2. 查看当前数据库中有哪些表 3. 查看指定表的详细情况(查看表的结构) 4. 删除表 5. 小结 一. 数据库的基础SQL 1. 创建…