0

在构建客户端-服务器聊天程序时,我遇到了一个非常奇怪的问题(因为以前总是这样)。

服务器套接字毫无问题地接受客户端的传入连接,但是当我尝试从套接字的输入流中读取时,整个方法会阻塞并且仅在我关闭客户端的套接字时才释放。

我什至用 docs.oracle.com 上的示例代码尝试过它,但问题仍然存在。

谁能指出我显然没有看到的错误?

服务器代码:

public class Server {

/**
 * @param args the command line arguments
 */
public static void main(String[] args) throws IOException {
    System.out.println("Creating server socket");

    ServerSocket internetSocket = new ServerSocket(60000);
    if(!internetSocket.isClosed()) {

        while(true) {
            Socket s = internetSocket.accept();
            System.out.println("accepted socket!");

            BufferedReader reader = new BufferedReader(new InputStreamReader(s.getInputStream()));

            String line = null;
            while((line = reader.readLine()) != null) {
                System.out.println(line);
            }
        }
    }
}
}

客户端代码:

public class Client {

public static void main(String[] args) throws IOException {
    Socket s = null;
    try {
        s = new Socket("localhost", 60000);
    } catch (UnknownHostException ex) {
        Logger.getLogger(Start2.class.getName()).log(Level.SEVERE, null, ex);
    }

    PrintWriter outStream = new PrintWriter(s.getOutputStream());
    for(int i=0; i<10; i++) {
        outStream.println("test");
        System.out.println("Sending the message \"test\"");

        try {
            Thread.sleep(5000);
        } catch (InterruptedException ex) {
            Logger.getLogger(Start2.class.getName()).log(Level.SEVERE, null, ex);
        }
    }

    s.close();
}
}
4

2 回答 2

2

您在创建 printwriter printwriter时忘记添加 true 作为第二个参数

new PrintWriter(s.getOutputStream(), true);

它会自动冲洗。

于 2013-04-24T20:27:41.830 回答
0

该方法readLine()正在等待 \n 字符出现在流中(该方法阻塞,直到它看到结束行分隔符)。

尝试"test\\n"从客户端发送,看看会发生什么。

并记住flush()客户端的输出流

于 2013-04-24T20:15:48.380 回答