一整天都在努力。我觉得我只是远离正确解决方案的一个注解。
我从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?我不知道这些东西是否被正确地存储,或者只是无法正确检索它们?
最佳答案
我会尝试删除以下两行:
a.bCollection = a.b;
a.cCollection = a.c;
当查询A时,ORMLite会为您自动神奇地填充A的
ForeignCollection
。您无需自己设置它们。