在netty4.0最终版本中删除了Channel.id(),我该如何解决?

时间:2013-07-17 02:29:59

标签: java netty channel

我们更新到netty4.0最终版本,但Channel.id()已被删除。

我们需要主动向客户端发送消息服务器,如何找到合适的Channel?我们不直接处理返回给客户端的完成处理程序,但是需要将该进程转移到另一个服务器然后返回发送给客户端。

在我们使用Channel.id()之前可以完成,但Channel.id()已被删除,有哪些替代解决方案可以做?使用channel.hashcode()可以吗?

2 个答案:

答案 0 :(得分:0)

在Github上提出了一些有关此删除的问题。 Norman表示您可以使用Channel.hashcode()但不保证它是唯一的:

https://github.com/netty/netty/pull/1540

另一个想法是创建一个自定义ChannelGroup,但这带来了它自己的复杂性,这里简要讨论:

https://github.com/netty/netty/issues/1589

答案 1 :(得分:0)

我做了一个简单的计数器:

public class SimpleChannel extends NioSocketChannel {
    protected static final AtomicLong nextId = new AtomicLong(0);

    protected long id = nextId.getAndIncrement();

    public SimpleChannel() {
    }

    public SimpleChannel(SocketChannel socket) {
        super(socket);
    }

    public SimpleChannel(Channel parent, Integer id, SocketChannel socket) {
        super(parent, id, socket);
    }

    public long getId() {
        return id;
    }

}

将自定义类设置为Bootstrap:

EventLoopGroup workerGroup = new NioEventLoopGroup();
Bootstrap clientFactory = new Bootstrap();
clientFactory.group(workerGroup);
clientFactory.channel(SimpleChannel.class);

对于服务器来说有点困难:

public class SimpleServerChannel extends NioServerSocketChannel {
    private static final InternalLogger log = InternalLoggerFactory.getInstance(HttpServerChannel.class);

    @Override
    protected int doReadMessages(List<Object> buf) throws Exception {
        SocketChannel ch = javaChannel().accept();

        try {
            if (ch != null) {
                buf.add(new SimpleChannel(this, ch));
                return 1;
            }
        } catch (Throwable t) {
            log.warn("Failed to create a new channel from an accepted socket.", t);

            try {
                ch.close();
            } catch (Throwable t2) {
                log.warn("Failed to close a socket.", t2);
            }
        }

        return 0;
    }

}

将自定义类设置为ServerBootstrap:

EventLoopGroup bossGroup = new NioEventLoopGroup();
EventLoopGroup workerGroup = new NioEventLoopGroup();
ServerBootstrap b = new ServerBootstrap();
b.group(bossGroup, workerGroup);
b.channel(SimpleServerChannel.class);