我目前正在使用Kotlin开发一个新的Android应用程序。我尝试使用Room进行数据存储,但我没有让它与Kotlin代表合作。
我创建了一个Identifier
委托,以确保初始化后不会更改id。代表看起来像这样:
class Identifier: ReadWriteProperty<Any?, Long> {
private var currentValue = -1L
override fun getValue(thisRef: Any?, property: KProperty<*>): Long {
if (currentValue == -1L) throw IllegalStateException("${property.name} is not initialized.")
return currentValue
}
override fun setValue(thisRef: Any?, property KProperty<*>, value: Long) {
if (currentValue != -1L) throw IllegalStateException("${property.name} can not be changed.")
currentValue = value
}
}
我的实体类看起来像这样:
@Entity
class Sample {
@delegate:PrimaryKey(autoGenerate = true)
var id by Identifier()
}
当我尝试启动应用时,kapt给了我以下错误消息:
Cannot figure out how to save this field into database. You can consider adding a type converter for it.
private final com.myapp.persistence.delegates.Identifier id$delegate = null;
如果没有为每个代表编写TypeConverter
,我能以某种方式让这个工作吗?
答案 0 :(得分:3)
我的Entity Object和... by lazy
属性也有类似的问题。
例如:
var name: String = "Alice"
val greeting: String by lazy { "Hi $name" }
这里的问题是会议室“无法弄清楚如何将该字段保存到数据库中”。我尝试添加“ @Ignore”,但收到一条短消息:“此注释不适用于目标'具有委托的成员属性'。”
结果是,在这种情况下正确的注释是@delegate:Ignore
。
解决方案:
var name: String = "Alice"
@delegate:Ignore
val greeting: String by lazy { "Hi $name" }
答案 1 :(得分:2)
不幸的是,没有 - Room默认情况下会为实体中定义的每个字段创建一个列,当我们使用delegate
时,我们会生成如下代码:
@PrimaryKey(autoGenerate = true)
@NotNull
private final Identifier id$delegate = new Identifier();
public final long getId() {
return this.id$delegate.getValue(this, $$delegatedProperties[0]);
}
public final void setId(long var1) {
this.id$delegate.setValue(this, $$delegatedProperties[0], var1);
}
这就是Room试图为Identifier id$delegate
创建列的原因。
但是,如果您只想确保在对象初始化后未更改id
,则根本不需要委托,只需将变量标记为final
并将其放在构造函数中,例如:
@Entity
data class Sample(
@PrimaryKey(autoGenerate = true)
val id: Long
)
答案 2 :(得分:0)
我在以下代码中遇到类似的问题:
data class ForecastItem(
val city: String,
val time: Long,
val temp: Int,
val tempMax: Int,
val tempMin: Int,
val icon: String
) {
val formattedTime: String by lazy {
val date = Date(this.time * 1000L)
val dateFormat = SimpleDateFormat("E HH:mm")
dateFormat.timeZone = TimeZone.getTimeZone("GMT+1")
dateFormat.format(date)
}
}
在这种情况下,由于使用formattedTime进行委派,我遇到了相同的错误:
无法弄清楚如何将该字段保存到数据库中。您可以考虑为其添加类型转换器。
就我而言,我最终用一个函数替换了委托。不一样,但是对我有用。我不确定这是否是设计解决方案的最佳方法,但我希望它能对遇到类似问题的所有人有所帮助。
fun getFormattedTime(): String {
val date = Date(this.time * 1000L)
val dateFormat = SimpleDateFormat("E HH:mm")
dateFormat.timeZone = TimeZone.getTimeZone("GMT+1")
return dateFormat.format(date)
}