Scala可变参数列表,命名参数和参数缺省详解
程序员文章站
2022-04-25 20:21:00
重复参数 scala在定义函数时允许指定最后一个参数可以重复(变长参数),从而允许函数调用者使用变长参数列表来调用该函数,scala中使用“*”来指明该参数为重复参数。例如...
重复参数 scala在定义函数时允许指定最后一个参数可以重复(变长参数),从而允许函数调用者使用变长参数列表来调用该函数,scala中使用“*”来指明该参数为重复参数。例如:
scala> def echo (args: string *) = | for (arg <- args) println(arg) echo: (args: string*)unit scala> echo() scala> echo ("one") one scala> echo ("hello","world") hello world
在函数内部,变长参数的类型,实际为一数组,比如上例的string * 类型实际为 array[string]。 然而,如今你试图直接传入一个数组类型的参数给这个参数,编译器会报错:
scala> val arr= array("what's","up","doc?") arr: array[string] = array(what's, up, doc?) scala> echo (arr) <console>:10: error: type mismatch; found : array[string] required: string echo (arr) ^
为了避免这种情况,你可以通过在变量后面添加 _*来解决,这个符号告诉scala编译器在传递参数时逐个传入数组的每个元素,而不是数组整体。
scala> echo (arr: _*) what's up doc?
命名参数 通常情况下,调用函数时,参数传入和函数定义时参数列表一一对应。
scala> def speed(distance: float, time:float) :float = distance/time speed: (distance: float, time: float)float scala> speed(100,10) res0: float = 10.0
使用命名参数允许你使用任意顺序传入参数,比如下面的调用:
scala> speed( time=10,distance=100) res1: float = 10.0 scala> speed(distance=100,time=10) res2: float = 10.0
缺省参数值 scala在定义函数时,允许指定参数的缺省值,从而允许在调用函数时不指明该参数,此时该参数使用缺省值。缺省参数通常配合命名参数使用,例如:
scala> def printtime(out:java.io.printstream = console.out, divisor:int =1 ) = | out.println("time = " + system.currenttimemillis()/divisor) printtime: (out: java.io.printstream, divisor: int)unit scala> printtime() time = 1383220409463 scala> printtime(divisor=1000) time = 1383220422
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。