Self-executing Java methods

◇◆丶佛笑我妖孽 提交于 2019-12-22 00:55:10

问题


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?


回答1:


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.)




回答2:


As others have said, there's not much reason to do this in Java, since the reasons for doing it in JavaScript aren't problems in Java. But you could do this in Java 8:

((Runnable)(() -> System.out.println("Hello, world"))).run();

which in essence is the same thing @yshavit's answer did in Java 7.



来源:https://stackoverflow.com/questions/24290803/self-executing-java-methods

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!