Netty入门二

文章目录

    • EventLoop
    • Channel
    • Future 与 Promise
    • Handler与Pipeline
    • ByteBuf

Netty的核心组件包括以下几种:

  • EventLoop:负责处理注册到其上的channel的所有I/O事件。
  • Channel:表示数据传输的网络通道。
  • Future 与 Promise:Future用于等待任务完成后获取结果,Promise类似于Future,但可以主动设置操作的结果。
  • Handler与Pipeline:Handle用于处理Channel上的各种事件,如数据读取和写入,Pipeline由若干个Handler组成,负责事件的传播和处理。
  • ByteBuf:Netty中的字节容器,可以用于高效地读写数据。

EventLoop

  • EventLoop(事件循环对象)本质上是一个单线程执行器,里面的 run 方法会处理注册到其上Channel的所有I/O事件。
  • EventLoopGroup(事件循环组)由多个 EventLoop 组成,Channel 会通过调用 EventLoopGroup 的register 方法来与其中一个 EventLoop 进行绑定,后续该 Channel 上的所有 I/O 事件都由此 EventLoop进行处理,从而保证了处理 I/O 事件时的线程安全。

DefaultEventLoopGroup()与NioEventLoopGroup()区别
DefaultEventLoopGroup()可以执行普通任务和定时任务,NioEventLoopGroup()除了可以执行以上两种任务外,还可以执行IO任务。
NioEventLoopGroup执行普通任务与定时任务

 public static void main(String[] args) {// 1. 创建事件循环组EventLoopGroup group = new NioEventLoopGroup(2);//EventLoopGroup group = new DefaultEventLoopGroup(); // 2. 获取下一个事件循环对象System.out.println(group.next());System.out.println(group.next());System.out.println(group.next());System.out.println(group.next());// 3. 执行普通任务group.next().execute(()->{try {Thread.sleep(1000);} catch (InterruptedException e) {e.printStackTrace();}log.debug("ok");});// 4. 执行定时任务group.next().scheduleAtFixedRate(() -> {log.debug("ok");}, 0, 2, TimeUnit.SECONDS);log.debug("main");}

在这里插入图片描述
NioEventLoopGroup执行IO任务
服务端代码
以下服务端创建了1个boss线程,2个worker线程,boss线程用于处理客户端的连接,worker线程用于处理客户端的IO事件。

new ServerBootstrap()
//1个boss线程,2个worker线程.group(new NioEventLoopGroup(1), new NioEventLoopGroup(2)).channel(NioServerSocketChannel.class).childHandler(new ChannelInitializer<NioSocketChannel>() {@Overrideprotected void initChannel(NioSocketChannel ch) {ch.pipeline().addLast(new ChannelInboundHandlerAdapter() {@Overridepublic void channelRead(ChannelHandlerContext ctx, Object msg) {ByteBuf byteBuf = msg instanceof ByteBuf ? ((ByteBuf) msg) : null;if (byteBuf != null) {byte[] buf = new byte[16];ByteBuf len = byteBuf.readBytes(buf, 0, byteBuf.readableBytes());log.debug(new String(buf));}}});}}).bind(8080).sync();

客户端代码
启动三次客户端,分别发送字符串 hello,hello2,hello3。

  public static void main(String[] args) throws InterruptedException {Channel channel = new Bootstrap().group(new NioEventLoopGroup(1)).handler(new ChannelInitializer<NioSocketChannel>() {@Overrideprotected void initChannel(NioSocketChannel ch) throws Exception {System.out.println("init...");ch.pipeline().addLast(new LoggingHandler(LogLevel.DEBUG));}}).channel(NioSocketChannel.class).connect("localhost", 8080).sync().channel();channel.writeAndFlush(ByteBufAllocator.DEFAULT.buffer().writeBytes("hello3".getBytes()));Thread.sleep(2000);channel.writeAndFlush(ByteBufAllocator.DEFAULT.buffer().writeBytes("hello3".getBytes()));}

服务端运行结果
在这里插入图片描述
从结果可以看出,EventLoop可以处理多个Channel,当EventLoop与某个Channel确立了绑定关系,后续该Channel所产生的事件都由绑定的EventLoop处理。
在这里插入图片描述
服务端再增加两个非IO的work线程,客户端保持不变

  public static void main(String[] args) throws InterruptedException {DefaultEventLoopGroup normalWorkers = new DefaultEventLoopGroup(2);new ServerBootstrap().group(new NioEventLoopGroup(1), new NioEventLoopGroup(2)).channel(NioServerSocketChannel.class).childHandler(new ChannelInitializer<NioSocketChannel>() {@Overrideprotected void initChannel(NioSocketChannel ch)  {ch.pipeline().addLast(new LoggingHandler(LogLevel.DEBUG));ch.pipeline().addLast(normalWorkers,"handler",new ChannelInboundHandlerAdapter() {@Overridepublic void channelRead(ChannelHandlerContext ctx, Object msg) {ByteBuf byteBuf = msg instanceof ByteBuf ? ((ByteBuf) msg) : null;if (byteBuf != null) {byte[] buf = new byte[16];ByteBuf len = byteBuf.readBytes(buf, 0, byteBuf.readableBytes());log.debug(new String(buf));}}});}}).bind(8080).sync();}

服务端执行结果
在这里插入图片描述
在这里插入图片描述
从结果可以看到,nio事件循环对象和 非nio事件循环对象都绑定了 channel。
在这里插入图片描述
不同EventLoopGroup切换的实现原理如下

static void invokeChannelRead(final AbstractChannelHandlerContext next, Object msg) {final Object m = next.pipeline.touch(ObjectUtil.checkNotNull(msg, "msg"), next);// 判断下一个handler的事件循环是否与当前的事件循环是同一个线程EventExecutor executor = next.executor();// 是的话直接调用if (executor.inEventLoop()) {next.invokeChannelRead(m);} // 否则将要执行的代码作为任务提交给下一个事件循环处理else {executor.execute(new Runnable() {@Overridepublic void run() {next.invokeChannelRead(m);}});}
}

Channel

channel 的主要方法

  • close() :关闭 channel
  • closeFuture() :灵活处理 channel 的关闭,分为同步和异步两种方式,sync 方法用于同步等待 channel 关闭,而 addListener 方法可以异步等待 channel 的关闭
  • pipeline() :添加处理器
  • write() :将数据写入channel,不会立即发送,当缓冲满了或者调用了flush()方法后才会发送出去
  • writeAndFlush() :将数据写入channel并刷出

ChannelFuture

ChannelFuture channelFuture = new Bootstrap().group(new NioEventLoopGroup()).channel(NioSocketChannel.class).handler(new ChannelInitializer<Channel>() {@Overrideprotected void initChannel(Channel ch) {ch.pipeline().addLast(new StringEncoder());}})//异步非阻塞,主线程发起了调用,真正执行connect方法的是nio线程.connect("127.0.0.1", 8080); // 该方法等待连接真正建立channelFuture.sync();  //1
channelFuture.channel().writeAndFlush(new Date() + ": hello world!");

若注释掉代码1,服务端可能收不到客户端的信息,因为connect 方法是异步的,可能出现连接还没建立,方法执行完就返回了,导致channelFuture 不能得到正确的 Channel 对象。正确的方式应该使用sync 方法同步阻塞等待,或者使用回调的方式。
addListener回调方法

ChannelFuture channelFuture = new Bootstrap().group(new NioEventLoopGroup()).channel(NioSocketChannel.class).handler(new ChannelInitializer<Channel>() {@Overrideprotected void initChannel(Channel ch) {ch.pipeline().addLast(new StringEncoder());}}).connect("127.0.0.1", 8080);
System.out.println(channelFuture.channel());
channelFuture.addListener((ChannelFutureListener) future -> {System.out.println(future.channel());
});

CloseFuture
CloseFuture 可以用于注册回调,当 Channel 关闭时,这些回调会被触发执行,适用于channel关闭后做一些额外操作的场景。

@Slf4j
public class CloseFutureClient {public static void main(String[] args) throws InterruptedException {NioEventLoopGroup group new NioEventLoopGroup();ChannelFuture channelFuture = new Bootstrap().group(group).channel(NioSocketChannel.class).handler(new ChannelInitializer<NioSocketChannel>() {@Overrideprotected void initChannel(NioSocketChannel ch) throws Exception {ch.pipeline().addLast(new LoggingHandler(LogLevel.DEBUG));ch.pipeline().addLast(new StringEncoder());}}).connect(new InetSocketAddress("localhost", 8080));Channel channel = channelFuture.sync().channel();log.debug("{}", channel);new Thread(()->{Scanner scanner = new Scanner(System.in);while (true) {String line = scanner.nextLine();if ("q".equals(line)) {channel.close(); 
//                    log.debug("关闭之后的额外操作"); // 不能在这里执行break;}channel.writeAndFlush(line);}}, "input").start();// 获取 CloseFuture 对象,关闭分为两种方式, 1) 同步关闭, 2) 异步关闭ChannelFuture closeFuture = channel.closeFuture();/*log.debug("waiting close...");//同步关闭closeFuture.sync();log.debug("处理关闭之后的操作");*///异步回调的方式关闭closeFuture.addListener(new ChannelFutureListener() {@Overridepublic void operationComplete(ChannelFuture future) throws Exception {log.debug("关闭之后的额外操作");group.shutdownGracefully();}});}
}

Future 与 Promise

这两个接口通常用于处理异步操作,netty 的 Future 继承自 jdk 的 Future,Promise 对 netty Future 进行了功能扩展 。JDK 的 Future 只能同步等待任务完成后获取结果,Netty 的 Future 既可以同步等待,也可以异步等待任务完成后获取结果,但都需要等待任务完成,Netty 的 Promise 拥有 Netty Future 的所有功能,常用于不同线程间传递结果。

在这里插入图片描述JDK Future

 public static void main(String[] args) throws ExecutionException, InterruptedException {// 1. 获取线程池ExecutorService service = Executors.newFixedThreadPool(2);// 2. 提交任务Future<Integer> future = service.submit(new Callable<Integer>() {@Overridepublic Integer call() throws Exception {log.debug("JDK Future");Thread.sleep(1000);return 50;}});// 3. 主线程通过 future 来获取结果log.debug("等待结果");log.debug("结果是 {}", future.get());}

在这里插入图片描述

Netty Future

 public static void main(String[] args) throws ExecutionException, InterruptedException {NioEventLoopGroup group = new NioEventLoopGroup();EventLoop eventLoop = group.next();Future<Integer> future = eventLoop.submit(new Callable<Integer>() {@Overridepublic Integer call() throws Exception {log.debug("Netty Future");Thread.sleep(1000);return 70;}});//      同步阻塞获取结果
//        log.debug("结果是 {}", future.get());
//        异步获取结果future.addListener(new GenericFutureListener<Future<? super Integer>>(){@Overridepublic void operationComplete(Future<? super Integer> future) throws Exception {log.debug("接收结果:{}", future.getNow());}});}

在这里插入图片描述

Netty Promise

Promise是一个容器,可以让线程获取执行结果,将结果存到该容器。

    public static void main(String[] args) throws ExecutionException, InterruptedException {EventLoop eventLoop = new NioEventLoopGroup().next();DefaultPromise<Integer> promise = new DefaultPromise<>(eventLoop);new Thread(() -> {// 3. 线程执行计算,任务完成向 promise 放结果log.debug("开始计算...");try {//   int i = 1 / 0;Thread.sleep(1000);promise.setSuccess(80);} catch (Exception e) {e.printStackTrace();promise.setFailure(e);}}).start();log.debug("等待结果...");log.debug("结果是: {}", promise.get());}

在这里插入图片描述

Handler与Pipeline

ChannelHandler 用于处理 Channel 上的事件,事件分为两类:入站事件和出站事件,Pipeline采用责任链模式,由多个ChannelHandler 实例组成双向链表。入站处理器继承自 ChannelInboundHandlerAdapter 类,用于读取客户端的数据,并将处理结果写回;出站处理器继承 ChannelOutboundHandlerAdapter 类,对写回的数据进行处理。

public class ServerPipeline {public static void main(String[] args) {new ServerBootstrap().group(new NioEventLoopGroup()).channel(NioServerSocketChannel.class).childHandler(new ChannelInitializer<NioSocketChannel>() {@Overrideprotected void initChannel(NioSocketChannel ch) throws Exception {ChannelPipeline pipeline = ch.pipeline();pipeline.addLast("ln_1", new ChannelInboundHandlerAdapter(){@Overridepublic void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {log.debug("1");super.channelRead(ctx, msg);}});pipeline.addLast("ln_2", new ChannelInboundHandlerAdapter(){@Overridepublic void channelRead(ChannelHandlerContext ctx, Object name) throws Exception {log.debug("2");//该方法里面会调用ctx.fireChannelRead(msg);将数据传递给下个 handler,如果不调用,调用链会断开 super.channelRead(ctx, name);}});pipeline.addLast("ln_3", new ChannelInboundHandlerAdapter(){@Overridepublic void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {log.debug("3");//                          ctx.writeAndFlush(ctx.alloc().buffer().writeBytes("server...".getBytes()));ch.writeAndFlush(ctx.alloc().buffer().writeBytes("server...".getBytes()));}});pipeline.addLast("Out_4", new ChannelOutboundHandlerAdapter(){@Overridepublic void write(ChannelHandlerContext ctx, Object msg, ChannelPromise promise) throws Exception {log.debug("4");super.write(ctx, msg, promise);}});pipeline.addLast("Out_5", new ChannelOutboundHandlerAdapter(){@Overridepublic void write(ChannelHandlerContext ctx, Object msg, ChannelPromise promise) throws Exception {log.debug("5");super.write(ctx, msg, promise);}});pipeline.addLast("Out_6", new ChannelOutboundHandlerAdapter(){@Overridepublic void write(ChannelHandlerContext ctx, Object msg, ChannelPromise promise) throws Exception {log.debug("6");super.write(ctx, msg, promise);}});}}).bind(8080);}}

在这里插入图片描述Pipeline的结构如下
在这里插入图片描述hannder的调用顺序如下
在这里插入图片描述

  • 调用ctx.fireChannelRead(msg)方法可以将当前处理器的处理结果传递给Pipeline的下一个处理器。
  • 对于入站(Inbound)事件,会从Pipeline的head向后依次调用每个入站处理器。
  • 对于出站(Outbound)事件,有两种情况,一种是从Pipeline的tail,向前依次调用每个出站处理器,另一种是从当前处理器往前调用出站处理器。

对于出站事件,有两种触发方式
NioSocketChannel.writeAndFlush():该方法是从tail开始向前查找OutboundHandler。
ChannelHandlerContext.writeAndFlush():该方法是从当前handler向前寻找OutboundHandler。

ByteBuf

ByteBuf分为两种,分别为基于堆和基于直接内存的 ByteBuf

//基于堆的ByteBuf
ByteBuf buffer = ByteBufAllocator.DEFAULT.heapBuffer(10);
//基于直接内存的 ByteBuf
ByteBuf buffer = ByteBufAllocator.DEFAULT.directBuffer(10);

直接内存对 GC 压力小,读写性能高,适合池化功能一起用,但是创建和销毁的成本高,需要及时主动释放。

public class TestByteBuf {public static void main(String[] args) {// 创建一个容量为10的ByteBufByteBuf buf = Unpooled.buffer(10);// 写入数据buf.writeInt(10);buf.writeBytes("Learn Netty!".getBytes());// 标记当前读指针的位置buf.markReaderIndex();// 读取数据int value = buf.readInt();System.out.println("Value: " + value);// 逐字节读取while (buf.isReadable()) {System.out.print((char) buf.readByte());}System.out.println();// 重置读指针到标记的位置buf.resetReaderIndex();// 读取数据value = buf.readInt();System.out.println("Value: " + value);// 创建一个切片,从当前读指针开始,长度为5ByteBuf slicedBuf = buf.slice(buf.readerIndex(), 5);System.out.println("切片内容: " + slicedBuf.toString(io.netty.util.CharsetUtil.UTF_8));// 释放ByteBuf占用的资源buf.release();}
}

在这里插入图片描述

池化 vs 非池化
开启池化,可以重用池中 ByteBuf 的实例,若没开启,每次都得创建新的 ByteBuf 实例,所以池化功能更节约内存,减少内存溢出的发生,通过系统环境变量来设置

-Dio.netty.allocator.type={unpooled|pooled}

ByteBuf组成
在这里插入图片描述写入方法
在这里插入图片描述

扩容规则

  • 若写入的数据未超过 512字节,则选择下一个 16 的整数倍,比如写入后容量为 15 ,则扩容后 capacity 是 16
  • 若写入后数据超过 512字节,则选择下一个 2 的n次方,比如写入后容量为 513,则扩容后 capacity 是 1024,扩容不能超过maxCapacity,否则会抛出java.lang.IndexOutOfBoundsException异常

内存回收
Netty 采用了引用计数法来控制内存的回收,每个 ByteBuf 都实现了 ReferenceCounted 接口,每个 ByteBuf 对象的初始计数为 1,每调用 retain 方法计数加 1,调用 release 方法计数减 1,当计数为 0时,ByteBuf 对象被回收。
slice
slice使用了零拷贝,slice将原ByteBuf 切分为多个 ByteBuf实例,切片后的 ByteBuf 仍然使用原来ByteBuf 的内存,只是切片后的 ByteBuf 维护各自独立的读写指针。
在这里插入图片描述

public class TestSlice {public static void main(String[] args) {ByteBuf buf = ByteBufAllocator.DEFAULT.buffer(10);buf.writeBytes(new byte[]{'a','b','c','d','e','f','g','h','i','j'});log(buf);// 从位置0开始切片,长度为5ByteBuf f1 = buf.slice(0, 5);f1.retain();ByteBuf f2 = buf.slice(5, 5);f2.retain();log(f1);log(f2);System.out.println("释放原来的 byteBuf 内存");buf.release();log(f1);f1.release();f2.release();}
}

在这里插入图片描述
CompositeByteBuf
CompositeByteBuf也使用了零拷贝,常用于将多个 ByteBuf 合并为一个逻辑上的 ByteBuf,避免了拷贝。

public class TestCompositeByteBuf {public static void main(String[] args) {ByteBuf buf1 = ByteBufAllocator.DEFAULT.buffer();buf1.writeBytes(new byte[]{1, 2, 3, 4, 5});ByteBuf buf2 = ByteBufAllocator.DEFAULT.buffer();buf2.writeBytes(new byte[]{6, 7, 8, 9, 10});CompositeByteBuf buffer = ByteBufAllocator.DEFAULT.compositeBuffer();buffer.addComponents(true, buf1, buf2);log(buffer);}
}

在这里插入图片描述
优点

内存池化 : 通过重复使用池内的ByteBuf实例,节省了内存并降低内存溢出的可能。
读写指针分离: 不需要像使用NIO中的ByteBuffer那样在不同读写模式间切换,提高了操作效率。
动态扩容:可以根据大小进行自动扩容。
零拷贝 : 比如slice和CompositeByteBuf等操作中使用了零拷贝,减少数据复制的次数。

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

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

相关文章

一文读懂剪枝(Pruner):大模型也需要“减减肥”?

当你听到「剪枝」二字&#xff0c;或许会联想到园丁修整枝叶的情景。而在 AI 大模型领域&#xff0c;这个词有着特殊的含义 —— 它是一种通过“精简”来提升大模型效率的关键技术。随着 GPT、LLaMA 等大模型规模的持续膨胀&#xff0c;如何在保持性能的同时降低资源消耗&#…

简单的人脸识别签到程序 python笔记

简单的人脸识别签到程序 这是我自己根据之前的文章《简单的签到程序》修改出来签到程序&#xff0c;还在学习之中&#xff0c;代码还有很多可以优化的地方。 UI代码 有不少地方可以优化一下&#xff0c;但是不想改了。 import PySimpleGUI as sg from MYSQL1 import * impo…

单词反转和数组去重,附经典面试题一份

博彦科技笔试&#xff1a; 给定字符&#xff0c;拼接成单词进行反转单词&#xff1b; package org.example;public class Main {public static void main(String[] args) {char[] input {h, e, l, l, o, , w, o, r, l, d, , J, a, v, a};String inputToString new String(…

【51单片机】UART串口通信原理 + 使用

学习使用的开发板&#xff1a;STC89C52RC/LE52RC 编程软件&#xff1a;Keil5 烧录软件&#xff1a;stc-isp 开发板实图&#xff1a; 文章目录 串口硬件电路UART串口相关寄存器 编码单片机通过串口发送数据电脑通过串口发送数据控制LED灯 串口 串口是一种应用十分广泛的通讯接…

构建智能防线 灵途科技光电感知助力轨交全向安全防护

10月27日&#xff0c;在南京南站至紫金山东站间的高铁联络线上&#xff0c;一头野猪侵入轨道&#xff0c;与D5515次列车相撞&#xff0c;导致设备故障停车。 事故不仅造成南京南站部分列车晚点&#xff0c;还在故障排查过程中导致随车机械师因被邻线限速通过的列车碰撞而不幸身…

不使用递归的决策树生成算法

不使用递归的决策树生成算法 利用队列 queue &#xff0c;实现层次遍历&#xff08;广度优先遍历&#xff09;&#xff0c;逐步处理每个节点来建立子树结构。再构建一个辅助队列&#xff0c;将每个节点存储到 nodes_to_process 列表中&#xff0c;以便在树生成完成后可以反向遍…

【PB】 使用for循环,循环次数比较多时,datastore 获取数据异常的问题。

以往在使用datastore时&#xff0c;不注意及时销毁&#xff0c;毕竟一次处理数据&#xff0c;数量很少。 本次碰到一个问题&#xff0c;批量处理数据&#xff0c;for循环次数在1000次左右&#xff0c;每个for循环处理 3 个函数&#xff0c;每个函数中有3-4个datastore&#xff…

自动驾驶系列—自动驾驶如何实现厘米级定位?深入解读GPS/RTK技术与应用

&#x1f31f;&#x1f31f; 欢迎来到我的技术小筑&#xff0c;一个专为技术探索者打造的交流空间。在这里&#xff0c;我们不仅分享代码的智慧&#xff0c;还探讨技术的深度与广度。无论您是资深开发者还是技术新手&#xff0c;这里都有一片属于您的天空。让我们在知识的海洋中…

DevOps业务价值流:需求设计最佳实践

DevOps实践正推动着产品快速迭代与高质量交付&#xff0c;但需求设计作为产品开发的关键起点&#xff0c;往往被忽视。它不仅是收集与分析需求的过程&#xff0c;更是将需求转化为可实施产品特性的核心。本文深入探讨DevOps业务价值流中的需求设计&#xff0c;从调研、整理、原…

【MySQL】数据库整合攻略 :表操作技巧与详解

前言&#xff1a;本节内容讲述表的操作&#xff0c; 对表结构的操作。 是对表结构中的字段的增删查改以及表本身的创建以及删除。 ps&#xff1a;本节内容本节内容适合安装了MySQL的友友们进行观看&#xff0c; 实操更有利于记住哦。 目录 创建表 查看表结构 修改表结构 …

python可视化进阶

引用&#xff1a; 首先需要安装 plotnine from plotnine import* import joypy数据可视化进阶操作 3.1 类别数据可视化 【例3-1】——绘制简单条形图 【代码框3-1】——绘制简单条形图 # 图3-1的绘制代码 import pandas as pd import matplotlib.pyplot as plt from cvxpy …

使用 GitHub Actions 部署到开发服务器的详细指南

使用 GitHub Actions 部署到开发服务器的详细指南 在本篇博客中&#xff0c;我们将介绍如何使用 GitHub Actions 实现自动化部署&#xff0c;将代码从 GitHub 仓库的 dev 分支自动部署到开发服务器。通过这种方式&#xff0c;可以确保每次在 dev 分支推送代码时&#xff0c;服…

反汇编命令学习以及分析越界和空指针问题

1,反汇编命令行 (1)move 语法格式:mov destination, source例如: mov eax,0x1 ;将立即数1复制到eax寄存器。立即数到寄存器mov [ebx],eax ;将eax寄存器的值复制到ebx寄存器指向的内存地址,寄存器到内存mov eax,ebx ;将ebx寄存器的值复制到eax,寄存器到寄存器mov ea…

冒泡选择法(c基础)

适合对象c语言初学者。 冒泡选择法 作用对一个数组进行排序。&#xff08;介绍一下数组(c基础)(详细版)-CSDN博客&#xff09; 核心要点 1: 数组元素个数 sz 2: 比较后的交换。 核心思路 进行&#xff08;sz - 1&#xff09;趟&#xff0c;每一趟把最大数的放到末尾。其…

Shell脚本语法随笔

文章目录 1、编写 Shell 脚本文件1_脚本结构2_示例3_执行脚本 2、变量的定义与使用1_定义变量2_只读变量3_接受用户输入4_删除变量名5_变量作用域 3、字符串处理1_双引号 vs 单引号2_示例 4、条件判断&运算符1_数值比较2_case示例3_算数运算符4_逻辑运算符5_字符串运算符6_…

量子计算及其在密码学中的应用

&#x1f493; 博客主页&#xff1a;瑕疵的CSDN主页 &#x1f4dd; Gitee主页&#xff1a;瑕疵的gitee主页 ⏩ 文章专栏&#xff1a;《热点资讯》 量子计算及其在密码学中的应用 量子计算及其在密码学中的应用 量子计算及其在密码学中的应用 引言 量子计算概述 定义与原理 发展…

【论文笔记】Wings: Learning Multimodal LLMs without Text-only Forgetting

&#x1f34e;个人主页&#xff1a;小嗷犬的个人主页 &#x1f34a;个人网站&#xff1a;小嗷犬的技术小站 &#x1f96d;个人信条&#xff1a;为天地立心&#xff0c;为生民立命&#xff0c;为往圣继绝学&#xff0c;为万世开太平。 基本信息 标题: Wings: Learning Multimod…

数据类型底层

计算机的工作原理 CPU 找数据 数据通过地址信息来标记 高级语言:在内存中"分配"空间用变量来标识 所以变量一定是存在地址的 例如: int a10; //a就是变量名用来对地址进行标识 0x100对这个地址标识必备常识:8bit1byte 常见的数据类型: char short int long //…

【Leecode】Leecode刷题之路第45天之跳跃游戏II

题目出处 45-跳跃游戏II-题目出处 题目描述 个人解法 思路&#xff1a; todo代码示例&#xff1a;&#xff08;Java&#xff09; todo复杂度分析 todo官方解法 45-跳跃游戏II-官方解法 这道题是典型的贪心算法&#xff0c;通过局部最优解得到全局最优解。以下两种方法都是…

【Allure】mac下环境配置

安装 1.Mac 可以使用 brew 安装 allure&#xff0c;安装命令如下 brew install allure 2.与 pytest 结合需要安装 allure-pytest 插件&#xff1a; pip install allure-pytest3.查看allure版本 allure --version