java中的监听器如何工作?

时间:2018-02-17 19:46:05

标签: java javafx

当我们在JavaFx中向Parent对象添加一个监听器时(例如TextField),我们真正在做什么呢?我们是否正在创建一个观察特定TextField的线程,当某些内容发生变化时,线程的动作会发生?

我感到很困惑,因为每个线程程序都按顺序工作,所以当它们发生变化时如何看待变量 - 我认为必须同时执行某些变量(?)。

1 个答案:

答案 0 :(得分:6)

您的假设不正确:在向属性添加侦听器时不涉及线程。

JavaFX属性基本上是Observer pattern的实现。使用的实现非常复杂,因为这些属性支持“延迟评估”,这意味着可以通知其他对象当前值不再有效,但不会重新计算该值,除非它被请求。

然而,基本思想非常简单:属性只保留一个监听器列表,并在调用set方法时通知它们。以下代码不是库中StringProperty的实现方式,但它可以让您了解发生了什么:

public class ExampleStringProperty {

    private final List<ChangeListener<? super String>> changeListeners
        = new ArrayList<>();

    private String value ;

    public String get() {
        return value ;
    }

    public void set(String value) {
        if (! Objects.equals(value, this.value)) {
            String oldValue = this.value ;
            this.value = value ;
            for (ChangeListener<? super String> listener : changeListeners) {
                listener.changed(this, oldValue, value);
            }
        }
    }

    public void addListener(ChangeListener<? super String> listener) {
        changeListeners.add(listener);
    }

    public void removeListener(ChangeListener<? super String> listener) {
        changeListeners.remove(listener);
    }
}

如您所见,不涉及线程:如果设置了属性,则在同一线程上调用侦听器的changed(...)方法。

这是一个快速测试,使用库中的实际SimpleStringProperty

import javafx.beans.property.SimpleStringProperty;
import javafx.beans.property.StringProperty;

public class StringPropertyTest {

    public static void main(String[] args) {
        StringProperty prop = new SimpleStringProperty();
        prop.addListener((obs, oldValue, newValue) -> {
            System.out.printf("Property changed from %s to %s on thread %s%n", 
                    oldValue, newValue, Thread.currentThread());
        });

        System.out.println("Running on thread "+Thread.currentThread());
        System.out.println("Setting property to \"value\"");
        prop.set("value");

        System.out.println("Setting property to \"new value\" on thread "+Thread.currentThread());
        prop.set("new value");
    }
}

产生输出

Running on thread Thread[main,5,main]
Setting property to "value"
Property changed from null to value on thread Thread[main,5,main]
Setting property to "new value" on thread Thread[main,5,main]
Property changed from value to new value on thread Thread[main,5,main]