4

我有一段 Kotlin 代码,其中第一个和第二个构造函数略有不同,见下文

class InstructionPrototype constructor(
      val iname: String,
      val opcode: Int,
      val mnemonicExample: String,
      val numericExample: Int,
      val description: String,
      val format: Format,
      val pattern: Pattern,
      var type: Type? = null,
      var rt: Int? = null,
      var funct: Int? = null,
      var conditions: Array<(n: Int) -> String?>? = null) {
  constructor(
        iname: String,
        opcode: Int,
        mnemonicExample: String,
        numericExample: Int,
        description: String,
        format: Format,
        pattern: Pattern,
        type: Type?,
        rt: Int?,
        funct: Int?,
        condition: (n: Int) -> String?
  ): this(iname, opcode, mnemonicExample, numericExample, description, 
        format, pattern, type, rt, funct, arrayOf(condition)) {

  }

是否可以通过某种语言结构来减少这种冗长?我在考虑代数数据类型,但感觉不太合适——它被认为是“hacky”。

4

1 回答 1

3

可变数量的参数( vararg)似乎非常适合您的用例,但前提是您可以放弃null作为conditionssincevararg不能为空的默认值(例如 useemptyArray()):

class InstructionPrototype constructor(
      val iname: String,
      val opcode: Int,
      val mnemonicExample: String,
      val numericExample: Int,
      val description: String,
      val format: Format,
      val pattern: Pattern,
      var type: Type? = null,
      var rt: Int? = null,
      var funct: Int? = null,
      vararg var conditions: (n: Int) -> String? = emptyArray())

在使用现场,你可以传递 single (n: Int) -> String?,它会被打包成一个数组,除了传递几个以逗号分隔的函数外,你还可以使用扩展运算符来传递一个数组:

f(vararg a: String) { }

f("a")
f("a", "b", "c")

val array = arrayOf("a", "b", "c")
f(*array) // any array of the correct type can be passed as vararg

此外,之前的几个参数也有默认值,除了使用命名参数和扩展运算符之外conditions,没有其他方法可以跳过它们并传递:conditions

fun f(x: Int = 5, vararg s: String) { }

f(5, "a", "b", "c") // correct
f(s = "a") // correct
f(s = "a", "b", "c") // error
f(s = *arrayOf("a", "b", "c") // correct
于 2016-10-29T16:47:49.147 回答