我认为这可能是字节顺序,但看起来却不一样。
我不确定还有什么可能。

Linux上的Java客户端

private static final int CODE = 0;
Socket socket = new Socket("10.10.10.10", 50505);
DataOutputStream output = new DataOutputStream(socket.getOutputStream());
output.writeInt(CODE);


Linux上的C服务器

int sd = createSocket();
int code = -1;
int bytesRead = 0;
int result;

while (bytesRead < sizeof(int))
{
    result = read(sd, &code + bytesRead, sizeof(int) - bytesRead);
    bytesRead += result;
}

int ntolCode = ntohl(code); //test for byte order issue

printf("\n%i\n%i\n%i\n", code, ntolCode, bytesRead);


打印出:

-256
16777215
4


不知道还有什么尝试。



至少对我来说,这种解决方案不是很直观,但是无论如何,还是谢谢您的不赞成!

Java方面

Socket socket = new Socket("10.10.10.10", 50505);
DataOutputStream out = new DataOutputStream(socket.getOutputStream());
int x = 123456;
ByteBuffer buff = ByteBuffer.allocate(4);
byte[] b = buff.order(ByteOrder.LITTLE_ENDIAN).putInt(x).array();
out.write(b);


C面

int sd = createSocket();

char buff[4];
int bytesRead = 0;
int result;
while (bytesRead < 4){
    result = read(sd, buff + bytesRead, sizeof(buff) - bytesRead);
    if (result < 1) {
        return -1;
    }
    bytesRead += result;
}

int answer = (buff[3] << 24 | buff[2] << 16 | buff[1] << 8 | buff[0]);


如果有人有任何东西,我仍然对更简单的解决方案感兴趣,如果可能的话,最好使用BufferedWriter。

最佳答案

问题在这里:

&code + bytesRead


这将以4(code)的步长而不是1递增sizeof code的地址。您需要一个字节数组或某种类型转换。

09-30 14:49