javajava-7self-executing-function

Self-executing Java methods


In JavaScript, it is possible to write a self-executing function like this:

(function foo() {
    console.log("bar");
}());

I'm looking to do this in Java. So for example:

// This code does not work obviously
public static void main(String[] args) {
    (foo() {
        System.out.println("bar");
    }());
}

Is there such a thing?


Solution

  • That javascript isn't really creating a "self-executing" function. It's defining a function, and then immediately executing it.

    Java doesn't let you define standalone functions, so you can't do this in Java. You can however declare an anonymous class and immediately execute one of its methods:

    new Runnable() {
      @Override
      public void run() {
        System.out.println("hello");
      }
    }.run();
    

    This is sometimes done with new threads. Something like:

    new Thread(new Runnable() {
        // override Runnable.run
    }).start();
    

    (Though in a lot of cases, you'll want to do better thread management -- submit the runnable to an executor service, for instance.)