1

我在java中的网络有问题。我试图通过套接字从客户端读取消息。我使用 BufferedReader 来阅读消息。

public String read() throws IOException {
    String message = reader.readLine();
    return message;
}

当我使用服务器上的 reader.readline() 方法时,如果客户端终止连接,我实际上预计会出错。但是,它不会抛出异常,而是返回 NULL。

4

2 回答 2

1

@Eray Tuncer 它取决于连接何时关闭,如果它是在开始读取该行之前,那么是的,你应该期待一个异常。但如果它在阅读之间,我认为你会得到“null”,表示流结束。请检查 BufferedReader 中 readLine 的以下实现:

String readLine(boolean ignoreLF) 抛出 IOException { StringBuffer s = null; 整数开始字符;

    synchronized (lock) {
        ensureOpen(); //This method ensures that the stream is open and this is called before start reading

..................... //----如果连接关闭,则现在开始读取操作只会返回一个 null--------- bufferLoop: for (;;) {

            if (nextChar >= nChars)
                fill();
            if (nextChar >= nChars) { /* EOF */
                if (s != null && s.length() > 0)
                    return s.toString();
                else
                    return null;
            }
            boolean eol = false;
            char c = 0;
            int i;

            /* Skip a leftover '\n', if necessary */
            if (omitLF && (cb[nextChar] == '\n'))
                nextChar++;
            skipLF = false;
            omitLF = false;

        charLoop:
            for (i = nextChar; i < nChars; i++) {
                c = cb[i];
                if ((c == '\n') || (c == '\r')) {
                    eol = true;
                    break charLoop;
                }
            }

            startChar = nextChar;
            nextChar = i;

            if (eol) {
                String str;
                if (s == null) {
                    str = new String(cb, startChar, i - startChar);
                } else {
                    s.append(cb, startChar, i - startChar);
                    str = s.toString();
                }
                nextChar++;
                if (c == '\r') {
                    skipLF = true;
                }
                return str;
            }

            if (s == null)
                s = new StringBuffer(defaultExpectedLineLength);
            s.append(cb, startChar, i - startChar);
        }
    }
}

所以底线是您应该在此操作中检查 null 而不是依赖 IOException。我希望它能帮助你解决你的问题。谢谢 !

于 2013-08-09T17:31:58.557 回答
0

您可以像这样手动触发异常:

public String read() throws IOException {
    String message = reader.readLine();
    if (message == null)
        throw new IOException("reader.readLine() returned null");
    return message;
}
于 2013-08-09T15:45:47.847 回答