在Kotlin中,当一个类有多个构造函数时,我们如何在另一个构造函数中调用指定的(来自iOS世界,我找不到更好的名称)构造函数。
让我给你举个例子
final class LoadingButton: LinearLayout {
var text:String? = null
constructor(context: Context, text: String) : this(context) {
this.text = text
}
constructor(context: Context) : super(context) {
val t = this.text
this.view {
button(t) { /* ... */}
}
}
}
如果我执行loadingButton("TEST", {})
,那么该字符串不会传播到按钮,因为在{em> convenience 构造函数中的代码之前调用this(context)
(再次抱歉:)。
可以在Kotlin解决吗?像
这样的东西constructor(context: Context, text: String) {
this.text = text
this(context)
}
修改
为了澄清这个想法,因为它被问到,想法就是在活动中写下这样的东西:
onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
verticalLayout {
loadingButton("Some text")
//or
loadingButton() { this.text = "Some text"}
}
这显然没那么有用,但你明白了。 text属性可以在构造时或稍后知道。
这特别没用,因为Kotlin有参数的默认值,但我正在研究语言并遇到了这个问题。
编辑2
另一个澄清是我使用Anko进行布局,因此loadingButton
方法如下所示:
inline fun ViewManager.loadingButton() = loadingButton { }
inline fun ViewManager.loadingButton(init: LoadingButton.() -> Unit) = ankoView({ LoadingButton(it) }, init)
inline fun ViewManager.loadingButton(text: String, init: LoadingButton.() -> Unit) = ankoView({ LoadingButton(it, text) }, init)
答案 0 :(得分:13)
JVM上不能存在对构造函数进行后调用的代码,因为您必须在之前调用super(...)
,而对类本身执行任何操作。可以把它想象成超类包含一个私有字段,你必须先将它初始化才能使用它。
这通常不是问题,因为您可以反过来调用构造函数:
constructor(context: Context, text: String?) : super(context) {
this.text = text
this.view {
button(text) { /* ... */}
}
}
constructor(context: Context) : this(context, null)
constructor(context: Context, text: String) : this(context, text)
上面的代码与默认参数大致相同:
constructor(context: Context, text: String? = null) : super(context) {
this.text = text
this.view {
button(text) { /* ... */}
}
}
要使此代码惯用(并简明扼要),请使用主构造函数:
class LoadingButton(context: Context, val text: String? = null): LinearLayout(context) {
init {
this.view {
button(text) { /* ... */}
}
}
}
术语如下:指定 - 主要,便利 - 次要
有关详细信息,请参阅Classes and Inheritance - Kotlin Programming Language。