1

我正在尝试使用 Json 格式和 Gson 库发送一些简单的字符串来测试我的 servlet 和 applet(servlet -> applet,而不是 applet -> servlet)之间的数据传输。小程序中的结果字符串应该与原始消息完全相同,但事实并非如此。我得到的是 9-character < !DOCTYPE字符串。

编辑:看起来servlet返回了HTML网页而不是JSON,不是吗?
edit2:在 NetBeans 中使用“运行文件”命令启动 servlet 时,该消息在浏览器中正确显示。

你能看看我的代码:

小服务程序:

//begin of the servlet code extract
protected void processRequest(HttpServletRequest request, HttpServletResponse response)
        throws ServletException, IOException
{
    PrintWriter out = response.getWriter();
    try
    {
        String action;
        action = request.getParameter("action");
        if ("Transfer".equals(action))
        {
            sendItToApplet(response);
        }
    }
    finally
    {
        out.close();
    }
}

public void sendItToApplet(HttpServletResponse response) throws IOException
{
    String messageToApplet = new String("my message from the servlet to the applet");
    String json = new Gson().toJson(messageToApplet);
    response.setContentType("application/json");
    response.setCharacterEncoding("UTF-8");

    Writer writer = null;
    writer = response.getWriter();
    writer.write(json);
    writer.close();
}
//end of the servlet code extract

小程序:

//begin of the applet code extract
public void getItFromServlet() throws MalformedURLException, IOException, ClassNotFoundException
{
    URL urlServlet = new URL("http://localhost:8080/Srvlt?action=Transfer");
    URLConnection connection = urlServlet.openConnection();
    connection.setDoInput(true);
    connection.setDoOutput(true);
    connection.setUseCaches(false);
    connection.setRequestProperty("Content-Type", "application/json");

    InputStream inputStream = connection.getInputStream();
    BufferedReader br = new BufferedReader(new InputStreamReader(inputStream));
    JsonReader jr = new JsonReader(br);
    String retrievedString = new Gson().fromJson(jr, String.class);
    inputStream.close();
    jtextarea1.setText(retrievedString); //jtextarea is to display the received string from the servlet in the applet
}
//end of the applet code extract
4

1 回答 1

1

问题是您没有从您的 servlet 发送 JSON,正如您从评论中发现的那样。这是因为 ...Gson对您要做什么感到非常困惑。

如果您toJson()在您的 servlet 中测试您的 JSON 序列化(来自 的输出),您会发现……它没有做任何事情,只是返回您的内容并String带有引号。JSON 基于对象的文本表示(类的字段到值),它当然不希望对String对象这样做;默认序列化是获取要放入结果 JSON的内容。String

编辑添加: Gson 的典型用途如下:

class MyClass {
    String message = "This is my message";
}

...

String json = new Gson().toJson(new MyClass());

生成的 JSON 将是:

{"message":"这是我的消息"}

于 2013-01-11T20:55:23.300 回答