此代码片段在 Clojure 1.4 中是最新的。函数将任务提交回调用它的代理是否符合习惯?是的。
这是一个使用类似方法递归计算阶乘的示例:
(defn fac [n limit total]
(if (< n limit)
(let [next-n (inc n)]
(send-off *agent* fac limit (* total next-n))
next-n)
total))
(def a (agent 1))
(await (send-off a fac 5 1))
; => nil
@a
;=> 120
更新
上面是一个人为的例子,实际上不是一个好的例子,因为在各种递归send-off
调用和后面的await
. 可能有一些send-off
呼叫尚未添加到代理的任务队列中。
我将上面的内容重写如下:
(defn factorial-using-agent-recursive [x]
(let [a (agent 1)]
(letfn [(calc [n limit total]
(if (< n limit)
(let [next-n (inc n)]
(send-off *agent* calc limit (* total next-n))
next-n)
total))]
(await (send-off a calc x 1)))
@a))
并观察到以下行为:
user=> (for [x (range 10)] (factorial-using-agent-recursive 5))
(2 4 3 120 2 120 120 120 120 2)
user=> (for [x (range 10)] (factorial-using-agent-recursive 5))
(2 2 2 3 2 2 3 2 120 2)
user=> (for [x (range 10)] (factorial-using-agent-recursive 5))
(120 120 120 120 120 120 120 120 120 120)
故事的寓意是:不要使用代理进行同步计算。将它们用于异步独立任务 - 例如更新显示给用户的动画:)