Emacs Lisp中的foldr,foldl相当于什么?
答案 0 :(得分:26)
如果你
(require 'cl)
然后你可以使用Common Lisp函数reduce
。为:from-end t
传递关键字参数foldr
。
ELISP> (reduce #'list '(1 2 3 4))
(((1 2) 3) 4)
ELISP> (reduce #'list '(1 2 3 4) :from-end t)
(1 (2 (3 4)))
答案 1 :(得分:18)
从Emacs-24.3开始,我们建议使用cl-lib
而不是cl
(计划在不久的将来删除),所以它会是:
(require 'cl-lib)
(cl-reduce #'+ '(1 2 3 4))
从Emacs-25开始,你也可以使用seq
包:
(require 'seq)
(seq-reduce #'+ '(1 2 3 4) 0)
答案 2 :(得分:6)
Common Lisp library提供了大量sequence functions映射,过滤,折叠,搜索甚至排序。默认情况下,CL库随Emacs一起提供,因此您应该坚持使用它。然而,我真的很喜欢dash.el
库,因为它为列表和树操作提供了大量的功能。它还支持anaphoric macros并鼓励函数式编程,这使代码简洁而优雅。
Haskell的折叠符合dash.el
折叠:
foldl
与-reduce-from
foldr
与-reduce-r-from
foldl1
与-reduce
foldr1
与-reduce-r
使用折叠的范围1到10的总和可能在Haskell和dash.el
中看起来像这样:
foldl (+) 0 [1..10] -- Haskell
(-reduce-from '+ 0 (number-sequence 1 10)) ; Elisp
您可能知道,折叠是非常通用的,并且可以通过折叠实现地图和过滤器。例如,要将每个元素递增2,Haskell的currying和section将允许简洁的代码,但在Elisp中,你通常会编写这样的详细的一次性lambdas:
foldr ((:) . (+2)) [] [1..10] -- Haskell
(-reduce-r-from (lambda (x acc) (cons (+ x 2) acc)) '() (number-sequence 1 10)) ; Elisp
猜测dash.el
中是否有必要使用回指宏,它允许通过将lambda的变量暴露为快捷方式(如it
和acc
来实现特殊语法。照应函数以2个破折号开始,而不是1:
(--reduce-r-from (cons (+ it 2) acc) '() (number-sequence 1 10))
dash.el
中有很多类似折叠的函数:
;; Count elements matching a predicate
(-count 'evenp '(1 2 3 4 5)) ; 2
;; Add/multiply elements of a list together
(-sum '(1 2 3 4 5)) ; 15
(-product '(1 2 3 4 5)) ; 120
;; Find the smallest and largest element
(-min '(3 1 -1 2 4)) ; -1
(-max '(-10 0 10 5)) ; 10
;; Find smallest/largest with a custom rule (anaphoric versions)
(--min-by (> (length it) (length other)) '((1 2 3) (4 5) (6))) ; (6)
(--max-by (> (length it) (length other)) '((1 2 3) (4 5) (6))) ; (1 2 3)