我有一个实用工具类TestCracker。它有一个testInput
方法,它接受文本,使用该文本作为参数向转换服务发送请求,并返回响应JSON字符串:
public class TestCracker {
private String ACCESS_TOKEN = "XXXXXXXXXX";
public static void main(String[] args) {
System.out.println(new TestCracker().testInput("Lärm"));
}
public String testInput(String text) {
String translateLink = "https://translate.yandex.net/api/v1.5/tr.json/translate" +
"?key=" + ACCESS_TOKEN + "&text=" + text +
"&lang=de-en" + "&format=plain" + "&options=1";
try {
URL translateURL = new URL(translateLink);
HttpURLConnection connection = (HttpURLConnection) translateURL.openConnection();
setupGETConnection(connection);
connection.connect();
InputStream input = connection.getInputStream();
String inputString = new Scanner(input, "UTF-8").useDelimiter("\\Z").next();
JSONObject jsonObject = new JSONObject(inputString);
return text + "; " + inputString;
}
catch (Exception e) {
System.out.println("Couldn't connect " + e);
return "None";
}
}
private void setupGETConnection(HttpURLConnection connection) throws Exception {
connection.setRequestMethod("GET");
connection.setDoOutput(true);
connection.setInstanceFollowRedirects(false);
}
}
在方法main
我尝试显示字符串Lärm
的响应JSON。它工作正常:
Lärm; {"code":200,"detected":{"lang":"de"},"lang":"de-en","text":["Noise"]}
但是,当我尝试使用Servlet和浏览器运行并显示相同的内容时,而不仅仅是IDE:
public class TestServlet extends HttpServlet {
public void doPost(HttpServletRequest request, HttpServletResponse response)
throws IOException, ServletException {
String resultPath;
request.setCharacterEncoding("UTF-8");
response.getWriter().print(request.getParameter("input-text2"));
response.getWriter().println(new TestCracker().testInput(request.getParameter("input-text2")));
}
}
运行时,TestServlet
输出:
LärmLärm; {"code":200,"detected":{"lang":"en"},"lang":"de-en","text":["L?rm"]}
可以看出,Lärm
这个词从一个形式得到了很好 - 响应中的第一个单词正确显示(第一个单词),testInput
也得到了正确的单词(第二个单词),但翻译服务的响应是错误(;
之后的部分):服务无法翻译并返回初始单词的损坏版本:L?rm
。
我不明白为什么会这样。如果正确的单词传递给方法,那么错误发生在哪里?如果在IDE中运行的方法返回正确的转换('Noise')?
如果您使用的是Tomcat,则必须正确设置URIEncoding
。如果参数在URL(GET)上。这必须在server.xml中完成,其中定义了连接器。
<Server port="8005" shutdown="SHUTDOWN">
<Service name="Catalina">
<Connector URIEncoding="UTF-8" port="8080"/>
<Engine defaultHost="localhost" name="Catalina">
<Host appBase="webapps" name="localhost"/>
</Engine>
</Service>
</Server>
或者,如果您不想玩服务器设置,请阅读编码支持。
喜欢
response.getWriter()
.println(new TestCracker()
.testInput(
new String(request.getParameter("input-text2").getBytes(),"UTF-8"))
);
response.getWriter().print()
具有默认的utf-8
打印功能,因此您可以看到具有正确字符的输出。
第一种方法更好,因为它将解决整个应用程序的问题。