Clojure - 不可变特性



默认情况下,结构也是不可变的,因此如果我们尝试更改特定键的值,它将不会更改。

示例

以下程序展示了这种情况是如何发生的。

(ns clojure.examples.example
   (:gen-class))
(defn Example []
   (defstruct Employee :EmployeeName :Employeeid)
   (def emp (struct-map Employee :EmployeeName "John" :Employeeid 1))
   (println (:EmployeeName emp))
   
   (assoc emp :EmployeeName "Mark")
   (println (:EmployeeName emp)))
(Example)

在上面的示例中,我们尝试使用“assoc”函数为结构中的员工姓名关联一个新值。

输出

以上程序产生以下输出。

John
John

这清楚地表明该结构是不可变的。更改值的唯一方法是创建一个新的变量,其中包含更改后的值,如下面的程序所示。

示例

(ns clojure.examples.example
   (:gen-class))
(defn Example []
   (defstruct Employee :EmployeeName :Employeeid)
   (def emp (struct-map Employee :EmployeeName "John" :Employeeid 1))
   (def newemp (assoc emp :EmployeeName "Mark"))
   (println newemp))
(Example)

输出

以上程序产生以下输出。

{:EmployeeName Mark, :Employeeid 1}
clojure_structmaps.htm
广告