我选择了一个在点击鼠标时在屏幕上打印“Hello World”的基本示例。代码是这样的。
package sample;
import javafx.application.Application;
import javafx.event.ActionEvent;
import javafx.event.EventHandler;
import javafx.scene.Scene;
import javafx.scene.control.Button;
import javafx.scene.layout.StackPane;
import javafx.stage.Stage;
/**
*
* @author gauravp
*/
public class Sample extends Application {
/**
* @param args the command line arguments
*/
Button btn = new Button("ok");
//Label l = new Label("Done");
public static void main(String[] args) {
launch(args);
}
@Override
public void start(Stage primaryStage) {
primaryStage.setTitle("First Stage");
//Created anonymous inner class EventHandler<ActionEvent>
btn.setOnAction(new EventHandler<ActionEvent>() {
@Override
public void handle(ActionEvent event) {
System.out.print("Hello World !!");
}
});
StackPane root = new StackPane();
root.getChildren().add(btn);
primaryStage.setScene(new Scene(root, 300, 250));
primaryStage.show();
}
}
在文档中提到EventHandler是一个接口,但是如何实例化接口......
“new EventHandler&lt; ActionEvent&gt;()”
在很多困惑中....如果您有任何想法请回复..这是链接 对于EventHandler接口: http://docs.oracle.com/javafx/2.0/api/javafx/event/EventHandler.html
答案 0 :(得分:4)
语法
new EventHandler<ActionEvent>() {
@Override // <- notice the annotation, it overrides from the interface.
public void handle(ActionEvent event) {
System.out.print("Hello World !!");
}
}
创建一个实现EventHandler的“匿名内部类”,并定义handle方法。如果检查编译项目时生成的类,您可能会找到一个名为Sample $ 1(或类似)的类文件,它是为此代码生成的类。
您可以在此处阅读内部(匿名)课程:http://docs.oracle.com/javase/tutorial/java/javaOO/innerclasses.html
回答你的问题:EventHandler是一个接口,这个代码实际上并没有创建它的实例,而是新声明的匿名类的实例。
答案 1 :(得分:1)