5

我正在尝试从远程服务器获得响应。这是我的代码:

private static String baseRequestUrl = "http://www.pappico.ru/promo.php?action=";

    @SuppressWarnings("deprecation")
    public String executeRequest(String url) {
        String res = "";
        HttpClient httpClient = new DefaultHttpClient();
        HttpResponse response;      

        try {   
            //url = URLEncoder.encode(url, "UTF-8");
            HttpGet httpGet = new HttpGet(url);

            response = httpClient.execute(httpGet);
            Log.d("MAPOFRUSSIA", response.getStatusLine().toString());

            HttpEntity entity = response.getEntity();

            if (entity != null) {
                InputStream inStream = entity.getContent();
                res = streamToString(inStream);

                inStream.close();
            }
        } catch (Exception e) {
            e.printStackTrace();
        }

        return res; 
    }

    public String registerUser(int userId, String userName) {
        String res = "";
        String request = baseRequestUrl + "RegisterUser&params={\"userId\":" +
                 userId + ",\"userName\":\"" + userName + "\"}";

        res = executeRequest(request);

        return res; 
    }

我得到以下异常HttpGet httpGet = new HttpGet(url)

java.lang.IllegalArgumentException:索引 59 处查询中的非法字符:http: //www.pappico.ru/promo.php ?action=RegisterUser¶ms= {"userId":1,"userName":"Юрий Клинских"}

'{' 字符有什么问题?我已经阅读了一些有关此异常的帖子并找到了解决方案,但是此解决方案会导致另一个异常:如果我取消注释行url = URLEncoder.encode(url, "UTF-8");,它会在response = httpClient.execute(httpGet);出现此类异常的情况下出现:

java.lang.IllegalStateException:目标主机不能为空,或在参数中设置。方案=null,主机=null,路径= http://www.pappico.ru/promo.php?action=RegisterUser¶ms= {"userId":1,"userName":"Юрий+Клинских"}

不知道我该怎么做才能让它工作。任何帮助,将不胜感激:)

4

2 回答 2

7

您必须对 URL 参数进行编码:

String request = baseRequestUrl + "RegisterUser&params=" +    
        java.net.URLEncoder.encode("{\"userId\":" + userId + ",\"userName\":\"" + userName + "\"}", "UTF-8");
于 2013-03-07T01:15:51.273 回答
0

尝试:

public String registerUser(int userId, String userName) {
        String res = "";

        String json = "{\"userId\":" +
                 userId + ",\"userName\":\"" + userName + "\"}";
        String encodedJson = URLEncoder.encode(json, "utf-8");

        String request = baseRequestUrl + "RegisterUser&params=" + encodedJson;

        res = executeRequest(request);
        return res;
    }

(这会将 URL 片段编码为 params=...),而不是整个 URL。您还可以查看上述可能的重复项


奖励:请注意,JSON 通常通过 POST(而不是 GET)传输。您可以使用“Live Headers”之类的程序并手动执行这些步骤(例如注册用户)以查看幕后发生的情况。在这种情况下,您将在实体正文中发送 {..} 信息。这是一种方法 -在 Java 中使用 JSON 的 HTTP POST

此外,另一种编写 JSON 的方法(尤其是当它变得更复杂时)是使用模型类,然后使用 ObjectMapper(例如 Jackson)将其转换为字符串。这很方便,因为您可以避免在字符串中使用像 \" 这样的格式。

下面是一些例子:JSON to Java Objects, best practice for modeling the json stream

于 2013-03-07T01:18:32.247 回答