将JSON与MongoDB一起使用?

2022-09-02 20:18:35

我的应用程序经常使用JSON对象(org.json.JSONArray和朋友)。将这些内容存储到Mongo DBObjects中以便可以查询的最有效方法是什么?BasicDBObject无法序列化JSONArray - 这两个层次结构之间似乎根本没有互操作性。


答案 1

com.mongodb.util.JSON 有一个将 JSON 字符串解析为 DBObject 的方法。默认的 JSONCallback 将根据输入字符串返回 BasicDBObject 或 BasicDBList。

Object jsonObj = ...; //any of your org.json objects
Object o = com.mongodb.util.JSON.parse(jsonObj.toString());
DBObject dbObj = (DBObject) o;

答案 2

好吧,似乎没有互操作性,所以我自己滚动。忙碌的工作来绕过类型系统:

public class Util {
    public static DBObject encode(JSONArray a) {
        BasicDBList result = new BasicDBList();
        try {
            for (int i = 0; i < a.length(); ++i) {
                Object o = a.get(i);
                if (o instanceof JSONObject) {
                    result.add(encode((JSONObject)o));
                } else if (o instanceof JSONArray) {
                    result.add(encode((JSONArray)o));
                } else {
                    result.add(o);
                }
            }
            return result;
        } catch (JSONException je) {
            return null;
        }
    }

    public static DBObject encode(JSONObject o) {
        BasicDBObject result = new BasicDBObject();
        try {
            Iterator i = o.keys();
            while (i.hasNext()) {
                String k = (String)i.next();
                Object v = o.get(k);
                if (v instanceof JSONArray) {
                    result.put(k, encode((JSONArray)v));
                } else if (v instanceof JSONObject) {
                    result.put(k, encode((JSONObject)v));
                } else {
                    result.put(k, v);
                }
            }
            return result;
        } catch (JSONException je) {
            return null;
        }
    }
}