我有一小段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”。
答案 0 :(得分:3)
Variable number of arguments (vararg
)似乎非常适合您的用例,但前提是您可以放弃null
作为conditions
的默认值,因为vararg
无法为空(例如使用emptyArray()
):
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())
在使用网站上,您可以传递单个(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
之前的几个参数也有默认值,除了使用named arguments和点差运算符之外,没有其他方法可以跳过它们并传递conditions
:< / p>
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