使用java访问JSON属性名称

时间:2013-06-09 18:46:21

标签: java json

我正在研究解析JSON文件并收集其内容以供其他地方使用的方法。我目前有一个工作示例如下:

import java.io.BufferedReader;
import java.io.FileNotFoundException;
import java.io.FileReader;
import java.io.IOException;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;

import org.json.simple.JSONObject;
import org.json.simple.parser.JSONParser;

public class testJSONParser {
    public static void main(String[] args) throws Exception {
        List<Map<String, String>> jsonArray = new ArrayList<Map<String, String>>();

        BufferedReader br = new BufferedReader(new FileReader("json.txt"));

        try {
            String line = br.readLine();

            while (line != null) {
                JSONObject jsonObject = (JSONObject)new JSONParser().parse(line);

                Map<String, String> currentLineMap = new HashMap<String, String>();

                currentLineMap.put("country", jsonObject.get("country").toString());
                currentLineMap.put("size", jsonObject.get("size").toString());
                currentLineMap.put("capital", jsonObject.get("capital").toString());

                jsonArray.add(currentLineMap);

                line = br.readLine();
            }
            } catch (FileNotFoundException fnfe) {
                fnfe.printStackTrace();
            } catch (IOException ioe) {
                ioe.printStackTrace();
            } catch (Exception e) {
                e.printStackTrace();
            } finally {
                br.close();
            };
        }
    }
}

我正在使用 json simple 库来解析传入的JSON字符串。

以下是解析文件中的示例字符串。

{"**country**":"Canada","**size**":"9,564,380","**capital**":"Ottawa"}

我的问题是如何获取此代码,并使put方法能够动态分配给相应的Map。这就是我目前所拥有的:

for (int i = 0; i < jsonObject.size(); i++) {
     currentLineMap.put(jsonObject.???.toString(), jsonObject.get(i).toString());
}

???部分是我难倒的地方。获取当前JSON行的值非常简单。但是如何获取属性值(在JSON字符串示例中以粗体突出显示)使我望而却步。有没有一种方法我可以调用这个我不熟悉的对象?一个不同的,更好的方法来重复这个?或者,我是从起动开始做到这一点吗?

1 个答案:

答案 0 :(得分:5)

在JSON.org参考实现中,您可以这样做:

for (String key : JSONObject.getNames(jsonObject))
{
    map.put(key, jsonObject.get(key));
}

简单地说,您可以这样做:

for (Object keyObject : jsonObject.keySet())
{
    String key = (String)keyObject;
    map.put(key, (String)jsonObject.get(key));
}

这应该可以解决问题。