Clojure - 观察者



观察者是添加到变量类型(如原子和引用变量)的函数,当变量类型的值发生变化时,这些函数会被调用。例如,如果调用程序更改了原子变量的值,并且如果将观察者函数附加到原子变量,则一旦原子值更改,该函数就会被调用。

Clojure 中可用于观察者的函数如下所示。

add-watch

将观察者函数添加到代理/原子/var/ref 引用。观察者‘fn’必须是 4 个参数的 ‘fn’:一个键、引用、其旧状态和其新状态。每当引用的状态可能已更改时,任何已注册的观察者都会调用其函数。

语法

以下是语法。

(add-watch variable :watcher
   (fn [key variable-type old-state new-state]))

参数 - ‘variable’ 是原子或引用变量的名称。‘variable-type’ 是变量的类型,可以是原子或引用变量。‘old-state & new-state’ 是参数,它们将自动保存变量的旧值和新值。‘key’ 对于每个引用必须是唯一的,并且可用于使用 remove-watch 删除观察者。

返回值 - 无。

示例

以下程序显示了如何使用此功能的示例。

(ns clojure.examples.example
   (:gen-class))
(defn Example []
   (def x (atom 0))
   (add-watch x :watcher
      (fn [key atom old-state new-state]
      (println "The value of the atom has been changed")
      (println "old-state" old-state)
      (println "new-state" new-state)))
(reset! x 2))
(Example)

输出

以上程序产生以下输出。

The value of the atom has been changed
old-state 0
new-state 2

remove-watch

删除已附加到引用变量的观察者。

语法

以下是语法。

(remove-watch variable watchname)

参数 - ‘variable’ 是原子或引用变量的名称。‘watchname’ 是定义观察者函数时给观察者指定的名称。

返回值 - 无。

示例

以下程序显示了如何使用此功能的示例。

(ns clojure.examples.example
   (:gen-class))
(defn Example []
   (def x (atom 0))
   (add-watch x :watcher
      (fn [key atom old-state new-state]
         (println "The value of the atom has been changed")
         (println "old-state" old-state)
         (println "new-state" new-state)))
   (reset! x 2)
   (remove-watch x :watcher)
(reset! x 4))
(Example)

输出

以上程序产生以下输出。

The value of the atom has been changed
old-state 0
new-state 2

您可以从上面的程序中清楚地看到,第二个重置命令不会触发观察者,因为它已从观察者列表中删除。

广告