4

我觉得我在这里做错了什么,但我不太确定我是否错过了一个步骤,或者只是遇到了编码问题或其他什么。这是我的代码:

URL url = new URL("http://api.stackoverflow.com/0.8/questions/2886661");

   BufferedReader in = new BufferedReader(new InputStreamReader(url.openStream()));
   // Question q = new Gson().fromJson(in, Question.class);
   String line;
   StringBuffer content = new StringBuffer();
   while ((line = in.readLine()) != null)
   {
    content.append(line);
   }

当我打印内容时,我会得到一大堆翅膀和特殊字符,基本上都是乱码。我会在这里复制并过去,但这不起作用。我究竟做错了什么?

4

3 回答 3

5

在这种情况下,这不是字符编码问题,而是内容编码问题;您期待文本,但服务器正在使用压缩来节省带宽。如果您在获取该 url 时查看标题,您可以看到您正在连接的服务器正在返回 gzip 压缩的内容:

GET /0.8/questions/2886661 HTTP/1.1
Host: api.stackoverflow.com

HTTP/1.1 200 OK
Server: nginx
Date: Sat, 22 May 2010 15:51:34 GMT
Content-Type: application/json; charset=utf-8
<more headers>
Content-Encoding: gzip
<more headers>

因此,您要么需要像 stevedbrown 建议的那样使用 Apache 的 HttpClient 之类的更智能的客户端(尽管您需要进行调整才能让它自动说出 Gzip),或者显式解压缩您在示例代码中获得的流。试试这个,而不是你声明输入的那一行:

 BufferedReader in = new BufferedReader(new InputStreamReader(new GZIPInputStream(url.openStream())));

我已经验证这适用于您要获取的网址。

于 2010-05-22T15:54:08.397 回答
1

改用Apache Http 客户端,它将正确处理字符转换。从该站点的示例中

public final static void main(String[] args) throws Exception {

    HttpClient httpclient = new DefaultHttpClient();

    HttpGet httpget = 
        new HttpGet("http://api.stackoverflow.com/0.8/questions/2886661"); 

    System.out.println("executing request " + httpget.getURI());

    // Create a response handler
    ResponseHandler<String> responseHandler = new BasicResponseHandler();
    String responseBody = httpclient.execute(httpget, responseHandler);
    System.out.println(responseBody);

    System.out.println("----------------------------------------");

    // When HttpClient instance is no longer needed, 
    // shut down the connection manager to ensure
    // immediate deallocation of all system resources
    httpclient.getConnectionManager().shutdown();        
}

在这种情况下,请参阅http://svn.apache.org/repos/asf/httpcomponents/httpclient/branches/4.0.x/httpclient/src/examples/org/apache/http/examples/client/ClientGZipContentCompression.java,其中展示了如何处理 Gzip 内容。

于 2010-05-22T15:39:06.867 回答
1

有时 API 调用响应会被压缩,例如。堆栈交换 API。请浏览他们的文档并检查他们正在使用的压缩。有些使用 GZIP 或 DEFLATE 压缩。如果是 GZIP 压缩,请使用以下内容。

InputStream is = new URL(url).openStream();
BufferedReader in = new BufferedReader(new InputStreamReader(new GZIPInputStream(is)));
于 2014-09-23T11:09:33.520 回答