我用java从头开始开发了一个websocket服务器。javascript客户端正在浏览器中运行:
function connectToServer() {
connection = new WebSocket("ws://" + document.domain + ":8351");
connection.onopen = function () {
};
connection.onmessage = function (e) {
handleServerResponse(e.data);
};
}
在消息(json)达到65535字节之前,一切都很好。然后套接字被关闭(我还没有弄清楚,如果客户端或服务器关闭了连接
在浏览器控制台(尝试了几种浏览器)中,我看到:加载页面时,与ws://localhost:8351/的连接中断。
在服务器端,我看到:java.net.SocketException:连接重置在java.net.SocketOutputStream.socketWrite(SocketOutputStream.java:113)
因此,如果问题出现在握手中,或者我在服务器中错误地构建了帧,客户端关闭了连接,或者我编写的字节流不正确,java io关闭了套接字。
我的代码(服务器):
1) 握手(服务器响应)
String _01 = "HTTP/1.1 101 Switching Protocolsrn";
String _02 = "Upgrade: websocketrn";
String _03 = "Connection: Upgradern";
String _04 = "Sec-WebSocket-Accept: " + responseKey + "rn";
String _05 = "Content-Encoding: identityrn";
2) 构建框架(是否应该将大型消息分解为不同的框架?)
public static byte[] buildFrame(String message)
{
int length = message.length();
int rawDataIndex = -1;
if (length <= 125)
rawDataIndex = 2;
else if (length >= 126 && length <= 65535)
rawDataIndex = 4;
else
rawDataIndex = 10;
byte[] frame = new byte[length + rawDataIndex];
frame[0] = (byte)129;
if (rawDataIndex == 2)
frame[1] = (byte)length;
else if (rawDataIndex == 4)
{
frame[1] = (byte)126;
frame[2] = (byte)(( length >> 8 ) & (byte)255);
frame[3] = (byte)(( length ) & (byte)255);
}
else
{
frame[1] = (byte)127;
frame[2] = (byte)(( length >> 56 ) & (byte)255);
frame[3] = (byte)(( length >> 48 ) & (byte)255);
frame[4] = (byte)(( length >> 40 ) & (byte)255);
frame[5] = (byte)(( length >> 32 ) & (byte)255);
frame[6] = (byte)(( length >> 24 ) & (byte)255);
frame[7] = (byte)(( length >> 16 ) & (byte)255);
frame[8] = (byte)(( length >> 8 ) & (byte)255);
frame[9] = (byte)(( length ) & (byte)255);
}
for (int i = 0; i < length; i++)
frame[rawDataIndex + i] = (byte)message.charAt(i);
return frame;
}
3) 将字节写入套接字(我尝试过socket.setSendBufferSize和BufferedOutputStream,没有任何帮助)
socket.getOutputStream().write(byteMessage);
socket.getOutputStream().flush();
有人遇到过同样的问题吗?欢迎任何帮助!
我知道现在回答有点晚了。。。但无论如何,我面临着同样的问题和这个代码:
frame[1] = (byte)127;
frame[2] = (byte)(( length >> 56 ) & (byte)255);
frame[3] = (byte)(( length >> 48 ) & (byte)255);
frame[4] = (byte)(( length >> 40 ) & (byte)255);
frame[5] = (byte)(( length >> 32 ) & (byte)255);
frame[6] = (byte)(( length >> 24 ) & (byte)255);
frame[7] = (byte)(( length >> 16 ) & (byte)255);
frame[8] = (byte)(( length >> 8 ) & (byte)255);
frame[9] = (byte)(( length ) & (byte)255);
工作。这里的问题是,变量"length"是一个32位的int。你正在对8个字节执行比特移位,这样你就可以从内存中获得随机数据。如果您将变量"长度"定义为64位长,那么它就起作用了。
long length = (long)message.length();
对我来说效果很好。
我希望它能帮助那些想要理解的人。
正如我所怀疑的,通过互联网填充的比特移位代码不起作用。
找到以下代码(来源):
frame[1] = (byte)127;
int left = length;
int unit = 256;
for (int i = 9; i > 1; i--)
{
frame[i] = (byte)(left % unit);
left = left / unit;
if (left == 0)
break;
}
它起作用了!虽然我搞不清楚,但有什么不同。