Android中org.json.JSONObject按键取值报JSONException解决方法

应用场景

在各类接口转换时,使用到JSONObject转换bean或取某个key值时。

报异常原因

当key在JSONObject中不存在时,无法取到相应的值,此时JSONObject会抛出JSONException。看源码:

    /**
     * Returns the value mapped by {@code name}.
     *
     * @throws JSONException if no such mapping exists.
     */
    public Object get(String name) throws JSONException {
        Object result = nameValuePairs.get(name);
        if (result == null) {
            throw new JSONException("No value for " + name);
        }
        return result;
    }

当key在nameValuePairs中不存在时,找不到对应的目标值;或目标值为null,此时主动抛出异常。

解决办法

可按需选择:
1、在get()之前先通过has()方法判定对应的key是否存在:

if(jsonObject.has("xx")){
      content.setXx(jsonObject.getString("xx"));
}

has方法的源码:

/**
  * Returns true if this object has a mapping for {@code name}. The mapping
  * may be {@link #NULL}.
  */
public boolean has(String name) {
   return nameValuePairs.containsKey(name);
}

2、选择其他JSON包,如复杂对象的转化可通过第三方包Google的Gson来完成。

普通bean(JSONObject)转化:

Gson gson = new Gson();
StateJson states = gson.fromJson(json, StateJson.class);

集合类bean(JSONArray)转化

Gson gson = new Gson();
List states = gson.fromJson(json, new TypeToken<List>() {}.getType());

你可能感兴趣的:(Android开发)