我看到了一些关于这个的帖子,但我仍然找不到答案。
这是我的服务器与客户端交互的方式:
public void run () {
try {
//Read client request
InputStream is = server.getInputStream();
byte[] buff = new byte[1024];
int i;
ByteArrayOutputStream bos = new ByteArrayOutputStream();
while ((i = is.read(buff, 0, buff.length)) != -1) {
bos.write(buff, 0, i);
System.out.println(i + " bytes readed ("+bos.size()+")");
}
is.close();
is = null;
//Do something with client request
//write response
OutputStream os = server.getOutputStream();
os.write("server response".getBytes());
os.flush();
os.close();
os = null;
} catch (IOException ioe) {
ioe.printStackTrace();
}
}
这是客户端:
public void run() {
try {
InetAddress serverAddr = null;
serverAddr = InetAddress.getByName("10.0.2.2");
socket = new Socket(serverAddr, 5000);
//Send Request to the server
OutputStream os = socket.getOutputStream();
os.write(jsonRequest.toString().getBytes("UTF-8"));
os.flush();
os.close();
os = null;
//Read Server Response
InputStream is = socket.getInputStream();
byte[] buff = new byte[1024];
int i;
ByteArrayOutputStream bos = new ByteArrayOutputStream();
while ((i = is.read(buff, 0, buff.length)) != -1) {
bos.write(buff, 0, i);
System.out.println(i + " bytes readed ("+bos.size()+")");
}
is.close();
is = null;
//Do something with server response
} catch (UnknownHostException uhe) {
sendCallbackError(uhe);
} catch (IOException ioe) {
sendCallbackError(ioe);
}
}
如您所见,客户端连接并发送请求。服务器读取该请求,然后写入客户端将读取的响应。
此代码的问题OutputStream.close()
在于客户端和InputStream.close()
服务器中。如 Javadocs 中所述,关闭流将关闭Socket
. 结果是当客户端尝试读取服务器响应时,Socket
已经关闭。
我已经设法通过调用Socket.shutdownInput
and来克服这个问题Socket.shutdownOutput
。但是我仍在考虑这是否是正确的做法
请注意,在服务器写入响应或客户端读取响应时关闭流close()
不会产生问题(我猜客户端和服务器之间的关闭是同步的)。
所以我的问题是:
- 使用 Socket 关闭方法是否正确?
- 我可以继续关闭最后一个流吗
close()
(从服务器发送和读取响应时) - 关闭时关闭是否会在缓冲区中保留一些数据并且不会被发送?