使用elisp实现流

时间:2015-03-11 05:58:31

标签: emacs elisp sicp

我正在阅读SICP一书的第3.5节,我正试图实施 使用Elisp的流。本书使用Scheme语言实现了如下流程:

流的核心结构是一对,其car是序列的当前值,其cdr是评估下一个项目的承诺,这是通过以下结构实现的:< / p>

(define (cons-stream a b) (cons a (delay b)))

(delay b)等同于(lambda () b)

当评估此对的cdr时,它会强制评估流的延迟元素,以便我们可以获得下一个元素,实现如下:

(define (stream-cdr stream) (force (cdr stream)))

(force delayed-object)只是执行(delayed-object)

通过这种构造,我们现在可以轻松地使用流透明地构建递归过程,就好像它们是地图中的常规列表一样:

(define (stream-map proc stream)
    (if (stream-null? stream)
        the-empty-stream
      (cons-stream (proc (stream-car s))
                   (stream-map p (stream-cdr s)))))

我尝试使用Elisp编写类似的流实现,但我还没有找到实现delay的方法,因此它允许我以类似于方式编写递归过程Scheme,目前我的解决方法是将延迟作为lambda表达式放在递归过程中,如下所示:

(defun stream-map (proc stream)
  (lexical-let ((p proc)
                (s stream))
    (if (stream-null? stream)
        the-empty-stream
      (cons-stream (funcall p (stream-car s))
                   (lambda ()
                     (stream-map p (stream-cdr s)))))))

这显然不像Scheme实现那么好。

这些是我创建流的核心功能的Elisp版本:

(defun cons-stream (a b) (cons a b))
(defun stream-cdr (stream) (sicp-force (cdr stream)))
(defun sicp-force (exp) (funcall exp))

如何编写delay和其他流函数,以便我不必将lambda置于递归过程中?

1 个答案:

答案 0 :(得分:2)

感谢@ Gerstmann的建议,我能够写出我正在寻找的建筑。新的实现现在看起来像:

(setq the-empty-stream nil)
(defun stream-null? (s) (eq s the-empty-stream))
(defun my/sicp-delay (exp) `(lambda () ,exp))
(defun my/sicp-force (exp) (funcall exp))

(defmacro my/cons-stream (a b) (list 'cons a (my/sicp-delay b)))
(defun my/stream-car (stream) (car stream))
(defun my/stream-cdr (stream) (my/sicp-force (cdr stream)))

现在我可以编写与Scheme实现一样干净的程序:

(defun my/stream-enumerate-interval (low high)
  (lexical-let ((l low)
                (h high))
    (if (> l h)
        the-empty-stream
      (my/cons-stream low
                      (my/stream-enumerate-interval (1+ l) h)))))

; this returns 12
(my/stream-car (my/stream-cdr (my/stream-cdr (my/stream-enumerate-interval 10 20))))