0

我的应用程序将数据发送到 Apache Mina 服务器,该服务器使用以下配置进行侦听..


        IoAcceptor acceptor = new NioSocketAcceptor();
        acceptor.getFilterChain().addLast( "logger", new LoggingFilter() );
        //acceptor.getFilterChain().addLast( "logger1", new TempFilter());
        acceptor.getFilterChain().addLast( "codec", new ProtocolCodecFilter( new TextLineCodecFactory( Charset.forName( "UTF-8" ))));
        acceptor.setHandler( new TimeServerHandler() );
        acceptor.getSessionConfig().setReadBufferSize( 2048 );
        acceptor.getSessionConfig().setIdleTime( IdleStatus.BOTH_IDLE, 10 );
        acceptor.bind( new InetSocketAddress(PORT) );

这是我用 net.Socket 编写的客户端代码


OutputStream oStrm = socket.getOutputStream();
byte[] byteSendBuffer = (requests[clientNo][j]).getBytes(Charset.forName("UTF-8"));


oStrm.write(byteSendBuffer);
oStrm.flush();

尽管收到了记录器显示消息,但messageRecieved()从未调用过服务器处理程序。请帮助。

4

2 回答 2

1

试试这个:

import java.io.IOException;
import java.net.InetSocketAddress;
import java.nio.ByteBuffer;
import java.nio.CharBuffer;
import java.nio.channels.SocketChannel;
import java.nio.charset.Charset;
import java.nio.charset.CharsetEncoder;

public class JavaNetClient {

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

        Charset charset = Charset.forName("UTF-8");
        CharsetEncoder encoder = charset.newEncoder();

        SocketChannel socketChannel = SocketChannel.open(new InetSocketAddress(
                        "localhost", 1071));
        socketChannel.configureBlocking(false);
        CharBuffer charBuffer = CharBuffer.wrap("Hi\r\n");
        ByteBuffer buf = encoder.encode(charBuffer);
        socketChannel.write(buf);

        socketChannel.close();

    }
}
于 2012-12-05T00:27:56.137 回答
1

您正在使用 TextLineCodecFactory 作为协议编解码器,它希望您的消息以行分隔符结尾。那是 unix 上的 "\n",windows 上的 "\r\n" 可以System.lineSeparator()在 Java 上获得。

当然 TextLineCodecFactory 可用性取决于您的消息内容。如果您的消息在其内容中包含行分隔符,则不能使用 TextLineCodecFactory。在这种情况下,您可能希望实现自己的编解码器工厂,使用特殊字符作为分隔符、固定大小的消息或类型-长度-值结构。

于 2012-12-05T13:50:53.720 回答