主要函数(Bread and butter Functions)
Clojure是函数式编程的语言(Functional Programming),函数式的特征:
1.把函数当成一个普通的值
2.函数可以作为其他函数的返回值
3.避免可变状态,尽量使用Clojure的函数(Map,filter)替代或者使用递归
Map
map函数会把函数的值组合成一个新的集合,
(map inc [10 20 30]) ; ⇒ (11 21 31)
(map str [10 20 30]) ; ⇒ ("10" "20" "30")
;; You can define the function to be used on-the-fly:
(map (fn [x] (str "=" x "=")) [10 20 30])
;; ⇒ ("=10=" "=20=" "=30=")
;; And `map` knows how to apply the function you give it
;; to mulitple collections in a coordinated way:
(map (fn [x y] (str x y)) [:a :b :c] [1 2 3])
;; ⇒ (":a1" ":b2" ":c3")
map只会组成一个最小的集合
(map (fn [x y] (str x y)) [:a :b :c] [1 2 3 4 5 6 7])
;; ⇒ (":a1" ":b2" ":c3")
filter and remove
(filter odd? (range 10))
;; ⇒ (1 3 5 7 9)
(remove odd? (range 10))
;; ⇒ (0 2 4 6 8)
apply
apply功能是分割参数,看例子
(max 1 5 2 8 3)
;; ⇒ 8
(max [1 5 2 8 3]) ;; ERROR
(apply max [1 5 2 8 3])
;; ⇒ 8
也可以这样,
(apply max 4 55 [1 5 2 8 3])
;; ⇒ 55
for
这个不多说了,看例子
(for [i (range 10)] i)
;; ⇒ (0 1 2 3 4 5 6 7 8 9)
(for [i (range 10)] (* i i))
;; ⇒ (0 1 4 9 16 25 36 49 64 81)
(for [i (range 10) :when (odd? i)] [i (str "<" i ">")])
;; ⇒ ([1 "<1>"] [3 "<3>"] [5 "<5>"] [7 "<7>"] [9 "<9>"])
reduce
这是一个相当经典的函数,会逐个进行函数计算,举个例子
+是reduce第一个参数,第二个参数是vector,reduce会+ 1 2 得到结果3,然后再+ 3 3得到6,这样逐个的计算。
(reduce + [1 2 3 4 5])
;; → 1 + 2 [3 4 5]
;; → 3 [3 4 5]
;; → 3 + 3 [4 5]
;; → 6 [4 5]
;; → 6 + 4 [5]
;; → 10 [5]
;; → 10 + 5
;; ⇒ 15
格式是这样
(reduce (fn [x y] ...) [...])
也可以这样,多一个参数
(reduce + 10 [1 2 3 4 5])
;; ⇒ 25
这是另外一种用法,可以指定一个初始参数,并且以这个初始参数作为数据结构,让函数去构建这个数据结构。
(reduce (fn [accum x]
(assoc accum
(keyword x)
(str x \- (rand-int 100))))
{}
["hi" "hello" "bye"])
;; → {}
;; → {:hi "hi-29"}
;; → {:hi "hi-29" :hello "hello-42"}
;; ⇒ {:hi "hi-29" :hello "hello-42" :bye "bye-10"}
网友评论