2

クライアントがサーバーに文字列を送信し、サーバーが文字列を出力して文字列を返信し、クライアントがサーバーの応答文字列を出力できるようにするコードを書きたいと思います。
マイサーバー

public class Server {

public static void main(String[] args) throws IOException {
    ServerSocket ss = null;
    Socket s = null;
    try {
        ss = new ServerSocket(34000);
        s = ss.accept();
        BufferedReader in = new BufferedReader(new InputStreamReader(
                s.getInputStream()));
        OutputStreamWriter out = new OutputStreamWriter(s.getOutputStream());

        while (true) {
            String string = in.readLine();
            if (string != null) {
                System.out.println("br: " + string);

                if (string.equals("end")) {
                    out.write("to end");
                    out.flush();
                    out.close();
                    System.out.println("end");
                    // break;
                }
            }
        }
    } catch (IOException e) {
        e.printStackTrace();
    } finally {
        s.close();
        ss.close();
    }
}
}

私の顧客:

public class Client {
public static void main(String[] args) {
    Socket socket =null;


    try {
        socket = new Socket("localhost", 34000);
        BufferedReader in =new BufferedReader(new InputStreamReader(socket.getInputStream()));
        OutputStreamWriter out = new OutputStreamWriter(socket.getOutputStream());

        String string = "";
        string = "end";
        out.write(string);
        out.flush();
        while(true){
            String string2 = in.readLine();
            if(string2.equals("to end")){
                System.out.println("yes sir");
                break;
            }
        }


    }  catch (Exception e) {
        e.printStackTrace();
    }finally{
        try {
            System.out.println("closed client");
            socket.close();
        } catch (IOException e) {
            e.printStackTrace();
        }
    }

}
}

何か間違っていますか?クライアントクラスの「while(true) ...」というコードを削除すればOKです。

4

4 に答える 4

4

"\r\n"ストリームに書き込む文字列の最後に追加する必要があります。

例:

クライアント :

    string = "end";
    out.write(string + "\r\n");
    out.flush();

サーバー:

    out.write("to end" + "\r\n");
    out.flush();
    out.close();
    System.out.println("end");
                // break;
于 2013-10-21T08:53:31.773 に答える
0

サーバーの応答が表示されません。あなたは

System.out.println("br: " + string);

しかし、そうではありません

out.write(string);
out.flush();
于 2013-10-21T08:35:03.283 に答える
0

サーバーからの応答の末尾に「\n」を追加します。

outToClient.writeBytes(sb.toString() + "\n"); 
于 2013-10-21T09:05:02.983 に答える