A function parameter that can match zero or more arguments from the caller. Scala also supports
vararg parameters, so you can define a function with a variable number of input arguments.
Java
All var args in the methods will be converted in to an Array internally. If we pass an array to var args method, values of array will be considered as a var args instead of the array input.Java Example
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
public static int sum(Integer...args) { | |
if (args.length == 0) { | |
return 0; | |
} | |
Integer b1[] = Arrays.copyOfRange(args, 1, args.length); | |
return args[0] + sum(b1); | |
} |
Scala
All var args in the Scala method are converted into a seq internally. If we pass a seq to var args method this is passed as one of the var arg instead of passing its values as a var args. This behavior differs from Java in the Scala. To pass var args in any method in the Scala we need to use a special way variableName: : _*
Scala Example
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// Scala Non Working Code | |
def sum(args: Int*) : Int = if (args.length == 0) 0 else args.head + sum(args.tail) | |
// Scala Working Example 1 | |
def sum(args: Int*) : Int = if (args.length == 0) 0 else args.head + sum(args.tail : _*) | |
// Scala Working Example 2 | |
sum(1 to 5 : _*) |
Post a Comment
Post a Comment