房间:相关实体 - 可用的公共构造函数

时间:2017-10-26 13:47:31

标签: android kotlin entities android-room android-architecture-components

要获得与Room的OneToMany关系,我使用@Embedded对象和@Relation变量创建一个POJO。

data class SubjectView(
    @Embedded
    var subject: Subject,

    @Relation(parentColumn = "idWeb", entityColumn = "subject_id", entity = Topic::class)
    var topics: List<Topic>?
)

但是在编译时我有这个错误

 error: Entities and Pojos must have a usable public constructor. You can have an empty constructor or a constructor whose parameters match the fields (by name and type)
[...]
Tried the following constructors but they failed to match:
SubjectView(biz.eventually.atpl.data.db.Subject,java.util.List<biz.eventually.atpl.data.db.Topic>) : [subject : subject, topics : null]

那么,那个构造函数 [subject:subject,topics:null] 看起来好像???

但是,如果我使用no-arg构造函数和all params构造函数更改我的类,它确实有用。

class SubjectView() {
    @Embedded
    var subject: Subject = Subject(-1, -1, "")

    @Relation(parentColumn = "idWeb", entityColumn = "subject_id", entity = Topic::class)
    var topics: List<Topic>? = null

    constructor(subject: Subject, topics: List<Topic>?) : this() {
        this.subject = subject
        this.topics = topics
    }
}

我想知道为什么第一个(更快的)版本不能编译,因为它不像文档所示。

构造函数(数据)类中所有变量的默认args(正如我在其他帖子中看到的那样)似乎不是强制性的吗?

由于

1 个答案:

答案 0 :(得分:4)

数据类如何生成构造函数有几个主题。

由于构造函数中有一个可为空的Object,它将生成所有可能的构造函数。这意味着它会生成

constructor(var subject: Subject)
constructor(var subject: Subject, var topics: List<Topic>) 

有两种方法可以解决这个问题。第一个是预定义所有值,并使用所需的构造函数创建另一个忽略的构造函数。

data class SubjectView(
    @Embedded
    var subject: Subject,

    @Relation(parentColumn = "idWeb", entityColumn = "subject_id", entity = Topic::class)
    var topics: List<Topic> = ArrayList()
) {
 @Ignore constructor(var subject: Subject) : this(subject, ArrayList())
}

另一种方法是创建一个半填充的数据类,如

data class SubjectView(@Embedded var subject: Subject) {
    @Relation var topics: List<Topic> = ArrayList()
}

请注意第一个解决方案是正确的解决方案,您需要将@Ignore设置为任何其他构造函数。