2

如何遍历此 JSON 对象中的所有“listPages”?

  {
        "listPages": [
            {
                "title": "Accounts",
                "recordType": "Company",
            },
            {
                "title": "Contacts",
                "recordType": "Person",
            }
        ]
    }

我正在尝试通过以下代码将列表项从 listPages 数组中的每个项目添加到列表中:

    JSONObject JSONConfig = envConfig.getEnvConfig(this);

    try{
        JSONArray listPages = JSONConfig.getJSONArray("listPages");         
        for(int i = 0 ; i < listPages.length() ; i++){
            listItems.add(listPages.getJSONObject(i).getString("title"));
        }
        adapter.notifyDataSetChanged();
    }catch(Exception e){
        e.printStackTrace();
    }

我可以在 logcat 中看到我收到系统错误:下一行出现“java.lang.NullPointerException”。

JSONArray listPages = JSONConfig.getJSONArray("listPages");

我已经尝试从其他问题中阅读和调整内容,但我无法弄清楚。帮助将不胜感激。

这是我的 envConfig.java 类

import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;

import org.json.JSONObject;

import android.content.Context;
import android.util.Log;

public class EnvConfig {

    private String rawJSONString;
    private JSONObject jsonObjRecv;

    public JSONObject getEnvConfig(Context context){
        InputStream inputStream = context.getResources().openRawResource(
                R.raw.envconfigg);
        BufferedReader reader = new BufferedReader(new InputStreamReader(
                inputStream));
        StringBuilder sb = new StringBuilder();

        String line = null;
        try {
            while ((line = reader.readLine()) != null) {
                sb.append(line + "\n");
            }
        } catch (IOException e) {
            e.printStackTrace();
        } finally {
            try {
                inputStream.close();
            } catch (IOException e) {
                e.printStackTrace();
            }
        }
        rawJSONString = sb.toString();
        try {
            JSONObject jsonObjRecv = new JSONObject(rawJSONString);
            Log.i("Test", "<JSONObject>\n" + jsonObjRecv.toString()
                    + "\n</JSONObject>");
        } catch (Exception e) {
            e.printStackTrace();
        }

        return jsonObjRecv;
    }
}
4

2 回答 2

1

这是实例阴影的经典问题。你在你的方法中声明了一个新变量,在 try 块中,与类变量同名。因此,类变量被隐藏,因此永远不会被初始化。当您稍后从该方法返回它时,它的值为空。

public class EnvConfig {

    private String rawJSONString;
    private JSONObject jsonObjRecv; // <-- you declare a class variable here

    // ...

    try {
        JSONObject jsonObjRecv = new JSONObject(rawJSONString); // <-- shadowed here!

除非您试图避免重复重新解析 JSON,否则我建议您完全摆脱类变量。否则,摆脱局部变量。

于 2013-03-06T03:12:29.737 回答
0

这是我用于解析 JSON 数据的代码,我不熟悉您使用的 JSONConfig,但这对我来说非常有效。

JSONObject jsonObject = (JSONObject) new JSONTokener(/*Json String Data*/).nextValue();
JSONArray jsonArray = jsonObject.getJSONArray(/*Name of JSON Array*/);
于 2013-03-06T02:09:08.820 回答