手写RPC框架--5.Netty业务逻辑

RPC框架-Gitee代码(麻烦点个Starred, 支持一下吧)
RPC框架-GitHub代码(麻烦点个Starred, 支持一下吧)

Netty业务逻辑

  • 5.Netty业务逻辑
    • a.加入基础的Netty代码
    • b.对通道channel进行缓存
    • c.对代码进行重构优化
    • d.完成基础通信
    • e.异步获取服务器的返回结果
    • f.调整代码
    • g.处理handler (优化)

5.Netty业务逻辑

a.加入基础的Netty代码

1.在DcyRpcBootstrap类的start()方法中加入netty代码 (待完善)

/*** 启动netty服务*/
public void start() {// 1.创建EventLoopGroup,老板只负责处理请求,之后会将请求分发给worker,1比2的比例NioEventLoopGroup boss = new NioEventLoopGroup(2);NioEventLoopGroup worker = new NioEventLoopGroup(10);try{// 2.服务器端启动辅助对象ServerBootstrap serverBootstrap = new ServerBootstrap();// 3.配置服务器serverBootstrap = serverBootstrap.group(boss, worker).channel(NioServerSocketChannel.class).childHandler(new ChannelInitializer<SocketChannel>() {@Overrideprotected void initChannel(SocketChannel socketChannel) throws Exception {// TODO 核心内容,需要添加很多入栈和出栈的handlersocketChannel.pipeline().addLast(null);}});// 4.绑定端口ChannelFuture channelFuture = serverBootstrap.bind(port).sync();// 5.阻塞操作channelFuture.channel().closeFuture().sync();} catch (InterruptedException e) {e.printStackTrace();} finally {try {boss.shutdownGracefully().sync();worker.shutdownGracefully().sync();} catch (InterruptedException e) {e.printStackTrace();}}
}

2.在ReferenceConfig类的get()方法中加入netty代码 (待完善)

/*** 代理设计模式,生成一个API接口的代理对象* @return 代理对象*/
public T get() {// 使用动态代理完成工作ClassLoader classLoader = Thread.currentThread().getContextClassLoader();Class[] classes = new Class[]{interfaceRef};// 使用动态代理生成代理对象Object helloProxy = Proxy.newProxyInstance(classLoader, classes, new InvocationHandler() {@Overridepublic Object invoke(Object proxy, Method method, Object[] args) throws Throwable {// 调用sayHi()方法,事实上会走进这个代码段当中// 已经知道method(具体的方法),args(参数列表)log.info("method-->{}", method.getName());log.info("args-->{}", args);// 1.发现服务,从注册中心,寻找一个可用的服务// 传入服务的名字,返回ip+端口 (InetSocketAddress可以封装端口/ip/host name)InetSocketAddress address = registry.lookup(interfaceRef.getName());if (log.isInfoEnabled()){log.info("服务调用方,发现了服务{}的可用主机{}", interfaceRef.getName(), address);}// 2.使用netty连接服务器,发送 调用的 服务名字+方法名字+参数列表,得到结果// 定义线程池 EventLoopGroupNioEventLoopGroup group = new NioEventLoopGroup();// 启动一个客户端需要一个辅助类 bootstrapBootstrap bootstrap = new Bootstrap();try {bootstrap = bootstrap.group(group).remoteAddress(address)// 选择初始化一个什么样的channel.channel(NioSocketChannel.class).handler(new ChannelInitializer<SocketChannel>() {@Overrideprotected void initChannel(SocketChannel socketChannel) throws Exception {socketChannel.pipeline().addLast(null);}});// 3.连接到远程节点;等待连接完成ChannelFuture channelFuture = bootstrap.connect().sync();// 4.获取channel并且写数据,发送消息到服务器端channelFuture.channel().writeAndFlush(Unpooled.copiedBuffer("hello netty".getBytes(StandardCharsets.UTF_8)));// 5.阻塞程序,等待接收消息channelFuture.channel().closeFuture().sync();} catch (InterruptedException e) {throw new RuntimeException(e);} finally {try {group.shutdownGracefully().sync();} catch (InterruptedException e) {e.printStackTrace();}}return null;}});return (T) helloProxy;
}

b.对通道channel进行缓存

每次启动程序都会建立一个新的Netty连接,显示是对不合适的
解决方案:缓存channel,尝试从缓存中获取channel。如果为空,则创建新的连接并进行缓存

1.在DcyRpcBootstrap类的中添加一个全局的缓存:对通道进行缓存

// Netty的连接缓存
public static final Map<InetSocketAddress, Channel> CHANNEL_CACHE = new ConcurrentHashMap<>();

2.在ReferenceConfig类的get()方法中进行修改:查询缓存是否存在通道(address),若未命中,则建立新的channel并进行缓存

/*** 代理设计模式,生成一个API接口的代理对象* @return 代理对象*/
public T get() {// 使用动态代理完成工作ClassLoader classLoader = Thread.currentThread().getContextClassLoader();Class[] classes = new Class[]{interfaceRef};// 使用动态代理生成代理对象Object helloProxy = Proxy.newProxyInstance(classLoader, classes, new InvocationHandler() {@Overridepublic Object invoke(Object proxy, Method method, Object[] args) throws Throwable {// 调用sayHi()方法,事实上会走进这个代码段当中// 已经知道method(具体的方法),args(参数列表)log.info("method-->{}", method.getName());log.info("args-->{}", args);// 1.发现服务,从注册中心,寻找一个可用的服务// 传入服务的名字,返回ip+端口 (InetSocketAddress可以封装端口/ip/host name)InetSocketAddress address = registry.lookup(interfaceRef.getName());if (log.isInfoEnabled()){log.info("服务调用方,发现了服务{}的可用主机{}", interfaceRef.getName(), address);}// 2.使用netty连接服务器,发送 调用的 服务名字+方法名字+参数列表,得到结果// 每次在这都会建立一个新的连接,对程序不合适// 解决方案:缓存channel,尝试从缓存中获取channel。如果为空,则创建新的连接并进行缓存// 1.从全局缓存中获取一个通道Channel channel = DcyRpcBootstrap.CHANNEL_CACHE.get(address);if (channel == null) {// 建立新的channel// 定义线程池 EventLoopGroupNioEventLoopGroup group = new NioEventLoopGroup();// 启动一个客户端需要一个辅助类 bootstrapBootstrap bootstrap = new Bootstrap();try {bootstrap = bootstrap.group(group).remoteAddress(address)// 选择初始化一个什么样的channel.channel(NioSocketChannel.class).handler(new ChannelInitializer<SocketChannel>() {@Overrideprotected void initChannel(SocketChannel socketChannel) throws Exception {socketChannel.pipeline().addLast(null);}});// 3.尝试连接服务器channel = bootstrap.connect().sync().channel();// 缓存DcyRpcBootstrap.CHANNEL_CACHE.put(address, channel);} catch (InterruptedException e) {throw new RuntimeException(e);}}if (channel == null){throw new NetworkException("获取通道channel发生了异常。");}ChannelFuture channelFuture = channel.writeAndFlush(new Object());return null;}});return (T) helloProxy;
}

c.对代码进行重构优化

1.在com.dcyrpc.discovery下创建NettyBootstrapInitializer类:提供Bootstrap的单例

/*** 提供Bootstrap的单例*/
public class NettyBootstrapInitializer {private static final Bootstrap bootstrap = new Bootstrap();static {NioEventLoopGroup group = new NioEventLoopGroup();bootstrap.group(group)// 选择初始化一个什么样的channel.channel(NioSocketChannel.class).handler(new ChannelInitializer<SocketChannel>() {@Overrideprotected void initChannel(SocketChannel socketChannel) throws Exception {socketChannel.pipeline().addLast(null);}});}private NettyBootstrapInitializer() {}public static Bootstrap getBootstrap() {return bootstrap;}
}

2.在ReferenceConfig类的get()方法中进行代码的优化

/*** 代理设计模式,生成一个API接口的代理对象* @return 代理对象*/
public T get() {// 使用动态代理完成工作ClassLoader classLoader = Thread.currentThread().getContextClassLoader();Class[] classes = new Class[]{interfaceRef};// 使用动态代理生成代理对象Object helloProxy = Proxy.newProxyInstance(classLoader, classes, new InvocationHandler() {@Overridepublic Object invoke(Object proxy, Method method, Object[] args) throws Throwable {// 调用sayHi()方法,事实上会走进这个代码段当中// 已经知道method(具体的方法),args(参数列表)log.info("method-->{}", method.getName());log.info("args-->{}", args);// 1.发现服务,从注册中心,寻找一个可用的服务// 传入服务的名字,返回ip+端口 (InetSocketAddress可以封装端口/ip/host name)InetSocketAddress address = registry.lookup(interfaceRef.getName());if (log.isInfoEnabled()){log.info("服务调用方,发现了服务{}的可用主机{}", interfaceRef.getName(), address);}// 2.使用netty连接服务器,发送 调用的 服务名字+方法名字+参数列表,得到结果// 每次在这都会建立一个新的连接,对程序不合适// 解决方案:缓存channel,尝试从缓存中获取channel。如果为空,则创建新的连接并进行缓存// 1.从全局缓存中获取一个通道Channel channel = DcyRpcBootstrap.CHANNEL_CACHE.get(address);if (channel == null) {// await()方法会阻塞,会等待连接成功再返回// sync和await都是阻塞当前线程,获取返回值。因为连接过程和发送数据过程是异步的// 如果发生了异常,sync会主动在主线程抛出异常,await不会,异常在子线程中处理,需要使用future处理
//                    channel = NettyBootstrapInitializer.getBootstrap().connect(address).await().channel();// 使用addListener执行异步操作CompletableFuture<Channel> channelFuture = new CompletableFuture<>();NettyBootstrapInitializer.getBootstrap().connect(address).addListener((ChannelFutureListener) promise -> {if (promise.isDone()) {// 异步的,已经完成log.info("已经和【{}】成功建立连接。", address);channelFuture.complete(promise.channel());} else if (!promise.isSuccess()) {channelFuture.completeExceptionally(promise.cause());}});// 阻塞获取channelchannel = channelFuture.get(3, TimeUnit.SECONDS);// 缓存channelDcyRpcBootstrap.CHANNEL_CACHE.put(address, channel);}if (channel == null){throw new NetworkException("获取通道channel发生了异常。");}/*** ---------------------------同步策略---------------------------*/
//                ChannelFuture channelFuture = channel.writeAndFlush(new Object()).await();
//                // get()阻塞获取结果
//                // getNow()获取当前的结果,如果未处理完成,返回null
//                if (channelFuture.isDone()) {
//                    Object object = channelFuture.getNow();
//                } else if (!channelFuture.isSuccess()) {
//                    // 发生问题,需要捕获异常。
//                    // 子线程可以捕获异步任务的异常
//                    Throwable cause = channelFuture.cause();
//                    throw new RuntimeException(cause);
//                }/*** ---------------------------异步策略---------------------------*/CompletableFuture<Object> completableFuture = new CompletableFuture<>();// TODO 需要将completableFuture暴露出去channel.writeAndFlush(Unpooled.copiedBuffer("hello".getBytes())).addListener((ChannelFutureListener) promise -> {// 当前的promise返回的结果是,writeAndFlush的返回结果// 一旦数据被写出去,这个promise也就结束了
//                    if (promise.isDone()) {
//                        completableFuture.complete(promise.getNow());
//                    }// 只需要处理异常if (!promise.isSuccess()) {completableFuture.completeExceptionally(promise.cause());}});return completableFuture.get(3, TimeUnit.SECONDS);}});return (T) helloProxy;
}

d.完成基础通信

1.在DcyRpcBootstrap类的start()方法中添加 handler:SimpleChannelInboundHandler

/*** 启动netty服务*/
public void start() {// 1.创建EventLoopGroup,老板只负责处理请求,之后会将请求分发给worker,1比2的比例NioEventLoopGroup boss = new NioEventLoopGroup(2);NioEventLoopGroup worker = new NioEventLoopGroup(10);try{// 2.服务器端启动辅助对象ServerBootstrap serverBootstrap = new ServerBootstrap();// 3.配置服务器serverBootstrap = serverBootstrap.group(boss, worker).channel(NioServerSocketChannel.class).childHandler(new ChannelInitializer<SocketChannel>() {@Overrideprotected void initChannel(SocketChannel socketChannel) throws Exception {// TODO 核心内容,需要添加很多入栈和出栈的handlersocketChannel.pipeline().addLast(new SimpleChannelInboundHandler<Object>() {@Overrideprotected void channelRead0(ChannelHandlerContext channelHandlerContext, Object msg) throws Exception {ByteBuf byteBuf = (ByteBuf) msg;log.info("byteBuf --> {}", byteBuf.toString(Charset.defaultCharset()));channelHandlerContext.channel().writeAndFlush(Unpooled.copiedBuffer("dcyrpc--hello".getBytes()));}});}});// 4.绑定端口ChannelFuture channelFuture = serverBootstrap.bind(port).sync();// 5.阻塞操作channelFuture.channel().closeFuture().sync();} catch (InterruptedException e) {e.printStackTrace();} finally {try {boss.shutdownGracefully().sync();worker.shutdownGracefully().sync();} catch (InterruptedException e) {e.printStackTrace();}}
}

2.在NettyBootstrapInitializer类的初始化Netty的静态代码块中添加 handler:SimpleChannelInboundHandler

static {NioEventLoopGroup group = new NioEventLoopGroup();bootstrap.group(group)// 选择初始化一个什么样的channel.channel(NioSocketChannel.class).handler(new ChannelInitializer<SocketChannel>() {@Overrideprotected void initChannel(SocketChannel socketChannel) throws Exception {socketChannel.pipeline().addLast(new SimpleChannelInboundHandler<ByteBuf>() {@Overrideprotected void channelRead0(ChannelHandlerContext ctx, ByteBuf msg) throws Exception {log.info("msg --> {}", msg.toString(Charset.defaultCharset()));}});}});
}

e.异步获取服务器的返回结果

1.在DcyRpcBootstrap类的中添加一个全局的对外挂起的 completableFuture

// 定义全局的对外挂起的 completableFuture
public static final Map<Long, CompletableFuture<Object>> PENDING_REQUEST = new HashMap<>(128);

2.在ReferenceConfig类中的get()方法完成对,completableFuture暴露出去

/*** 代理设计模式,生成一个API接口的代理对象* @return 代理对象*/
public T get() {// 使用动态代理完成工作ClassLoader classLoader = Thread.currentThread().getContextClassLoader();Class[] classes = new Class[]{interfaceRef};// 使用动态代理生成代理对象Object helloProxy = Proxy.newProxyInstance(classLoader, classes, new InvocationHandler() {@Overridepublic Object invoke(Object proxy, Method method, Object[] args) throws Throwable {// 调用sayHi()方法,事实上会走进这个代码段当中// 已经知道method(具体的方法),args(参数列表)log.info("method-->{}", method.getName());log.info("args-->{}", args);// 1.发现服务,从注册中心,寻找一个可用的服务// 传入服务的名字,返回ip+端口 (InetSocketAddress可以封装端口/ip/host name)InetSocketAddress address = registry.lookup(interfaceRef.getName());if (log.isInfoEnabled()){log.info("服务调用方,发现了服务{}的可用主机{}", interfaceRef.getName(), address);}// 1.从全局缓存中获取一个通道Channel channel = DcyRpcBootstrap.CHANNEL_CACHE.get(address);if (channel == null) {// 使用addListener执行异步操作CompletableFuture<Channel> channelFuture = new CompletableFuture<>();NettyBootstrapInitializer.getBootstrap().connect(address).addListener((ChannelFutureListener) promise -> {if (promise.isDone()) {// 异步的,已经完成log.info("已经和【{}】成功建立连接。", address);channelFuture.complete(promise.channel());} else if (!promise.isSuccess()) {channelFuture.completeExceptionally(promise.cause());}});// 阻塞获取channelchannel = channelFuture.get(3, TimeUnit.SECONDS);// 缓存channelDcyRpcBootstrap.CHANNEL_CACHE.put(address, channel);}if (channel == null){log.error("获取或建立与【{}】通道时发生了异常。", address);throw new NetworkException("获取通道时发生了异常。");}CompletableFuture<Object> completableFuture = new CompletableFuture<>();// TODO 需要将completableFuture暴露出去DcyRpcBootstrap.PENDING_REQUEST.put(1L, completableFuture);channel.writeAndFlush(Unpooled.copiedBuffer("hello".getBytes())).addListener((ChannelFutureListener) promise -> {// 只需要处理异常if (!promise.isSuccess()) {completableFuture.completeExceptionally(promise.cause());}});// 如果没有地方处理这个completableFuture,这里会阻塞等待 complete 方法的执行// 在Netty的pipeline中最终的handler的处理结果 调用completereturn completableFuture.get(10, TimeUnit.SECONDS);}});return (T) helloProxy;
}

3.在NettyBootstrapInitializer类的初始化Netty的静态代码块中:寻找与之匹配的待处理 completeFuture

tatic {NioEventLoopGroup group = new NioEventLoopGroup();bootstrap.group(group)// 选择初始化一个什么样的channel.channel(NioSocketChannel.class).handler(new ChannelInitializer<SocketChannel>() {@Overrideprotected void initChannel(SocketChannel socketChannel) throws Exception {socketChannel.pipeline().addLast(new SimpleChannelInboundHandler<ByteBuf>() {@Overrideprotected void channelRead0(ChannelHandlerContext ctx, ByteBuf msg) throws Exception {// 异步// 服务提供方,给予的结果String result = msg.toString(Charset.defaultCharset());// 从全局的挂起的请求中,寻找与之匹配的待处理 completeFutureCompletableFuture<Object> completableFuture = DcyRpcBootstrap.PENDING_REQUEST.get(1L);completableFuture.complete(result);}});}});
}

f.调整代码

在core模块com.dcyrpc下创建proxy.handler

在handler包下创建RpcConsumerInvocationHandler类,实现InvocationHandler接口

  • ReferenceConfig类下的InvocationHandler匿名内部类拷贝到该RpcConsumerInvocationHandler类中
/*** 该类封装了客户端通信的基础逻辑,每一个代理对象的远程调用过程都封装在invoke方法中* 1.发现可用服务* 2.建立连接* 3.发送请求* 4.得到结果*/
@Slf4j
public class RpcConsumerInvocationHandler implements InvocationHandler {// 接口private Class<?> interfaceRef;// 注册中心private Registry registry;public RpcConsumerInvocationHandler(Class<?> interfaceRef, Registry registry) {this.interfaceRef = interfaceRef;this.registry = registry;}@Overridepublic Object invoke(Object proxy, Method method, Object[] args) throws Throwable {// 1.发现服务,从注册中心,寻找一个可用的服务//  - 传入服务的名字,返回ip+端口 (InetSocketAddress可以封装端口/ip/host name)InetSocketAddress address = registry.lookup(interfaceRef.getName());if (log.isInfoEnabled()){log.info("服务调用方,发现了服务{}的可用主机{}", interfaceRef.getName(), address);}// 2.尝试获取一个可用的通道Channel channel = getAvailableChannel(address);if (log.isInfoEnabled()){log.info("获取了和【{}】建立的连接通道,准备发送数据", address);}/*** ---------------------------封装报文---------------------------*/// 3.封装报文/*** ---------------------------同步策略---------------------------*/
//                ChannelFuture channelFuture = channel.writeAndFlush(new Object()).await();
//                // get()阻塞获取结果
//                // getNow()获取当前的结果,如果未处理完成,返回null
//                if (channelFuture.isDone()) {
//                    Object object = channelFuture.getNow();
//                } else if (!channelFuture.isSuccess()) {
//                    // 发生问题,需要捕获异常。
//                    // 子线程可以捕获异步任务的异常
//                    Throwable cause = channelFuture.cause();
//                    throw new RuntimeException(cause);
//                }/*** ---------------------------异步策略---------------------------*/// 4.写出报文CompletableFuture<Object> completableFuture = new CompletableFuture<>();// 将completableFuture暴露出去DcyRpcBootstrap.PENDING_REQUEST.put(1L, completableFuture);channel.writeAndFlush(Unpooled.copiedBuffer("hello".getBytes())).addListener((ChannelFutureListener) promise -> {// 需要处理异常if (!promise.isSuccess()) {completableFuture.completeExceptionally(promise.cause());}});// 如果没有地方处理这个completableFuture,这里会阻塞等待 complete 方法的执行// 在Netty的pipeline中最终的handler的处理结果 调用complete// 5.获得响应的结果return completableFuture.get(10, TimeUnit.SECONDS);}/*** 根据地址获取一个可用的通道* @param address* @return*/private Channel getAvailableChannel(InetSocketAddress address) {// 1.尝试从缓存中获取通道Channel channel = DcyRpcBootstrap.CHANNEL_CACHE.get(address);// 2.拿不到就建立新连接if (channel == null) {// 使用addListener执行异步操作CompletableFuture<Channel> channelFuture = new CompletableFuture<>();NettyBootstrapInitializer.getBootstrap().connect(address).addListener((ChannelFutureListener) promise -> {if (promise.isDone()) {// 异步的,已经完成log.info("已经和【{}】成功建立连接。", address);channelFuture.complete(promise.channel());} else if (!promise.isSuccess()) {channelFuture.completeExceptionally(promise.cause());}});// 阻塞获取channeltry {channel = channelFuture.get(3, TimeUnit.SECONDS);} catch (InterruptedException | ExecutionException | TimeoutException e) {log.error("获取通道时发生异常。{}", e);throw new DiscoveryException(e);}// 缓存channelDcyRpcBootstrap.CHANNEL_CACHE.put(address, channel);}// 3.建立连接失败if (channel == null){log.error("获取或建立与【{}】通道时发生了异常。", address);throw new NetworkException("获取通道时发生了异常。");}// 4.返回通道return channel;}
}

ReferenceConfig类的get()方法被修改为:让整个代码可读性更高,更简洁

/*** 代理设计模式,生成一个API接口的代理对象* @return 代理对象*/
public T get() {// 使用动态代理完成工作ClassLoader classLoader = Thread.currentThread().getContextClassLoader();Class<T>[] classes = new Class[]{interfaceRef};InvocationHandler handler = new RpcConsumerInvocationHandler(interfaceRef, registry);// 使用动态代理生成代理对象Object helloProxy = Proxy.newProxyInstance(classLoader, classes, handler);return (T) helloProxy;
}

g.处理handler (优化)

在core模块com.dcyrpc下创建channelhandler.handler

channelhandler.handler包下创建MySimpleChannelInboundHandler类:处理响应结果

继承 SimpleChannelInboundHandler<ByteBuf>,重写read0方法

拷贝NettyBootstrapInitializer静态代码块中的匿名内部类SimpleChannelInboundHandler的代码

public class MySimpleChannelInboundHandler extends SimpleChannelInboundHandler<ByteBuf> {@Overrideprotected void channelRead0(ChannelHandlerContext ctx, ByteBuf msg) throws Exception {// 异步// 服务提供方,给予的结果String result = msg.toString(Charset.defaultCharset());// 从全局的挂起的请求中,寻找与之匹配的待处理 completeFutureCompletableFuture<Object> completableFuture = DcyRpcBootstrap.PENDING_REQUEST.get(1L);completableFuture.complete(result);}
}

channelhandler包下创建ConsumerChannelInitializer,继承 ChannelInitializer<SocketChannel>,重写initChannel方法

拷贝NettyBootstrapInitializer静态代码块中的匿名内部类ChannelInitializer的代码

public class ConsumerChannelInitializer extends ChannelInitializer<SocketChannel> {@Overrideprotected void initChannel(SocketChannel socketChannel) throws Exception {socketChannel.pipeline().addLast(new MySimpleChannelInboundHandler());}
}

NettyBootstrapInitializer类的初始化Netty的静态代码块中:优化handler的匿名内部类

static {NioEventLoopGroup group = new NioEventLoopGroup();bootstrap.group(group)// 选择初始化一个什么样的channel.channel(NioSocketChannel.class).handler(new ConsumerChannelInitializer());
}

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

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

相关文章

Webpack5入门到原理

Webpack5学习 尚硅谷Webpack5新版视频教程 B站直达&#xff1a;https://www.bilibili.com/video/BV14T4y1z7sw 百度网盘&#xff1a;https://pan.baidu.com/s/114lJRGua2uHBdLq_iVLOOQ 提取码&#xff1a;yyds 阿里云盘&#xff1a;https://www.aliyundrive.com/s/UMkmCzdWsGh&…

[数据集][目标检测]裸土识别裸土未覆盖目标检测数据集VOC格式857张2类别

数据集格式&#xff1a;Pascal VOC格式(不包含分割路径的txt文件和yolo格式的txt文件&#xff0c;仅仅包含jpg图片和对应的xml) 图片数量(jpg文件个数)&#xff1a;857 标注数量(xml文件个数)&#xff1a;857 标注类别数&#xff1a;2 标注类别名称:["luotu","n…

数据结构——哈希

哈希表 是一种使用哈希函数组织数据的数据结构&#xff0c;它支持快速插入和搜索。 哈希表&#xff08;又称散列表&#xff09;的原理为&#xff1a;借助 哈希函数&#xff0c;将键映射到存储桶地址。更确切地说&#xff0c; 1.首先开辟一定长度的&#xff0c;具有连续物理地址…

【小沐学Unity3d】3ds Max 骨骼动画制作(CAT、Character Studio、Biped、骨骼对象)

文章目录 1、简介2、 CAT2.1 加载 CATRig 预设库2.2 从头开始创建 CATRig 3、character studio3.1 基本描述3.2 Biped3.3 Physique 4、骨骼系统4.1 创建方法4.2 简单示例 结语 1、简介 官网地址&#xff1a; https://help.autodesk.com/view/3DSMAX/2018/CHS https://help.aut…

Android app保活(前台服务)

国内厂商定制&#xff0c;除非厂商给app白名单&#xff0c;否则只能用户手动添加白名单(应用自启和后台运行)&#xff0c;才能通过前台服务实现app保活。 这里介绍前台服务相关实现方式。 开启服务&#xff1a; if (Build.VERSION.SDK_INT > Build.VERSION_CODES.O) {//安…

H265视频硬解

硬解&#xff0c;使用非CPU进行编码&#xff0c;如显卡GPU、专用的DSP、FPGA、ASIC芯片等。目前的主流GPU加速平台&#xff1a;INTEL、AMD、NVIDIA。 一、软编码和硬编码比较 软编码&#xff1a;实现直接、简单&#xff0c;参数调整方便&#xff0c;升级易&#xff0c;但CPU负…

2021年09月 C/C++(六级)真题解析#中国电子学会#全国青少年软件编程等级考试

C/C++编程(1~8级)全部真题・点这里 第1题:双端队列 定义一个双端队列,进队操作与普通队列一样,从队尾进入。出队操作既可以从队头,也可以从队尾。编程实现这个数据结构。 时间限制:1000 内存限制:65535 输入 第一行输入一个整数t,代表测试数据的组数。 每组数据的第一…

Qt QtableWidget、QtableView表格删除选中行、删除单行、删除多行

文章目录 Qt QtableWidget表格删除选中行只能选择一行&#xff0c;点击按钮后&#xff0c;删除一行可以选择中多行&#xff0c;点击按钮后&#xff0c;删除多行选中某一列中的不同行&#xff0c;点击按钮后&#xff0c;删除多行 QTableWidgetSelectionRange介绍QTableWidget的选…

【广州华锐互动】煤矿设备AR远程巡检系统实现对井下作业的远程监控和管理

煤矿井下作业环境复杂&#xff0c;安全隐患较多。传统的巡检方式存在诸多弊端&#xff0c;如巡检人员难以全面了解井下情况&#xff0c;巡检效率低下&#xff0c;安全隐患难以及时发现和整改等。为了解决这些问题&#xff0c;提高煤矿安全生产水平&#xff0c;越来越多的企业开…

[国产MCU]-W801开发实例-WiFi连接

WiFi连接 文章目录 WiFi连接1、WiFi连接API介绍2、WiFi连接示例在前面的文章中,我们实现了WiFi热点扫描。本文将介绍如何将W801连接到WiFi网络。 1、WiFi连接API介绍 int tls_wifi_connect(u8 ssid,u8 ssid_len,u8 pwd,u8 pwd_len) **:通过SSID连接WiFi热点 ssid:WiFi的SSID…

DAY01_瑞吉外卖——软件开发整体介绍瑞吉外卖项目介绍开发环境搭建后台系统登录功能后台系统退出功能

目录 1. 软件开发整体介绍1.1 软件开发流程1.2 角色分工1.3 软件环境 2. 瑞吉外卖项目介绍2.1 项目介绍2.2 产品原型2.3 技术选型2.4 功能架构2.5 角色 3. 开发环境搭建3.1 数据库环境搭建3.1.1 创建数据库3.1.2 数据库表导入3.1.3 数据库表介绍 3.2 Maven项目搭建3.2.1 创建ma…

Elsaticsearch倒排索引

搜索引擎应该具有什么要求&#xff1f; 查询快 高效的压缩算法 快速的编码和解码速度 结果准确 BM25 TF-IDF 检索结果丰富 召回率 面向海量数据&#xff0c;如何达到搜索引擎级别的查询效率&#xff1f; 索引 帮助快速检索以数据结构为载体以文件形式落地 倒排…

Ubuntu18.04安装docker-io

1. 安装docker 1.1 网上一搜&#xff0c;全是更新仓库、下载依赖、添加docker的gpg密钥、添加docker仓库、安装docker-ce的步骤&#xff0c;但是在安装docker-ce时却提示“package "docker-ce" has no installation candidate”&#xff0c;就很迷。 1.2 安装docke…

算法 - 归并排序

~~~~ 题目思路codecode core 题目 给定你一个长度为 n 的整数数列。 请你使用归并排序对这个数列按照从小到大进行排序。 并将排好序的数列按顺序输出。 输入格式 输入共两行&#xff0c;第一行包含整数 n。 第二行包含 n 个整数&#xff08;所有整数均在 1∼109 范围内&a…

webpack打包常用配置项

webpack打包配置项 参考链接 文件结构&#xff1a;最基础版 先安装 npm i webpack webpack-cli --dev 运行命令&#xff1a;npx webpack 进行打包 1. 配置webpack.config.js文件&#xff1a; const path require(path); module.exports {mode: development, // 开发环境 …

解释 RESTful API,以及如何使用它构建 web 应用程序。

RESTful API是一种设计风格&#xff0c;用于构建可伸缩的Web服务&#xff0c;以促进不同系统之间的通信。它是基于REST&#xff08;Representational State Transfer&#xff09;体系结构&#xff0c;其中数据通过HTTP协议进行传输&#xff0c;并使用标准HTTP方法&#xff08;如…

ACM中的数论

ACM中的数论是计算机科学领域中的一个重要分支&#xff0c;它主要研究整数的性质、运算规律和它们之间的关系。在ACM竞赛中&#xff0c;数论问题经常出现&#xff0c;因此掌握一定的数论知识对于参加ACM竞赛的选手来说是非常重要的。本文将介绍一些常见的数论概念和方法&#x…

Python 实现单例模式的五种写法!

单例模式&#xff08;Singleton Pattern&#xff09; 是一种常用的软件设计模式&#xff0c;该模式的主要目的是确保某一个类只有一个实例存在。当你希望在整个系统中&#xff0c;某个类只能出现一个实例时&#xff0c;单例对象就能派上用场。 比如&#xff0c;某个服务器程序的…

2023 极术通讯-Arm SystemReady本地化兼容性标准与测试研讨会召开

导读&#xff1a;极术社区推出极术通讯&#xff0c;引入行业媒体和技术社区、咨询机构优质内容&#xff0c;定期分享产业技术趋势与市场应用热点。 芯方向 Power Control System Architecture文档开放访问了&#xff01; Arm近期已开放Power Control System Architecture v2.…

【ccf-csp题解】第1次csp认证-第三题-命令行选项-题解

题目描述 思路讲解 本题是一个简单的字符串模拟题&#xff0c;这种题目是csp认证第三题的常客 大致思路是用两个bool数组记录某一个选项&#xff08;0--25下标对应小写字母a--z&#xff09;&#xff0c;第一个数组中无参选项为true&#xff0c;第二个数组中有参选项为true&a…