Java, 3 dots in parameters
以下方法中的3个点是什么意思?
public void myMethod(String... strings){
// method body
}
It means that zero or more String objects (or an array of them) may be passed as the argument(s) for that method.
See the "Arbitrary Number of Arguments" section here: http://java.sun.com/docs/books/tutorial/java/javaOO/arguments.html#varargs
In your example, you could call it as any of the following:
myMethod(); // Likely useless, but possible
myMethod("one", "two", "three");
myMethod("solo");
myMethod(new String[]{"a", "b", "c"});
Important Note: The argument(s) passed in this way is always an array - even if there's just one. Make sure you treat it that way in the method body.
Important Note 2: The argument that gets the ...
must be the last in the method signature. So, myMethod(int i, String... strings)
is okay, but myMethod(String... strings, int i)
is not okay.
Thanks to Vash for the clarifications in his comment.
That feature is called varargs, and it's a feature introduced in Java 5. It means that function can receive multiple String
arguments:
myMethod("foo", "bar");
myMethod("foo", "bar", "baz");
myMethod(new String[]{"foo", "var", "baz"}); // you can even pass an array
Then, you can use the String
var as an array:
public void myMethod(String... strings){
for(String whatever : strings){
// do what ever you want
}
// the code above is is equivalent to
for( int i = 0; i < strings.length; i++){
// classical for. In this case you use strings[i]
}
}
This answer borrows heavily from kiswa's and Lorenzo's... and also from the Graphain's comment.
This is the Java way to pass varargs (variable number arguments).
If you are familiar with C, this is similar to the ...
syntax used it the printf
function:
int printf(const char * format, ...);
but in a type safe fashion: every argument has to comply with the specified type (in your sample, they should be all String
).
This is a simple sample of how you can use varargs:
class VarargSample {
public static void PrintMultipleStrings(String... strings) {
for( String s : strings ) {
System.out.println(s);
}
}
public static void main(String... args) {
PrintMultipleStrings("Hello", "world");
}
}
The ...
argument is actually an array, so you could pass a String[]
as the parameter.
上一篇: 隐式jsonFormat用于包含可变参数的case类
下一篇: Java,参数中有3个点