使用Java通过TCP发送JSON对象
我试图替换在终端中运行的Netcat命令,该命令将重置服务器上的某些数据。netcat命令如下所示:
echo '{"id":1, "method":"object.deleteAll", "params":["subscriber"]} ' | nc x.x.x.x 3994
我一直试图在Java中实现它,因为我希望能够从正在开发的应用程序中调用此命令。我遇到了问题,但命令从未在服务器上执行。
这是我的Java代码:
try { Socket socket = new Socket("x.x.x.x", 3994);
String string = "{\"id\":1,\"method\":\"object.deleteAll\",\"params\":[\"subscriber\"]}";
DataInputStream is = new DataInputStream(socket.getInputStream());
DataOutputStream os = new DataOutputStream(socket.getOutputStream());
os.write(string.getBytes());
os.flush();
BufferedReader in = new BufferedReader(new InputStreamReader(is));
String inputLine;
while ((inputLine = in.readLine()) != null)
System.out.println(inputLine);
is.close();
os.close();
} catch (IOException e) {
e.printStackTrace();
}
代码还挂在应读取的while循环上InputStream
,我不知道为什么。我一直在使用Wireshark捕获数据包,并且输出的数据看起来是相同的:
{"id":1,"method":"object.deleteAll","params":["subscriber"]}
也许其余的包装袋的形状不同,但我真的不明白为什么会这样。也许我以错误的方式将字符串写到OutputStream
?我不知道 :(
编辑:这些是我从运行nc
命令中获得的可能结果,如果OutputStream以正确的方式发送正确的数据,我希望将相同的消息发送给InputStream:
错误的论点:
{"id":1,"error":{"code":-32602,"message":"Invalid entity type: subscribe"}}
好的,成功:
{"id":1,"result":100}
没有要删除的内容:
{"id":1,"result":0}
哇,我真的不知道
我尝试了一些不同的作家,例如“缓冲作家”和“印刷作家”,看来这PrintWriter
就是解决方案。尽管我无法使用PrintWriter.write()
或PrintWriter.print()
方法。我不得不用PrintWriter.println()
。
如果有人能回答为什么其他作者无法工作的原因,并解释他们将如何影响发送到服务器的数据,那么我很乐意接受这作为解决方案。
try { Socket socket = new Socket(InetAddress.getByName("x.x.x.x"), 3994);
String string = "{\"id\":1,\"method\":\"object.deleteAll\",\"params\":[\"subscriber\"]}";
DataInputStream is = new DataInputStream(socket.getInputStream());
DataOutputStream os = new DataOutputStream(socket.getOutputStream());
PrintWriter pw = new PrintWriter(os);
pw.println(string);
pw.flush();
BufferedReader in = new BufferedReader(new InputStreamReader(is));
String inputLine;
while ((inputLine = in.readLine()) != null)
System.out.println(inputLine);
is.close();
os.close();
} catch (IOException e) {
e.printStackTrace();
}
回答:
我认为服务器在消息末尾需要换行符。尝试与一起使用原始代码,write()
并\n
在末尾添加以确认这一点。
以上是 使用Java通过TCP发送JSON对象 的全部内容, 来源链接: utcz.com/qa/426562.html