我很难将列表项目放到房间里。列表项称为测量值,其类型为Measurement。列表项没有与数据库相关的主键。 但如果有必要,我可以为ProductModel添加相同的主键。
这是我到目前为止所拥有的:
@Entity(tableName = TABLE_NAME)
public class ProductModel {
public static final String TABLE_NAME = "product";
@PrimaryKey
private int idProduct;
private int idCategoryDefault;
@Relation(parentColumn = "idProduct", entityColumn = "idProduct", entity = SortedAttribute.class)
private List<SortedAttribute> sortedAttributes = null;
}
@Entity
public class SortedAttribute {
@PrimaryKey
private int idProduct;
private String reference;
@Embedded
private List<Measurement> measurements = null; //****how do i get this into room ? its a LIST of measurements, not a measurement so calling Embedded i think wont work as it cant flatten it****/
}
public class Measurement {
private String value;
private String valueCm;
public Measurement() {
}
}
答案 0 :(得分:22)
Embedded
注释只能用于POJO
或Entity
,不能用于列表。因此,在这种情况下,Room
无法自动展平您的列表
您可以使用TypeConverter将List<Measurement
转换为String
(格式为JSON
),反之亦然。您可以使用任何JSON解析器库来支持它。例如,我使用Gson如下。
public class ProductTypeConverters {
@TypeConverter
public static List<Measurement> stringToMeasurements(String json) {
Gson gson = new Gson();
Type type = new TypeToken<List<Measurement>>() {}.getType();
List<Measurement> measurements = gson.fromJson(json, type);
return measurements;
}
@TypeConverter
public static String measurementsToString(List<Measurement> list) {
Gson gson = new Gson();
Type type = new TypeToken<List<Measurement>>() {}.getType();
String json = gson.toJson(list, type);
return json;
}
}
@Entity
@TypeConverters(ProductTypeConverter.class)
public class SortedAttribute {
@PrimaryKey
private int idProduct;
private String reference;
private List<Measurement> measurements = null;
}
答案 1 :(得分:0)
@Relation就是你要找的。 p>
https://developer.android.com/reference/android/arch/persistence/room/Relation.html
来自会议室文件:
@Entity
public class Pet {
@ PrimaryKey
int petId;
String name;
}
public class UserNameAndAllPets {
public int userId;
public String name;
@Relation(parentColumn = "petId", entityColumn = "userId")
public List<Pet> pets;
}
@Dao
public interface UserPetDao {
@Query("SELECT petId, name from User")
public List<UserNameAndAllPets> loadUserAndPets();
}
注意:经过进一步研究,Room不完全支持INSIDE对象的对象列表。我(和其他人)选择单独处理这些列表。只要房间不在物体内,房间就可以处理对象列表;因此,只要列表中的项目与您的整体对象相关,您就可以恢复列表。
所以,你实际上是@Ignore列表并在你的Dao抽象类中处理它。我找不到我之前发现的SO帖子。