2

整天都在为此苦苦挣扎。我觉得我离正确的解决方案只有一个注释。

我从 API 获取 JSON,并在 Volley 请求中使用 Gson 将其解析为对象。然后我想使用 ORMLite 将对象存储在 DB 中。

问题是我的 JSON 有其他对象的列表。所以我决定需要 ForeignCollection 。

这是我得到的 JSON 的简化版本:

{
    "b": [
        {"title"="abc","id="24sfs"},
        {"title"="def", "id="532df"}
    ],
    "c": [
        {"description"="abc","id="34325"},
        {"description"="def", "id="34321"}
    ],
    "id"="ejsa"
}

让我们将整个对象称为 A 类。“b”内部的对象是 B,“c”内部的对象是 C 类。

B 和 C 类似。这导致以下类定义:

class A {

    @DatabaseField(index = true, unique = true, id = true)
    private String id;
    @ForeignCollectionField(eager = true)
    public Collection<B> bCollection;
    public  ArrayList<B> b;
    @ForeignCollectionField(eager = true)
    public Collection<C> cCollection;
    public ArrayList<C> c;
}

class B  {
    @DatabaseField(foreign=true)
    public A a;
    @DatabaseField(id = true, index = true, unique = true)
    public String id;
    @DatabaseField
    public String title;
}

我们需要 ArrayList b 和 c 的原因是 gson 可以正确解析它。因此,一旦我在内存中有 A 类,这就是我存储它的方法

private void storeA(A a) {
    if (a.b != null) {
        getHelper().getDao(B.class).callBatchTasks(new Callable<Void>() {
            @Override
            public Void call() throws Exception {
                for (B b : a.b) {
                    b.a = a;
                    try {
                        getHelper().getDao(B.class).createOrUpdate(b);
                    } catch (Exception e) {
                    }
                }
                return null;
            }
        });
    }

    /*
    Here we start running into problems. I need to move the data from the ArrayList to the Collection
    */
    a.bCollection = a.b; // but this seems to work, since bCollection is a Collection
    a.cCollection = a.c;
    getHelper().getDao(A.class).createOrUpdate(a);
}

所以它似乎正确存储,据我所知没有错误。但是当我尝试如下检索时,我无法从 bCollection 中检索任何内容:

private void load() {
    try {
        List<A> as = getHelper().getDao(A.class).queryForEq("id", "ejsa");
        if (as != null && as.size() > 0) {
            A a = as.get(0);
            CloseableWrappedIterable<B> cwi = a.bCollection.getWrappedIterable();

            try {
                for (B b : cwi) {
                    Log.e(b.title);
                }
            } finally {
                cwi.close();
            }
        }
    } catch (Exception e) {
        e.printStackTrace();
    }
}

我究竟做错了什么?我需要为其中一些内容指定 foreignColumnName 吗?我不知道这些东西是否没有正确存储,或者我只是没有正确检索它们?

4

1 回答 1

1

我会尝试删除以下两行:

a.bCollection = a.b;
a.cCollection = a.c;

当您查询AForeignCollection时,ORMLite 应该为您自动填充 A,您不需要自己设置它们。

于 2014-07-08T03:48:02.087 回答