1

我只是想了解一下 JacksonJson 库。为此,我试图将来自 Places API 的 JSON 数据转换为字符串。

我的密钥是有效的(我在浏览器和另一个应用程序中测试过),但我遇到了错误。这是代码:

protected Void doInBackground(Void... params)
    {
        try
        {
            URL googlePlaces = new URL(
                    "https://maps.googleapis.com/maps/api/place/textsearch/json?query=Cloud&types=food&language=en&sensor=true&location=33.721314,73.053498&radius=10000&key=<Key>");
            URLConnection tc = googlePlaces.openConnection();
            BufferedReader in = new BufferedReader(new InputStreamReader(
                    tc.getInputStream()));

            StringBuffer sb = new StringBuffer();

            while ((line = in.readLine()) != null)
            {
                sb.append(line);
            }

            Log.d("The Line: ", "" + line);
        }
        catch (MalformedURLException e)
        {
            e.printStackTrace();
        }
        catch (IOException e)
        {
            e.printStackTrace();
        }
}

这是 logcat 的输出:

02-14 12:29:07.407: D/libc-netbsd(16792): getaddrinfo: maps.googleapis.com  return error = 0x8 >>
02-14 12:29:07.813: D/libc-netbsd(16792): getaddrinfo: maps.googleapis.com get result from proxy >>
02-14 12:29:08.706: D/libc-netbsd(16792): getaddrinfo: maps.googleapis.com  return error = 0x8 >>

我的清单中有 Internet 权限。我不知道为什么这不起作用,或者这些错误是什么。

4

1 回答 1

4

这不是点击 URL 的正确方法。您将其参数传递给 url 只是为了将字节写入输出流,然后请求 url

   URL googlePlaces = new URL("https://maps.googleapis.com/maps/api/place/textsearch/json?query=Cloud&types=food&language=en&sensor=true&location=33.721314,73.053498&radius=10000&key=<Key>");

这是点击 URL 的正确方法。

  url=new URL("https://maps.googleapis.com/maps/api/place/textsearch/json");

然后将所有参数放到params Map中;

        Map<String, String> params = new HashMap<String, String>();
            params.put("query","Cloud");
            params.put("types", "foods");....like this put all

然后建立身体..

    StringBuilder bodyBuilder = new StringBuilder();
            Iterator<Entry<String, String>> iterator = params.entrySet().iterator();
            // constructs the POST body using the parameters
            while (iterator.hasNext()) {
                Entry<String, String> param = iterator.next();
                bodyBuilder.append(param.getKey()).append('=')
                        .append(param.getValue());
                if (iterator.hasNext()) {
                    bodyBuilder.append('&');
                }
            }
            String body = bodyBuilder.toString();

这里 Body 包含您不能通过 URL 直接请求但您已将其写入 OutputStream 然后发出请求并写入字节的所有参数

               byte[] bytes = body.getBytes();
               OutputStream out = conn.getOutputStream();
               out.write(bytes);
               out.close();
于 2013-02-14T09:43:10.157 回答