这里的问题很微妙,如果不先了解一下宏,可能很难理解。
宏操作语法的方式与函数操作值的方式相同。事实上,宏只是带有一个钩子的函数,它可以在编译时对它们进行评估。它们传递您在源代码中看到的数据文字,并自上而下进行评估。让我们创建一个具有相同主体的函数和一个宏,这样您就可以看到区别:
(defmacro print-args-m [& args]
(print "Your args:")
(prn args))
(defn print-args-f [& args]
(print "Your args:")
(prn args))
(print-args-m (+ 1 2) (str "hello" " sir!"))
; Your args: ((+ 1 2) (str "hello" " sir!"))
(print-args-f (+ 1 2) (str "hello" " sir!"))
; Your args: (3 "hello sir!")
宏被它们的返回值替换。您可以检查此过程macroexpand
(defmacro defmap [sym & args]
`(def ~sym (hash-map ~@args))) ; I won't explain these crazy symbols here.
; There are plenty of good tutorials around
(macroexpand
'(defmap people
"Steve" {:age 53, :gender :male}
"Agnes" {:age 7, :gender :female}))
; (def people
; (clojure.core/hash-map
; "Steve" {:age 53, :gender :male}
; "Agnes" {:age 7, :gender :female}))
在这一点上,我应该解释一下'
导致下面的表格是quote
d。这意味着编译器将读取表单,但不会执行它或尝试解析符号等。ie'conj
计算为一个符号,而conj
计算为一个函数。(eval 'conj)
等于(eval (quote conj))
等于conj
。
考虑到这一点,要知道你不能将符号解析为命名空间,除非它以某种方式神奇地导入到你的命名空间中。这就是require
函数的作用。它接受符号并找到它们对应的命名空间,使它们在当前命名空间中可用。
让我们看看ns
宏扩展为:
(macroexpand
'(ns sample.core
(:require clojure.set clojure.string)))
; (do
; (clojure.core/in-ns 'sample.core)
; (clojure.core/with-loading-context
; (clojure.core/refer 'clojure.core)
; (clojure.core/require 'clojure.set 'clojure.string)))
看看它是如何引用符号clojure.set
并clojure.string
为我们提供的?多么方便!但是,当您使用require
而不是时,有什么关系:require
?
(macroexpand
'(ns sample.core
(require clojure.set clojure.string)))
; (do
; (clojure.core/in-ns 'sample.core)
; (clojure.core/with-loading-context
; (clojure.core/refer 'clojure.core)
; (clojure.core/require 'clojure.set 'clojure.string)))
看起来写ns
宏的人很好,可以让我们两种方式都做,因为这个结果和以前完全一样。尼托!
编辑: tvachon 仅使用它是正确的,:require
因为它是唯一官方支持的形式
但是括号有什么用呢?
(macroexpand
'(ns sample.core
(:require [clojure.set]
[clojure.string])))
; (do
; (clojure.core/in-ns 'sample.core)
; (clojure.core/with-loading-context
; (clojure.core/refer 'clojure.core)
; (clojure.core/require '[clojure.set] '[clojure.string])))
结果他们也被引用了,就像我们在编写独立调用时所做的那样require
。
事实证明,ns
它并不关心我们是否给它列表(parens)或向量(括号)来使用它。它只是将参数视为事物的序列。例如,这有效:
(ns sample.core
[:gen-class]
[:require [clojure.set]
[clojure.string]])
require
,正如 amalloy 在评论中指出的那样,向量和列表具有不同的语义,所以不要混淆它们!
最后,为什么以下工作不起作用?
(ns sample.core
(:require 'clojure.string 'clojure.test))
好吧,既然ns
我们为我们引用了这些符号,那么这些符号被引用了两次,这在语义上与只被引用一次不同,也是纯粹的疯狂。
conj ; => #<core$conj clojure.core$conj@d62a05c>
'conj ; => conj
''conj ; => (quote conj)
'''conj ; => (quote (quote conj))
我希望这会有所帮助,我绝对建议学习如何编写宏。他们超级有趣。