Clojure - watcher

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

Clojure 中为watcher提供了以下函数。

add-watch

向 agent/atom/var/ref 引用添加 watch 函数。watch 'fn' 必须是 4 个参数的 'fn':key,reference,old-state,new-state。每当引用的状态可能发生更改时,任何已注册的监视都会调用其函数。

语法

语法如下。

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

参数 − "变量"是原子或引用变量的名称。 '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' 是定义 watch 函数时给 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)
   (remove-watch x :watcher)
(reset! x 4))
(Example)

输出

上面的程序产生以下输出。

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

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