【从入门到放弃-Java】并发编程-NIO使用

前言

上文【从入门到放弃-SpringBoot】SpringBoot源码分析-请求过程中我们了解到,tomcat接收、返回请求的过程都是基于NIO实现的。日常工作中有很多基于NIO的使用,我们知道NIO可以提高系统的并发度,接下来的系列我们来深入学习下NIO,本文先从使用上简单概述。

NIO概述

NIO即non-blocking(New IO),是指jdk1.4 及以上版本里提供的新api。

NIO和IO最大的区别:IO是以流的方式处理数据,而NIO是以块的方式处理数据;IO对事件的处理是阻塞的,NIO是非阻塞的

NIO的核心部分:

  • Channel
  • Buffer
  • Selector

NIO主要分为标准输入输出和网络请求

标准输入输出NIO

读取

private static void readNio() {try {//1、开启文件读取流FileInputStream fileInputStream = new FileInputStream("/Users/my/Desktop/123.txt");//2、获取fileChannelFileChannel channel = fileInputStream.getChannel();//3、设置ByteBuffer大小,一次能容纳capacity字节int capacity = 9;ByteBuffer bf = ByteBuffer.allocate(capacity);//4、当read返回-1时,表示文件读取完毕int length = -1;while ((length = channel.read(bf)) != -1) {byte[] bytes = bf.array();System.out.println(new String(bytes, 0, length));//4、将bf position置为0,方便下次读取bf.clear();}channel.close();fileInputStream.close();} catch (IOException e) {e.printStackTrace();}
}

写入

private static void writeNio() {try {//1、打开文件写入流FileOutputStream fileOutputStream = new FileOutputStream("/Users/my/Desktop/123.txt");//2、获取fileChannelFileChannel channel = fileOutputStream.getChannel();//3、初始化byteBufferString str = "萨达案发生大大sdada34;sdds'";ByteBuffer bf = ByteBuffer.allocate(1024);//4、将bf position置为0,方便下次读取bf.clear();//5、从byteBuffer的position位置填充bytebf.put(str.getBytes());//6、将bf position置为0,limit设置为position避免写入内容过多bf.flip();int length = 0;//7、如果position小于limit即未写入完毕while (bf.hasRemaining()) {//8、将buffer内容写入channellength = channel.write(bf);System.out.println(bf);}channel.close();fileOutputStream.close();} catch (IOException e) {e.printStackTrace();}
}

网络NIO

服务端

package com.my.tools.nio;import java.io.IOException;
import java.net.InetSocketAddress;
import java.nio.ByteBuffer;
import java.nio.channels.SelectionKey;
import java.nio.channels.Selector;
import java.nio.channels.ServerSocketChannel;
import java.nio.channels.SocketChannel;
import java.util.Iterator;public class ServerSocket {private static ServerSocket serverSocket;private Selector selector;public static void main(String[] args) throws Exception {ServerSocket.getInstance().init(8001).listen();}public static ServerSocket getInstance() {if (serverSocket == null) {synchronized (ServerSocket.class) {if (serverSocket == null) {serverSocket = new ServerSocket();}}}return serverSocket;}public ServerSocket init(int port) throws IOException {//初始化channelServerSocketChannel server = ServerSocketChannel.open();//绑定本机8001端口server.socket().bind(new InetSocketAddress(8001));//设置为非阻塞模式server.configureBlocking(false);//开启selector管理器selector = Selector.open();//将selector注册至server,并设置只处理accept事件server.register(selector, SelectionKey.OP_ACCEPT);return this;}public void listen() throws Exception {System.out.println("server start");//无限循环持续监听while (true) {//会阻塞 直到监听到注册的事件selector.select();//获取唤醒的事件Iterator<SelectionKey> selectorKeys = selector.selectedKeys().iterator();while (selectorKeys.hasNext()) {SelectionKey key = selectorKeys.next();//将已取出的SelectionKey删除,防止重复处理selectorKeys.remove();if (key.isAcceptable()) {//获取到服务端的socketServerSocketChannel serverSocketChannel = (ServerSocketChannel) key.channel();//获取接收到的客户端socketSocketChannel socketChannel = serverSocketChannel.accept();socketChannel.configureBlocking(false);//向客户端写消息socketChannel.write(ByteBuffer.wrap(new String("hello, this is server").getBytes()));//注册监听read事件socketChannel.register(selector, SelectionKey.OP_READ);System.out.println("accept");} else if (key.isReadable()) {//使用selector获取channelSocketChannel socketChannel = (SocketChannel) key.channel();socketChannel.configureBlocking(false);ByteBuffer buffer = ByteBuffer.allocate(1024);//读消息int length = socketChannel.read(buffer);String string = new String(buffer.array(), 0 , length);System.out.println("read:" + socketChannel + string);//写消息socketChannel.write(ByteBuffer.wrap(("server " + System.currentTimeMillis()).getBytes()));Thread.sleep(10000);}}}}}

客户端

package com.my.tools.nio;import java.io.IOException;
import java.net.InetSocketAddress;
import java.nio.ByteBuffer;
import java.nio.channels.SelectionKey;
import java.nio.channels.Selector;
import java.nio.channels.SocketChannel;
import java.util.Iterator;public class ClientSocket {public static ClientSocket clientSocket;private static Selector selector;public static void main(String[] args) throws Exception {ClientSocket.getInstance().init("localhost", 8001).listen();}public static ClientSocket getInstance() {if (clientSocket == null) {synchronized (ClientSocket.class) {if (clientSocket == null) {clientSocket = new ClientSocket();}}}return clientSocket;}public ClientSocket init(String ip, int port) throws IOException {SocketChannel socketChannel = SocketChannel.open();socketChannel.connect(new InetSocketAddress(ip, port));socketChannel.configureBlocking(false);selector = Selector.open();socketChannel.register(selector, SelectionKey.OP_CONNECT | SelectionKey.OP_READ);return this;}public void listen() throws Exception {System.out.println("client start");while (true) {selector.select();Iterator<SelectionKey> selectionKeys = selector.selectedKeys().iterator();while (selectionKeys.hasNext()) {SelectionKey selectionKey = selectionKeys.next();selectionKeys.remove();if (selectionKey.isConnectable()) {SocketChannel socketChannel = (SocketChannel) selectionKey.channel();socketChannel.configureBlocking(false);ByteBuffer buffer = ByteBuffer.wrap(new String("hello, this is client").getBytes());socketChannel.write(buffer);socketChannel.register(selector, SelectionKey.OP_READ);System.out.println("client write");} else if (selectionKey.isReadable()) {SocketChannel socketChannel = (SocketChannel) selectionKey.channel();socketChannel.configureBlocking(false);ByteBuffer buffer = ByteBuffer.allocate(1024);int length = socketChannel.read(buffer);System.out.println("client read: " + socketChannel + new String(buffer.array(), 0, length));socketChannel.write(ByteBuffer.wrap(("client " + System.currentTimeMillis()).getBytes()));Thread.sleep(10000);}}}}
}

总结

上述示例展示了最简单的文件NIO和网络NIO用法,接下来会深入分析每个方法的源码,并对性能进行调优。


原文链接
本文为云栖社区原创内容,未经允许不得转载。

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

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

相关文章

Ant Design Vue list表格组件

文章目录1.案例部分代码2. 简述3.案例代码1.案例部分代码 <a-table:columns"columns":row-key"record > record.id":data-source"ebooks":pagination"pagination":loading"loading"change"handleTableChange&quo…

并发模式与 RPS 模式之争,性能压测领域的星球大战

本文是《如何做好性能压测》系列专题分享的第四期&#xff0c;该专题将从性能压测的设计、实现、执行、监控、问题定位和分析、应用场景等多个纬度对性能压测的全过程进行拆解&#xff0c;以帮助大家构建完整的性能压测的理论体系&#xff0c;并提供有例可依的实战。 该系列专…

Akka in Schedulerx2.0

1. 前言 Schedulerx2.0是阿里中间件自研的基于akka架构的新一代分布式任务调度平台&#xff0c;提供定时、任务编排、分布式跑批等功能&#xff0c;具有高可靠、海量任务、秒级调度等能力。 本篇文章以Schedulerx2.0为例子&#xff0c;介绍akka的应用场景&#xff0c;希望能给…

java.sql.SQLException: The server time zone value ‘???ú±ê×??±??‘ is unrecognized or represents more

【报错信息】 【百度翻译】 服务器时区值???????无法识别或表示多个时区。如果要利用时区支持&#xff0c;必须配置服务器或JDBC驱动程序&#xff08;通过ServerTimeZone配置属性&#xff09;&#xff0c;以使用更具体的时区值 【解决方法】 数据库连接配置conf.xml(…

【从入门到放弃-Java】并发编程-锁-synchronized

简介 上篇【从入门到放弃-Java】并发编程-线程安全中&#xff0c;我们了解到&#xff0c;可以通过加锁机制来保护共享对象&#xff0c;来实现线程安全。 synchronized是java提供的一种内置的锁机制。通过synchronized关键字同步代码块。线程在进入同步代码块之前会自动获得锁…

JavaScript-引入JavaScript

引入JavaScript 1、内部标签 <!DOCTYPE html> <html lang"en"> <head><meta charset"UTF-8"><title>Title</title><!-- script标签内&#xff0c;写javascript代码 --><script>alert("hello worl…

Redis 学习之一招击穿自己的系统,附送 N 个击穿解决大礼包 | 原力计划

作者 | Mark_MMXI来源 | CSDN博客&#xff0c;责编 | 夕颜出品 | CSDN&#xff08;ID:CSDNnews&#xff09;缓存的存在是为了在高并发情形下&#xff0c;缓解DB压力&#xff0c;提高业务系统体验。业务系统访问数据&#xff0c;先去缓存中进行查询&#xff0c;假如缓存存在数据…

阿里巴巴王坚:用数据来改变世界

“传统信息化建设都是从无到有&#xff0c;加了杆子和机器&#xff0c;但是新一代数字建设就是从有到无&#xff0c;缴费的机器没有了&#xff0c;你回家缴&#xff0c;杆子没有了&#xff0c;你回家缴。” 7月21日&#xff0c;阿里巴巴技术委员会主席王坚在2019年中国电子政务…

Knative Service 之流量灰度和版本管理

本篇主要介绍 Knative Serving 的流量灰度&#xff0c;通过一个 rest-api 的例子演示如何创建不同的 Revision、如何在不同的 Revision 之间按照流量比例灰度。 部署 rest-api v1 代码 测试之前我们需要写一段 rest-api 的代码&#xff0c;并且还要能够区分不同的版本。下面…

在生产环境中使用 Sentinel

文章目录一、安装zookeeper1. linux环境2. windows环境2. 安装并启动zkui二、编译打包2.1. 拉取项目2.2. 启动2.3. 登录 sentinel2.4. 登录zkui2.5. 重启Sentinel2.6. 删除Sentinel的流控规则三、将客户端和zk打通3.1. 引入依赖3.2. 配置3.3. 启动springboot3.4. sentinel控制台…

JavaScript-浏览器控制台使用

基本语法 <!DOCTYPE html> <html lang"en"> <head><meta charset"UTF-8"><title>Title</title><!-- JavaScript 严格区分大小写 --><script>// 1. 定义变量 变量类型 变量名 变量值var num 1;num …

看完就入门系列!吞吐量、消息持久化、负载均衡和持久化、伸缩性…… 你真的了解 Kafka 了吗?...

作者| liuhehe123来源| CSDN博客 责编| Carol出品| CSDN云计算&#xff08;ID&#xff1a;CSDNcloud&#xff09;封图| CSDN下载于视觉中国 无论是已经接触过 Kafka 还是刚入坑的小伙伴&#xff0c;都应该时不时回头了解一下 Kafka &#xff0c;有时候会有不少新收获。今天这份…

Alibaba Cloud Linux 2 开源后又有什么新动作?

阿里妹导读&#xff1a;2019 年 4 月&#xff0c;Alibaba Cloud Linux 2 (Aliyun Linux 2) 正式开源。时至今日&#xff0c;已经走过三个月的里程。在这段时间内&#xff0c;这个刚诞生不久的为阿里云 ECS 环境定制优化的 Linux 操作系统发行版的装机量稳步上升。本文将重点介绍…

一站式数据采集存储的利器:阿里云InfluxDB®️数据采集服务

背景 随着时序数据的飞速增长&#xff0c;时序数据库不仅需要解决系统的稳定性和性能问题&#xff0c;还需实现数据从采集到分析的链路打通&#xff0c;才能让时序数据真正产生价值。在时序数据采集领域&#xff0c;一直缺少自动化的采集工具。虽然用户可以使用一些开源的采集…

Serverless 风起云涌,为什么阿里、微软、AWS 纷纷拥抱开源 OAM?

作者 | 张磊&#xff0c;阿里云原生应用平台高级技术专家邓洪超&#xff0c;阿里云技术专家责编 | 唐小引头图 | CSDN 下载自东方 IC出品 | CSDN&#xff08;ID&#xff1a;CSDNnews&#xff09;Serverless 这个词第一次被是 2012 年一篇名为《Why The Future of Software and …

K8S从懵圈到熟练 - 我们为什么会删除不了集群的命名空间?

阿里云售后技术团队的同学&#xff0c;每天都在处理各式各样千奇百怪的线上问题。常见的有&#xff0c;网络连接失败&#xff0c;服务器宕机&#xff0c;性能不达标&#xff0c;请求响应慢等。但如果要评选&#xff0c;什么问题看起来微不足道事实上却足以让人绞尽脑汁&#xf…

为什么技术人一定要懂点“可信计算”?

阿里妹导读&#xff1a;可信计算&#xff08;TrustedComputing&#xff0c;简称TC&#xff09;是一项由TCG(可信计算组)推动和开发的技术。可信的核心目标之一是保证系统和应用的完整性&#xff0c;从而确定系统或软件运行在设计目标期望的可信状态。可信和安全是相辅相成的&am…

很用心的为你写了 9 道 MySQL 面试题,建议收藏!

来源 | Java 建设者责编| Carol封图| CSDN下载于视觉中国 MySQL 也是作者本人正在学习的部分&#xff0c;后面会多输出 MySQL 的文章贡献给大家&#xff0c;毕竟 MySQL 涉及到数据存储、锁、磁盘寻道、分页等操作系统概念&#xff0c;而且互联网对 MySQL 的注重程度是不言而喻的…

OpenTelemetry-可观察性的新时代

有幸在2019KubeCon上海站听到Steve Flanders关于OpenTelemetry的演讲&#xff0c;之前Ops领域两个网红项目OpenTracing和OpenCensus终于走到了一起&#xff0c;可观察性统一的标准化已经扬帆起航。 这篇文章旨在抛砖引玉&#xff0c;希望能够和更多的同学一起交流可观察性相关的…