`

netty 开发入门

    博客分类:
  • java
 
阅读更多
1.准备jar

<properties>
<project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
<slf4j-api.version>1.7.5</slf4j-api.version>
<logback.version>1.0.13</logback.version>
</properties>


<dependency>
<groupId>org.slf4j</groupId>
<artifactId>slf4j-api</artifactId>
<version>${slf4j-api.version}</version>
</dependency>
<dependency>
<groupId>ch.qos.logback</groupId>
<artifactId>logback-classic</artifactId>
<version>${logback.version}</version>
</dependency>
<dependency>
<groupId>ch.qos.logback</groupId>
<artifactId>logback-core</artifactId>
<version>${logback.version}</version>
</dependency>



<!-- https://mvnrepository.com/artifact/io.netty/netty-all -->
<dependency>
    <groupId>io.netty</groupId>
    <artifactId>netty-all</artifactId>
    <version>4.1.14.Final</version>
</dependency>


2.编写netty 服务端

package com.boce.netty.server;

import io.netty.bootstrap.ServerBootstrap;
import io.netty.channel.ChannelFuture;
import io.netty.channel.ChannelInitializer;
import io.netty.channel.ChannelOption;
import io.netty.channel.EventLoopGroup;
import io.netty.channel.nio.NioEventLoopGroup;
import io.netty.channel.socket.SocketChannel;
import io.netty.channel.socket.nio.NioServerSocketChannel;

/**
* Discards any incoming data.
*/
public class DiscardServer {

private int port;

public DiscardServer(int port) {
     this.port = port;
}

public void run() throws Exception {
     EventLoopGroup bossGroup = new NioEventLoopGroup(); // (1)
     EventLoopGroup workerGroup = new NioEventLoopGroup(80);
     try {
         ServerBootstrap b = new ServerBootstrap(); // (2)
         b.group(bossGroup, workerGroup)
          .channel(NioServerSocketChannel.class) // (3)
          .childHandler(new ChannelInitializer<SocketChannel>() { // (4)
              @Override
              public void initChannel(SocketChannel ch) throws Exception {
              ch.pipeline().addLast(new ChildHandler());
              }
          })
          .option(ChannelOption.SO_BACKLOG, 128)       // (5)队列长度
          .option(ChannelOption.SO_REUSEADDR, true) //端口可以重用
          .option(ChannelOption.TCP_NODELAY, true) //实时发送
          .childOption(ChannelOption.SO_KEEPALIVE, true); // (6)

         // Bind and start to accept incoming connections.
         ChannelFuture f = b.bind(port).sync(); // (7)

         // Wait until the server socket is closed.
         // In this example, this does not happen, but you can do that to gracefully
         // shut down your server.
         f.channel().closeFuture().sync();
     } finally {
         workerGroup.shutdownGracefully();
         bossGroup.shutdownGracefully();
     }
}

public static void main(String[] args) throws Exception {
System.out.println("start ....");
     int port;
     if (args.length > 0) {
         port = Integer.parseInt(args[0]);
     } else {
         port = 8080;
     }
     new DiscardServer(port).run();
}
}



package com.boce.netty.server;

import io.netty.channel.ChannelInitializer;
import io.netty.channel.socket.SocketChannel;
import io.netty.handler.codec.LineBasedFrameDecoder;
import io.netty.handler.codec.string.StringDecoder;
import io.netty.handler.codec.string.StringEncoder;

public class ChildHandler extends ChannelInitializer<SocketChannel>{

@Override
protected void initChannel(SocketChannel ch) throws Exception {
ch.pipeline().addLast(new LineBasedFrameDecoder(1024));
ch.pipeline().addLast(new StringEncoder());
ch.pipeline().addLast(new StringDecoder());
ch.pipeline().addLast(new DiscardServerHandler());


}

}



package com.boce.netty.server;

import java.util.Random;

import org.slf4j.Logger;
import org.slf4j.LoggerFactory;

import io.netty.buffer.ByteBuf;
import io.netty.buffer.Unpooled;
import io.netty.channel.ChannelFuture;
import io.netty.channel.ChannelFutureListener;
import io.netty.channel.ChannelHandlerContext;
import io.netty.channel.ChannelInboundHandlerAdapter;
import io.netty.channel.SimpleChannelInboundHandler;
import io.netty.util.ReferenceCountUtil;

/**
* Handles a server-side channel.
*/
public class DiscardServerHandler extends ChannelInboundHandlerAdapter { // (1)


static final Logger log = LoggerFactory.getLogger("DiscardServerHandler");

private int count;

@Override
public void channelRegistered(ChannelHandlerContext ctx) throws Exception {
log.info("------------channelRegistered "+ctx.channel().remoteAddress().toString());
super.channelRegistered(ctx);
}

@Override
public void channelUnregistered(ChannelHandlerContext ctx) throws Exception {
super.channelUnregistered(ctx);
log.info("------------channelUnregistered======= ");
}

@Override
public void channelRead(ChannelHandlerContext ctx,  Object msg) { // (2)

log.info("---------------------channelRead");
try {
String backMsg = (String) msg;

System.out.println("read::" + backMsg + ";this is count=" + ++count);
int wortTime = 0;

Random random = new Random();
wortTime = random.nextInt(80);
try {
Thread.sleep(wortTime);
} catch (InterruptedException e) {
e.printStackTrace();
}

String result = "back===================="+backMsg+System.getProperty("line.separator");
ctx.writeAndFlush(result);

} finally {
ReferenceCountUtil.release(msg); // (2)
}

}

@Override
public void channelReadComplete(ChannelHandlerContext ctx) throws Exception {
log.info("===================channelreadComplete");
super.channelReadComplete(ctx);
ctx.close();
}

public void channelActive(final ChannelHandlerContext ctx) throws Exception {

log.info("------channelActive");
}

@Override
public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) { // (4)
// Close the connection when an exception is raised.
log.error("------exceptionCaught");

cause.printStackTrace();
ctx.close();
}
}



3.编写客户端
package com.boce.netty.client;

import java.util.concurrent.atomic.AtomicInteger;

import io.netty.bootstrap.Bootstrap;
import io.netty.channel.ChannelFuture;
import io.netty.channel.ChannelInitializer;
import io.netty.channel.ChannelOption;
import io.netty.channel.EventLoopGroup;
import io.netty.channel.nio.NioEventLoopGroup;
import io.netty.channel.socket.SocketChannel;
import io.netty.channel.socket.nio.NioSocketChannel;
import io.netty.handler.codec.LineBasedFrameDecoder;
import io.netty.handler.codec.string.StringDecoder;
import io.netty.handler.codec.string.StringEncoder;

public class TimeClient implements Runnable{

private static AtomicInteger aci = new AtomicInteger(0);

public void client() {
EventLoopGroup workerGroup = new NioEventLoopGroup();
try {
String host = "192.168.1.201";
int port = 8080;
Bootstrap b = new Bootstrap(); // (1)
b.group(workerGroup); // (2)
b.channel(NioSocketChannel.class); // (3)
b.option(ChannelOption.SO_KEEPALIVE, true); // (4)
b.handler(new ChannelInitializer<SocketChannel>() {
@Override
public void initChannel(SocketChannel ch) throws Exception {
ch.pipeline().addLast(new LineBasedFrameDecoder(1024));
ch.pipeline().addLast(new StringEncoder());//发送时编码格式
ch.pipeline().addLast(new StringDecoder());//接收时编码格式
ch.pipeline().addLast(new TimeClientHandler(aci.incrementAndGet()));
}
});

// Start the client.
ChannelFuture f = b.connect(host, port).sync(); // (5)

// Wait until the connection is closed.
f.channel().closeFuture().sync();
}catch(Exception e){
e.printStackTrace();
} finally {
workerGroup.shutdownGracefully();
}
}

@Override
public void run() {
for(int j=0;j<1;j++){
client();
}


}

public static void main(String[] args) throws Exception {

for(int s=0;s<1;s++){
TimeClient client = new TimeClient();
Thread thread = new Thread(client);
thread.start();
}


System.out.println("client end =======================================");
}


}


package com.boce.netty.client;


import io.netty.channel.ChannelHandlerContext;
import io.netty.channel.ChannelInboundHandlerAdapter;

public class TimeClientHandler extends ChannelInboundHandlerAdapter {
 
public TimeClientHandler(int count) {
}



@Override
    public void channelRead(ChannelHandlerContext ctx, Object msg) {
System.out.println("client ============channelread -=========");
String body = (String)msg;
System.out.println("client:::"+body);
    }



public void channelReadComplete(ChannelHandlerContext ctx) throws Exception {
System.out.println("client==============channelReadComplete=================");
if(null !=ctx){
ctx.close();
}
};

   
   
    public void channelActive(final ChannelHandlerContext ctx) throws Exception {
System.out.println("client---client---channelActive");
    String message ="channelactive=======================================send----->"+System.getProperty("line.separator");
ctx.writeAndFlush(message);
   

}
   
   
    @Override
    public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) {
        cause.printStackTrace();
        ctx.close();
    }
}









分享到:
评论

相关推荐

    netty开发入门

    这个“netty开发入门”资料主要涵盖了如何使用Netty进行基础的网络通信,包括创建简单的"Hello World"示例以及实现服务器与客户端的交互。 一、Netty简介 Netty是由JBOSS提供的一个Java开源框架,它简化了网络编程...

    Netty入门教程文档

    Netty入门教程文档 Netty是Java的网络编程框架,广泛应用于数据采集服务中,本文将对Netty的基本概念和应用进行详细介绍,并将其与ETL技术结合,讲解如何使用Netty进行数据流转和处理。 1. ETL概述 ETL(Extract...

    Netty 快速入门系列-源码

    Netty快速入门系列源码, 参考 https://blog.csdn.net/netcobol Netty是一个java开源框架。Netty提供异步的、事件驱动的网络应用程序框架和工具,用以快速开发高性能、高可靠性的网络服务器和客户端程序。 Netty是...

    基于netty的spring入门程序

    该入门示例程序是异步、基于事件驱动的网络通讯框架,对于java开发入门以及netty开发入门程序员有极大的学习效果和提升作用。异步:支持多个请求同时处理 响应通过回调函数处理 例如ajax 事件驱动 :比如客户端对...

    netty快速入门教程3-4集 共12集

    通过学习客户端的构建和Netty线程模型,你将具备使用Netty开发高效、可靠网络应用的能力。不论是构建TCP、UDP服务,还是WebSocket或者自定义协议,Netty都能提供强大的支持。所以,如果你对网络编程感兴趣,或者需要...

    Netty-入门Netty编码

    这个教程将引导我们入门 Netty 编码,让我们深入理解其核心概念和实际应用。 首先,Netty 的核心是其设计模式,即 Reactor 模式,也称为事件驱动模型。Reactor 模式允许 Netty 高效地处理大量并发连接,通过非阻塞 ...

    Netty+入门与实战:仿写微信+IM+即时通讯系统.rar

    Netty是一个高性能、异步事件驱动的网络应用框架,适用于开发服务器和客户端的Java应用。它极大地简化了网络编程,特别是TCP、UDP和HTTP等协议的处理。 在学习这本小册时,你将深入理解Netty的核心概念,如...

    Netty的入门经典例子

    "Netty 入门经典例子" Netty 是一个异步的、事件驱动的网络编程框架和工具,使用 Netty 可以快速开发出可维护的、high-performance 的协议服务及其客户端应用。Netty 相当简化和流线化了网络应用的编程开发过程,...

    Netty 入门与实战:仿写微信 IM 即时通讯系统

    Netty是Java领域中一个高效的异步事件驱动的网络应用程序框架,它为快速开发可维护的高性能协议服务器和客户端提供了丰富的组件和API。 首先,我们要理解Netty的核心设计理念。Netty采用了非阻塞I/O模型,利用Java ...

    WebSocket利用netty连接入门项目

    这个入门项目是学习WebSocket与Netty结合的一个好起点,通过实际操作,你可以更深入地理解WebSocket协议的工作原理,以及如何使用Netty构建高效稳定的WebSocket服务器。同时,对于前端开发人员,这也是一个了解...

    Netty入门与实战:仿写微信IM即时通讯系统

    ### Netty入门与实战:仿写微信IM即时通讯系统 #### 一、引言 随着移动互联网技术的飞速发展,即时通讯(IM)系统已成为人们日常生活中不可或缺的一部分。微信作为国内最受欢迎的即时通讯软件之一,其高效稳定的通信...

    netty的入门经典例子的使用

    Netty 是一个高性能、异步事件驱动的...总之,Netty 入门的经典例子是学习网络编程和高性能服务器开发的重要起点。通过实践这些例子,你不仅可以掌握 Netty 的基本操作,还能了解到异步事件驱动模型的优势和灵活性。

    netty快速入门教程9集 共12集

    这个“Netty 快速入门教程9集共12集”提供了宝贵的资源,帮助初学者深入理解并掌握Netty的核心概念和用法。 在本教程中,你将学习到以下关键知识点: 1. **Netty基础架构**:了解Netty的基本组件,如BossGroup、...

    Netty 入门与实战:仿写微信 IM 即时通讯系统.zip

    《Netty 入门与实战:仿写微信 IM 即时通讯系统》是一份专为初学者设计的高质量教程,旨在帮助读者快速掌握Netty框架并应用到实际的即时通讯系统开发中,如仿写微信IM系统。Netty是Java领域内广泛使用的高性能、异步...

    netty快速入门教程6集 共12集

    netty快速入门教程6集 共12集 目前看是全网最有价值的一份,其他的要么要密码,要么要钱。这个下载即可播放。

    netty入门到精通.txt

    根据提供的文件信息“netty入门到精通”,我们可以深入探讨Netty框架的相关知识点,包括其基本概念、核心组件、应用场景以及如何逐步掌握这项技术。 ### Netty框架简介 Netty是一款高性能、异步事件驱动的网络应用...

    netty快速入门教程5集 共12集

    Netty 是一个高性能、异步事件驱动的网络应用程序框架,用于快速开发可维护的高性能协议服务器和客户端。这个“Netty快速入门教程5集共12集”提供了一个全面了解和学习Netty的基础,旨在帮助初学者快速掌握其核心...

    netty开发实战

    Netty 4.x用户指南是一个很好的入门文档,适合初学者阅读,它不仅有中文翻译版本,还提供了源码示例。用户可以通过访问GitHub上的netty-4-user-guide-demos仓库,获取所有例子源码。此外,Netty社区也鼓励用户在发现...

Global site tag (gtag.js) - Google Analytics