`

netty入门实现简单的echo程序

阅读更多

     最近看以往在程序中编写的代码,发现有一个功能是使用socket通讯来实现的,而那个时候使用的是基于bio的阻塞io来实现的,最近在看netty,发现可以使用netty来使用nio的方式来实现,此博客记录一下netty学习的一个过程,此处实现一个简单的服务器和客户端之间的通讯。

实现要求:

    1、服务器端监听9090端口

    2、客户端连上服务端时,向服务端发送10条消息

    3、使用netty自带的解码器解决tcp的粘包问题,避免接收到的数据是不完整的。(不了解tcp粘包的可以百度一下

 

实现:(代码的注释大致都写在了服务端这个类上)

 

一、引入netty的jar包

<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
	xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
	<modelVersion>4.0.0</modelVersion>
	<groupId>com.huan.netty</groupId>
	<artifactId>netty-study</artifactId>
	<version>0.0.1-SNAPSHOT</version>
	<packaging>jar</packaging>
	<name>netty-study</name>
	<url>http://maven.apache.org</url>
	<properties>
		<project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
	</properties>
	<dependencies>
		<dependency>
			<groupId>junit</groupId>
			<artifactId>junit</artifactId>
			<version>4.10</version>
			<scope>test</scope>
		</dependency>
		<dependency>
			<groupId>io.netty</groupId>
			<artifactId>netty-all</artifactId>
			<version>4.1.6.Final</version>
		</dependency>
		<dependency>
			<groupId>org.projectlombok</groupId>
			<artifactId>lombok</artifactId>
			<version>1.16.18</version>
		</dependency>
		<dependency>
			<groupId>org.slf4j</groupId>
			<artifactId>slf4j-api</artifactId>
			<version>1.7.25</version>
		</dependency>
		<dependency>
			<groupId>ch.qos.logback</groupId>
			<artifactId>logback-classic</artifactId>
			<version>1.1.7</version>
		</dependency>
		<dependency>
			<groupId>ch.qos.logback</groupId>
			<artifactId>logback-core</artifactId>
			<version>1.1.7</version>
		</dependency>
		<dependency>
			<groupId>ch.qos.logback</groupId>
			<artifactId>logback-access</artifactId>
			<version>1.1.7</version>
		</dependency>
	</dependencies>
</project>

 二、netty服务端的编写

@Slf4j
public class EchoServer {

	public static void main(String[] args) throws InterruptedException {
		/** 此线程组用于服务单接收客户端的连接 */
		EventLoopGroup boss = new NioEventLoopGroup(1);
		/** 此线程组用于处理SocketChannel的读写操作 */
		EventLoopGroup worker = new NioEventLoopGroup();
		/** netty启动服务端的辅助类 */
		ServerBootstrap bootstrap = new ServerBootstrap();
		bootstrap.group(boss, worker)//
				.channel(NioServerSocketChannel.class)// 对应的是ServerSocketChannel类
				.option(ChannelOption.SO_BACKLOG, 128)//
				.handler(new LoggingHandler(LogLevel.TRACE))//
				.childHandler(new ChannelInitializer<SocketChannel>() {
					@Override
					protected void initChannel(SocketChannel ch) throws Exception {
						ByteBuf delimiter = Unpooled.copiedBuffer("^^".getBytes(StandardCharsets.UTF_8));
						// 表示客户端的数据中只要出现了^^就表示是一个完整的包,maxFrameLength这个表示如果在这个多个字节中还没有出现则表示数据有异常情况,抛出异常
						ch.pipeline().addLast(new DelimiterBasedFrameDecoder(1024, delimiter));
						// 将接收到的数据转换成String的类型
						ch.pipeline().addLast(new StringDecoder(StandardCharsets.UTF_8));
						// 接收到的数据由自己的EchoServerHandler类进行处理
						ch.pipeline().addLast(new EchoServerHandler());
					}
				});
		// 绑定端口,同步等待成功
		ChannelFuture future = bootstrap.bind(9090).sync();
		log.info("server start in port:[{}]", 9090);
		// 等待服务端链路关闭后,main线程退出
		future.channel().closeFuture().sync();
		// 关闭线程池资源
		boss.shutdownGracefully();
		worker.shutdownGracefully();
	}

	@Slf4j
	static class EchoServerHandler extends ChannelInboundHandlerAdapter {
		private int counter = 0;

		/**
		 * 接收到数据的时候调用
		 */
		@Override
		public void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {
			String body = (String) msg;
			log.info("this is: {} times receive cliemt msg: {}", ++counter, body);
			body += "^^";
			// 此处将数据写会到客户端,如果使用的是ctx.write方法这个只是将数据写入到缓冲区,需要再次调用ctx.flush方法
			ctx.writeAndFlush(Unpooled.copiedBuffer(body.getBytes(StandardCharsets.UTF_8)));
		}

		/** 当发生了异常时,次方法调用 */
		@Override
		public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception {
			log.error("error:", cause);
			ctx.close();
		}
	}

}

 三、netty客户端代码的编写

    客户端在服务端链接建立成功后发送了10条数据给服务端

@Slf4j
public class EchoClient {

	public static void main(String[] args) throws InterruptedException {
		EventLoopGroup group = new NioEventLoopGroup();
		Bootstrap bootstrap = new Bootstrap();
		bootstrap.group(group)//
				.channel(NioSocketChannel.class)//
				.option(ChannelOption.TCP_NODELAY, true)//
				.handler(new ChannelInitializer<SocketChannel>() {
					@Override
					protected void initChannel(SocketChannel ch) throws Exception {
						ByteBuf delimiter = Unpooled.copiedBuffer("^^".getBytes(StandardCharsets.UTF_8));
						ch.pipeline().addLast(new DelimiterBasedFrameDecoder(1024, delimiter));
						ch.pipeline().addLast(new StringDecoder());
						ch.pipeline().addLast(new EchoClientHandler());
					}
				});
		ChannelFuture future = bootstrap.connect("127.0.0.1", 9090).sync();
		log.info("client connect server.");
		future.channel().closeFuture().sync();
		group.shutdownGracefully();
	}

	@Slf4j
	static class EchoClientHandler extends ChannelInboundHandlerAdapter {
		private int counter;
		private static final String ECHO_REQ = "hello server.服务器好啊.^^";

		/**
		 * 客户端和服务器端TCP链路建立成功后,此方法被调用
		 */
		@Override
		public void channelActive(ChannelHandlerContext ctx) throws Exception {
			for (int i = 0; i < 10; i++) {
				ctx.writeAndFlush(Unpooled.copiedBuffer(ECHO_REQ.getBytes(StandardCharsets.UTF_8)));
			}
		}

		/**
		 * 接收到服务器端数据时调用
		 */
		@Override
		public void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {
			log.info("this is :{} revice server msg:{}", ++counter, msg);
		}

		/**
		 * 发生异常时调用
		 */
		@Override
		public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception {
			log.error("client error:", cause);
			ctx.close();
		}
	}
}

 四、测试

 服务器端和客户端都获取到了正确的数据,到此一个简单的echo工程就已经写完了。

  • 大小: 126.8 KB
分享到:
评论

相关推荐

    netty的入门经典例子的使用

    在学习 Netty 的过程中,通常会从创建一个简单的 Echo 客户端和服务器开始。Echo 服务器会接收客户端发送的数据,然后原样返回。这个例子能帮助理解 Channel、EventLoop、Pipeline 和 Handler 的工作原理。 压缩包...

    高性能网络通信框架Netty从入门到核心源码剖析.rar

    一、Netty入门 1. 安装与环境配置:介绍如何在Java项目中引入Netty依赖,以及相关的构建工具如Maven或Gradle的配置方法。 2. 快速启动:通过编写一个简单的Echo Server和Client,展示Netty的基本使用,包括...

    netty从入门到精通所有代码

    - **分布式消息系统**:构建基于 Netty 的简单消息传递系统,实现进程间通信。 - **文件传输服务**:使用 Netty 实现大文件的断点续传功能。 通过学习和实践这些示例代码,你可以深入了解 Netty 的工作原理,以及...

    netty-3.2.5终极手册

    本书不仅涵盖了Netty的基本概念和入门教程,还深入探讨了其架构设计原理及高级特性。 #### 二、Netty 的问题与解决方案 ##### 1. 当前问题 当前网络通信中广泛采用通用协议或库进行交互,例如使用HTTP客户端库从...

    netty-in-action中文版

    - **写一个echo服务器**:通过实现简单的回显服务器来展示Netty的基本使用方法。 - **写一个echo客户端**:与回显服务器相对应,客户端同样重要,用于测试服务器的功能。 - **编译和运行Echo服务器和客户端**:详细...

    Essential Netty In Action

    标题“Essential Netty In Action”表明本文是一本关于Netty实践的入门书籍,Netty是一个高性能的异步事件驱动的网络应用框架,用于快速开发可维护的高性能协议服务器和客户端。书籍内容主要面向Java开发者,适合...

    netty官方例子

    Netty 是一个高性能、异步事件驱动的网络应用程序框架,用于快速开发可维护的高性能协议服务器和客户端。这个“netty官方例子”压缩包提供了一系列的示例代码,帮助开发者更好地理解和运用Netty框架。这些例子是基于...

    netty5.0 jar包 官方例子_改 中文手册

    1. **快速入门**:介绍如何创建一个简单的Netty服务器和客户端,帮助初学者快速上手。 2. **组件详解**:详细解释Netty中的关键组件,如Channel、EventLoop、ByteBuf等,以及它们的用法。 3. **高级主题**:包括...

    Netty的技术的总结(Marshalling编解码,tcp的拆包粘包,webservice),包括新手入门源码,注释清楚,绝对物超所值

    在Netty的源码学习中,新手可以从简单的Echo示例开始,理解服务器和客户端的基本交互流程。然后,逐渐深入到Channel、EventLoop、Pipeline等核心概念。Pipeline是Netty处理I/O事件的核心机制,每个Channel都有一个...

    netty参考文档

    **Netty** 是一个高性能、异步事件驱动的网络应用程序框架,用于快速开发可维护的高性能协议服务器与客户端。它由 JBoss 社区发起,并在 Apache 2.0 许可证下开源发布。Netty 的设计目标是提供一个易于使用的 API,...

    java精典编程100例

    通过对《Java经典编程100例》中的两个例子——Server端编程和Client端编程的详细介绍,我们不仅了解了Java网络编程的基本原理和技术要点,还掌握了如何使用Java编写简单的服务器端和客户端程序的方法。这对于初学者...

Global site tag (gtag.js) - Google Analytics