Skip to content
Advertisement

Terminating a Java Program

I found out ways to terminate (shut-down or stop) my Java programs. I found two solutions for it.

  1. using return;
    When I want to quit or terminate my program execution , I add this.

  2. using System.exit() ;
    Sometimes I used it. I read about System.exit() from this question.

So, I know a little on both them. But I am still confused as to how they actually work. Please check below codes…

public class Testing {

public static void main(String... str) {
    System.out.println(1);
    System.exit(0);
    System.out.println(2);
    return;
 }
}

I am sure that 2 will not appear. I would like to know is why return; or other codes can write below the statement of System.exit(0); and what was real definition for return; (because it is strange thing for me return without any variables or values) ?

Advertisement

Answer

Calling System.exit(0) (or any other value for that matter) causes the Java virtual machine to exit, terminating the current process. The parameter you pass will be the return value that the java process will return to the operating system. You can make this call from anywhere in your program – and the result will always be the same – JVM terminates. As this is simply calling a static method in System class, the compiler does not know what it will do – and hence does not complain about unreachable code.

return statement simply aborts execution of the current method. It literally means return the control to the calling method. If the method is declared as void (as in your example), then you do not need to specify a value, as you’d need to return void. If the method is declared to return a particular type, then you must specify the value to return – and this value must be of the specified type.

return would cause the program to exit only if it’s inside the main method of the main class being execute. If you try to put code after it, the compiler will complain about unreachable code, for example:

public static void main(String... str) {
    System.out.println(1);
    return;
    System.out.println(2);
    System.exit(0);
}

will not compile with most compiler – producing unreachable code error pointing to the second System.out.println call.

User contributions licensed under: CC BY-SA
2 People found this is helpful
Advertisement