Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

legal main method signature in java

class NewClass{
public static void main(String a){
    System.out.print("Hello");
}
}

When I'm trying to execute above code, then it shows an error, main method not found. But when I changed public static void main(String a) to public static void main(String... a) or public static void main(String a[]). Then, it works..!!

So, My question is how many different ways we can write legal main method signature and what this signature public static void main(String... a) means ?

like image 349
Ravi Avatar asked Nov 28 '12 10:11

Ravi


2 Answers

Simply because that's the requirement of Java.

A main method/entry point to a program must be a method declared as public static void main(String[] args). Your method that was declared with a String parameter was similar but not compatible.

An array is not the same as a single String - if someone invoked Java with three command-line parameters, the JVM would create a three-element string array, and then how would it pass this into your method that only takes a single string?

So in that case you were trying to launch a Java program based on a class that did not have an main method to act as an entry point.

(The reason why String... works is because this is syntactic sugar for an array parameter, and compiles down to a method with the same signature.)

like image 195
Andrzej Doyle Avatar answered Nov 15 '22 19:11

Andrzej Doyle


Finally, i found the answer of my question in Sun Certified Programmer for Java 6 book.

First question was, how many different legal ways of using main method?

Legal main method signatures are

public static void main(String a[])
public static void main(String[] a)
public static void main(String... a)

what does (String... a) means ??

To declare a method using a var-args parameter, we need to follow with an ellipsis(...) then use space and then name of the array that will hold the parameter received. So, above term known as Variable Argument and which means 0 to many.

And, rules of using variable argument parameters is, must be the last parameter in the method signature and can have only one var-args in a method.

Eg:

void myfunc(String... a)              //legal
void myfunc(String a...)              //illegal
void myfunc(String a,int... b)         //legal
void myfunc(String... a,int b)        //illegal 
like image 33
Ravi Avatar answered Nov 15 '22 19:11

Ravi