📜  Clojure-观察者

📅  最后修改于: 2020-11-05 04:06:32             🧑  作者: Mango


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

Clojure for Watchers中提供以下功能。

添加手表

将监视函数添加到代理/ atom / var / ref参考。手表‘fn’必须是4个参数的’fn’:键,引用,旧状态,新状态。只要参考的状态可能已更改,任何已注册的手表都会调用其功能。

句法

以下是语法。

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

参数-“变量”是原子或参考变量的名称。 “变量类型”是原子或参考变量的类型。 “旧状态和新状态”是将自动保存变量的新旧值的参数。每个参考的“键”必须唯一,并且可用于通过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 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

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