web-dev-qa-db-ja.com

Clojureで「ref」の履歴にアクセスする

refのドキュメント は:max-historyオプションを示し、「refは読み取り要求を処理するために必要に応じて履歴を動的に蓄積する」と述べています。 REPLに履歴があることはわかりますが、refの以前の値を見つける方法がわかりません。

user=> (def the-world (ref "hello" :min-history 10))
#'user/the-world
user=> (do
          (dosync (ref-set the-world "better"))
          @the-world)
"better"
user=> (let [exclamator (fn [x] (str x "!"))]
          (dosync
           (alter the-world exclamator)
           (alter the-world exclamator)
           (alter the-world exclamator))
          @the-world)
"better!!!"
user=> (ref-history-count the-world)
2

おそらく、世界には「hello」、「better」、「better !!!」という値があります。その履歴にアクセスするにはどうすればよいですか?

その履歴にアクセスできない場合、後で照会できる値の履歴を保持するデータ型はありますか?それとも、なぜデータベースが作成されたのですか?

9
GlenPeterson

:min-historyと:max-historyはトランザクション中の参照の履歴のみを参照すると思います。

ただし、atomとウォッチャーでこれを行う方法は次のとおりです。

user> (def the-world (ref "hello"))
#'user/the-world
user> (def history-of-the-world (atom [@the-world]))
#'user/history-of-the-world
user> history-of-the-world
#<Atom@6ef167bb: ["hello"]>
user> (add-watch the-world :historian
                 (fn [key world-ref old-state new-state]
                   (if (not= old-state new-state)
                     (swap! history-of-the-world conj new-state))))
#<Ref@47a2101a: "hello">
user> (do
        (dosync (ref-set the-world "better"))
        @the-world)
"better"      
user> (let [exclamator (fn [x] (str x  "!"))]
        (dosync
          (alter the-world exclamator)
          (alter the-world exclamator)
          (alter the-world exclamator))
        @the-world)
"better!!!"
user> @history-of-the-world
["hello" "better" "better!!!"]
7
Jeff Dik