1

これは私が使用しているコードです(私のものではありません)

import java.io.*;
import java.net.*;
import javax.swing.*;
import java.awt.*;
import java.awt.event.*;


public class SimpleChatClient {
JTextArea incoming;
JTextField outgoing;
BufferedReader reader;
PrintWriter writer;
Socket sock;

public void go() {
    JFrame frame = new JFrame("Ludicrously Simple Chat Client");
    JPanel mainPanel = new JPanel();
    incoming = new JTextArea(15, 50);
    incoming.setLineWrap(true);
    incoming.setWrapStyleWord(true);
    incoming.setEditable(false);
    JScrollPane qScroller = new JScrollPane(incoming);
    qScroller.setVerticalScrollBarPolicy(ScrollPaneConstants.VERTICAL_SCROLLBAR_ALWAYS);
    qScroller.setHorizontalScrollBarPolicy(ScrollPaneConstants.HORIZONTAL_SCROLLBAR_ALWAYS);
    outgoing = new JTextField(20);
    JButton sendButton = new JButton("Send");
    sendButton.addActionListener(new SendButtonListener());
    mainPanel.add(qScroller);
    mainPanel.add(outgoing);
    mainPanel.add(sendButton);
    frame.getContentPane().add(BorderLayout.CENTER, mainPanel);
    setUpNetworking();

    Thread readerThread = new Thread(new IncomingReader());
    readerThread.start();

    frame.setSize(650, 500);
    frame.setVisible(true);

}

private void setUpNetworking() {
    try {
        sock = new Socket("127.0.0.1", 5000);
        InputStreamReader streamReader = new InputStreamReader(sock.getInputStream());
        reader = new BufferedReader(streamReader);
        writer = new PrintWriter(sock.getOutputStream());
        System.out.println("networking established");
    }
    catch(IOException ex)
    {
        ex.printStackTrace();
    }
}

public class SendButtonListener implements ActionListener {
    public void actionPerformed(ActionEvent ev) {
        try {
            writer.println(outgoing.getText());
            writer.flush();

        }
        catch (Exception ex) {
            ex.printStackTrace();
        }
        outgoing.setText("");
        outgoing.requestFocus();
    }
}

public static void main(String[] args) {
    new SimpleChatClient().go();
}

class IncomingReader implements Runnable {
    public void run() {
        String message;
        try {
            while ((message = reader.readLine()) != null) {
                System.out.println("client read " + message);
                incoming.append(message + "\n");
            }
        } catch (IOException ex)
        {
            ex.printStackTrace();
        }
    }
}

}

while ((message = reader.readLine()) != null) 私の質問は、受信リーダー クラスにあります。この行 ----が null を返さないのはなぜですか? おそらく、スレッドはこの行をチェックし、反対側にはクライアントへのメッセージがないので、上記の行は null を返すべきではありませんか?

誰かが何が起こっているのか少し説明できますか? 私はソケット接続について知っていますが、着信メッセージの取得で何が起こっているのかを知りたいだけです。

4

1 に答える 1

1

BufferedReader.readLine() などのブロッキング関数を使用しています。これは、何かが読み取られるまでブロックされます。「デバイスをチェックし、何も返されない場合は null を返す」ことはありません。

BufferedReader.available() を使用して受信データがあるかどうかを確認し、結果が > 0 の場合は readLine() を呼び出します。

于 2012-08-13T08:58:53.123 に答える