基于 Netty 的多人聊天室实战:打造高性能实时聊天应用

本文将带领你使用 Netty 框架构建一个功能完善的多人聊天室。你将学习如何搭建服务器和客户端,处理用户连接、消息广播以及私聊功能。

一、服务器端实现

服务器端代码负责监听客户端连接、处理消息转发等核心逻辑。javaimport io.netty.bootstrap.ServerBootstrap;import io.netty.channel.ChannelFuture;import io.netty.channel.ChannelHandlerContext;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;import io.netty.handler.codec.string.StringDecoder;import io.netty.handler.codec.string.StringEncoder;import io.netty.util.concurrent.DefaultEventExecutorGroup;import io.netty.util.concurrent.EventExecutorGroup;

import java.util.concurrent.ConcurrentHashMap;

public class MultiChatServer { private final int port; private final ConcurrentHashMap<String, ChannelHandlerContext> userMap = new ConcurrentHashMap<>(); private final EventExecutorGroup group = new DefaultEventExecutorGroup(16);

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

public void run() throws Exception {        EventLoopGroup bossGroup = new NioEventLoopGroup();        EventLoopGroup workerGroup = new NioEventLoopGroup();        try {            ServerBootstrap b = new ServerBootstrap();            b.group(bossGroup, workerGroup)                    .channel(NioServerSocketChannel.class)                    .childHandler(new ChannelInitializer<SocketChannel>() {                        @Override                        public void initChannel(SocketChannel ch) throws Exception {                            ch.pipeline().addLast(new StringDecoder(), new StringEncoder(), new MultiChatServerHandler(userMap, group));                        }                    })                    .option(ChannelOption.SO_BACKLOG, 128)                    .childOption(ChannelOption.SO_KEEPALIVE, true);

        ChannelFuture f = b.bind(port).sync();            f.channel().closeFuture().sync();        } finally {            workerGroup.shutdownGracefully();            bossGroup.shutdownGracefully();        }    }

public static void main(String[] args) throws Exception {        int port = 8080;        new MultiChatServer(port).run();    }}

代码解析:

  1. 创建 ServerBootstrap 实例: ServerBootstrap 是 Netty 用于启动服务器的引导类。2. 设置 EventLoopGroup: 使用 NioEventLoopGroup 处理 I/O 操作,分别创建 bossGroup 用于接收连接,workerGroup 用于处理已建立连接的读写。3. 指定通道类型: 使用 NioServerSocketChannel 作为服务器端的通道实现。4. 设置子处理器 ChannelInitializer 当有新的客户端连接建立时,会调用 initChannel 方法,将自定义的处理器 MultiChatServerHandler 添加到管道中。5. 配置通道参数: - ChannelOption.SO_BACKLOG:设置连接请求队列大小。 - ChannelOption.SO_KEEPALIVE: 启用 TCP keepalive 机制,检测连接是否存活。6. 绑定端口并启动服务器: 调用 bind 方法绑定端口,sync 方法同步等待绑定操作完成。7. 关闭资源: 最后在 finally 块中优雅地关闭 EventLoopGroup。

二、消息处理器:MultiChatServerHandler

该处理器负责处理客户端连接、断开以及消息读取等事件。javaimport io.netty.channel.ChannelFuture;import io.netty.channel.ChannelHandlerContext;import io.netty.channel.SimpleChannelInboundHandler;import io.netty.util.concurrent.EventExecutorGroup;

import java.util.Map;import java.util.concurrent.ConcurrentHashMap;

public class MultiChatServerHandler extends SimpleChannelInboundHandler { private final ConcurrentHashMap<String, ChannelHandlerContext> userMap; private final EventExecutorGroup group;

public MultiChatServerHandler(ConcurrentHashMap<String, ChannelHandlerContext> userMap, EventExecutorGroup group) {        this.userMap = userMap;        this.group = group;    }

@Override    public void channelActive(ChannelHandlerContext ctx) throws Exception {        System.out.println('Client connected: ' + ctx.channel().remoteAddress());    }

@Override    public void channelInactive(ChannelHandlerContext ctx) throws Exception {        System.out.println('Client disconnected: ' + ctx.channel().remoteAddress());        userMap.values().remove(ctx);    }

@Override    protected void channelRead0(ChannelHandlerContext ctx, String msg) throws Exception {        String[] tokens = msg.split('\|');        String command = tokens[0];

    switch (command) {            case 'LOGIN':                handleLogin(ctx, tokens[1], tokens[2]);                break;            case 'LIST':                handleList(ctx);                break;            case 'MSG':                handleMessage(ctx, tokens[1], tokens[2]);                break;            case 'PRIVATE':                handlePrivateMessage(ctx, tokens[1], tokens[2]);                break;            default:                ctx.writeAndFlush('Invalid command: ' + command);                break;        }    }

private void handleLogin(ChannelHandlerContext ctx, String username, String password) {        if (userMap.containsKey(username)) {            ctx.writeAndFlush('User already logged in: ' + username);        } else {            userMap.put(username, ctx);            ctx.writeAndFlush('Login successful: ' + username);        }    }

private void handleList(ChannelHandlerContext ctx) {        StringBuilder sb = new StringBuilder();        sb.append('Available chat rooms:

'); for (Map.Entry<String, ChannelHandlerContext> entry : userMap.entrySet()) { sb.append(entry.getKey()).append(' '); } ctx.writeAndFlush(sb.toString()); }

private void handleMessage(ChannelHandlerContext ctx, String roomName, String message) {        StringBuilder sb = new StringBuilder();        sb.append('[').append(ctx.channel().remoteAddress()).append('] ').append(message).append('

'); for (Map.Entry<String, ChannelHandlerContext> entry : userMap.entrySet()) { if (entry.getKey().equals(roomName)) { entry.getValue().writeAndFlush(sb.toString()); } } }

private void handlePrivateMessage(ChannelHandlerContext ctx, String recipient, String message) {        StringBuilder sb = new StringBuilder();        sb.append('[').append(ctx.channel().remoteAddress()).append('] (private) ').append(message).append('

'); if (userMap.containsKey(recipient)) { userMap.get(recipient).writeAndFlush(sb.toString()); } else { ctx.writeAndFlush('User not found: ' + recipient); } }

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

代码解析:

  1. channelActivechannelInactive 分别处理客户端连接和断开事件,更新在线用户列表。2. channelRead0 读取客户端消息,解析命令并调用对应处理方法。3. 命令处理: - LOGIN: 处理用户登录,检查用户名是否重复,更新 userMap。 - LIST: 获取在线用户列表。 - MSG: 发送消息到指定聊天室。 - PRIVATE: 发送私聊消息。

三、客户端实现

客户端代码负责连接服务器、发送消息以及接收服务器消息。javaimport io.netty.bootstrap.Bootstrap;import io.netty.channel.ChannelFuture;import io.netty.channel.ChannelHandlerContext;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.string.StringDecoder;import io.netty.handler.codec.string.StringEncoder;

import java.io.BufferedReader;import java.io.InputStreamReader;

public class MultiChatClient { private final String host; private final int port; private ChannelHandlerContext ctx;

public MultiChatClient(String host, int port) {        this.host = host;        this.port = port;    }

public void run() throws Exception {        EventLoopGroup group = new NioEventLoopGroup();        try {            Bootstrap b = new Bootstrap();            b.group(group)                    .channel(NioSocketChannel.class)                    .option(ChannelOption.SO_KEEPALIVE, true)                    .handler(new ChannelInitializer<SocketChannel>() {                        @Override                        public void initChannel(SocketChannel ch) throws Exception {                            ch.pipeline().addLast(new StringDecoder(), new StringEncoder(), new MultiChatClientHandler());                        }                    });

        ChannelFuture f = b.connect(host, port).sync();            ctx = f.channel().pipeline().context(MultiChatClientHandler.class);            BufferedReader in = new BufferedReader(new InputStreamReader(System.in));            while (true) {                String line = in.readLine();                if (line == null) {                    break;                }                ctx.writeAndFlush(line + '

'); } } finally { group.shutdownGracefully(); } }

public static void main(String[] args) throws Exception {        String host = 'localhost';        int port = 8080;        new MultiChatClient(host, port).run();    }}

代码解析:

  1. 创建 Bootstrap 实例: Bootstrap 用于启动客户端。2. 设置 EventLoopGroup: 使用 NioEventLoopGroup 处理 I/O 操作。3. 指定通道类型: 使用 NioSocketChannel 作为客户端通道实现。4. 设置处理器 ChannelInitializer 添加自定义的处理器 MultiChatClientHandler。5. 连接服务器: 调用 connect 方法连接服务器。6. 发送消息: 从控制台读取用户输入,并通过 ctx.writeAndFlush 发送到服务器。7. 关闭资源: 优雅地关闭 EventLoopGroup。

四、客户端消息处理器:MultiChatClientHandler

该处理器负责接收并打印服务器端的消息。javaimport io.netty.channel.ChannelHandlerContext;import io.netty.channel.SimpleChannelInboundHandler;

public class MultiChatClientHandler extends SimpleChannelInboundHandler { @Override protected void channelRead0(ChannelHandlerContext ctx, String msg) throws Exception { System.out.println(msg); }

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

总结

本文详细介绍了如何使用 Netty 构建一个简单的多人聊天室。通过学习服务器和客户端的代码实现,以及消息处理器的逻辑,你可以进一步扩展功能,例如添加用户认证、群组聊天、文件传输等,打造功能丰富的实时聊天应用。

基于 Netty 的多人聊天室:实现高效实时消息传递

原文地址: https://www.cveoy.top/t/topic/f1fH 著作权归作者所有。请勿转载和采集!

免费AI点我,无需注册和登录