1

我正在学习 kotlin DSL,特别是 Teamcity,我看到了一个我还不太了解的初始化模式

Kotlin 游乐场链接

这是代码

package org.arhan.kotlin

fun main() {
    val project = project {
        configuration {
            step {
                name = "step 1"
                command = "hi"
            }
            
            customstep {
                name = "flang"
                anotherCommand = "derp"
                command = "1111"
            }
        }
    }
    println(project.configurations[0].steps[1].command)
}

fun project(block: Project.() -> Unit): Project {
    return Project().apply(block)
}

fun Project.configuration(block: Configuration.() -> Unit): Configuration {
    val configuration = Configuration().apply(block)
    configurations.add(configuration)
    return configuration
}

fun Configuration.step(block: Step.() -> Unit): Step {
    val step = Step().apply(block)
    steps.add(step)
    return step
}

class Project {
    var configurations = mutableListOf<Configuration>()

    fun build(block: Configuration.() -> Unit) = Configuration().apply(block)
}

class Configuration {
    var steps = mutableListOf<Step>()
}
 
open class Step {
     final lateinit var name: String 
     var command: String = ""
}

open class CustomStep(): Step(){
    var anotherCommand: String = ""
    constructor(init: CustomStep.() -> Unit): this(){
        // what does this do?
        init()
    }
}

fun Configuration.customstep(block: CustomStep.() -> Unit): Step {
    // how is this constructor initialized
    val step = CustomStep(block)
    steps.add(step)
    return step
}

具体来说,问题是关于如何CustomStep初始化类。它采用 lambdaCustomStep 作为接收者(这是正确的术语吗?)。

然后我调用init()构造函数,它根据传入的块初始化新创建CustomStep的块。

我不确定初始化是如何工作的。或者更确切地说,这里使用了哪种特定的 Kotlin 语言功能。

如果我改用以下方式编写它,这有什么不同?

open class CustomStep(): Step(){
    var anotherCommand: String = ""
    // no constructor
}

fun Configuration.customstep(block: CustomStep.() -> Unit): Step {
    // use apply vs. passing in the block
    val step = CustomStep().apply(block)
    steps.add(step)
    return step
}

谢谢

4

1 回答 1

1

init()指的是参数init: CustomStep.() -> Unit

constructor(init: CustomStep.() -> Unit): this(){
//  vvvv    ^^^^
    init()
}

您只是在调用您传入的内容, on this。毕竟init需要一个作为接收者。CustomStep与调用 on 的大多数情况一样thisthis可以省略,这就是这里发生的情况。在 的情况下customStep,您通过了block

val step = CustomStep(block)

block这一点来自main

{
    name = "flang"
    anotherCommand = "derp"
    command = "1111"
}

你的替代方案CustomStep().apply(block)也是一样的。调用您声明的辅助构造函数将首先调用无参数的主构造函数,正如您声明的那样: this()并且是必需的。这与CustomStep(). 然后两个版本都调用block.this

于 2021-07-22T12:34:45.963 回答