所以我有一个用Java编写的非常简单的服务器:
public class SimpleServer {
public static void main(String[] args) throws Exception {
ServerSocket serverSocket = new ServerSocket(8888);
System.out.println("Server Socket created, waiting for client...");
Socket accept = serverSocket.accept();
InputStreamReader inputStreamReader = new InputStreamReader(accept.getInputStream());
int read;
System.out.println("Client connected, waiting for input");
while ((read = inputStreamReader.read()) != -1) {
System.out.print((char) read);
}
}
}
这是我用来连接它的代码:
public class SimpleClient {
public static void main(String[] args) throws Exception {
Socket socket = new Socket("localhost",8888);
OutputStreamWriter outputStream = new OutputStreamWriter(socket.getOutputStream());
InputStreamReader inputStreamReader;
char[] chars = new char[5];
while (true) {
System.out.println("Say something: ");
inputStreamReader = new InputStreamReader(System.in);
inputStreamReader.read(chars);
int x = 0;
for (int i=0;i<5;i++) {
if(chars[i]!='\u0000') {
x++;
}
}
outputStream.write(chars,0,x);
outputStream.flush();
chars = new char[5];
}
}
}
现在,当我在客户终端输入类似的内容时:
123456789
我将在服务器的终端中看到:
Server Socket created, waiting for client...
Client connected, waiting for input
12345
但是,当我按如下方式更改客户端时:
public class SimpleClient {
public static void main(String[] args) throws Exception {
Socket socket = new Socket("localhost",8888);
OutputStreamWriter outputStream = new OutputStreamWriter(socket.getOutputStream());
InputStreamReader inputStreamReader = new InputStreamReader(System.in);
char[] chars = new char[5];
while (true) {
System.out.println("Say something: ");
inputStreamReader.read(chars);
int x = 0;
for (int i=0;i<5;i++) {
if(chars[i]!='\u0000') {
x++;
}
}
outputStream.write(chars,0,x);
outputStream.flush();
chars = new char[5];
}
}
}
然后对于相同的输入,我会看到:
Server Socket created, waiting for client...
Client connected, waiting for input
123456789
我的问题是, System.out 是一个静态变量,在这种情况下已经打开并连接到终端。为什么创建新的InputStreamReader对象时终端中的信息会丢失?相同的终端传递给对象,不是吗?
答案 0 :(得分:1)
为什么在创建新的InputStreamReader对象时终端中的信息会丢失?
当您在read()
上调用InputStreamReader
时,允许(并且经常会)从流中读取比实际请求更多的数据,并将其余数据存储在缓冲区中,以满足稍后read
来电。我怀疑第一行InputStreamReader
实际上已经读取了整行文本,因此当您为同一个流构建第二 InputStreamReader
时,没有什么可留给它的阅读,你必须输入更多文字才能让它做任何事情。