方案,SICP,R5RS,为什么延迟不是特殊形式?

发布于 2024-10-31 13:10:17 字数 378 浏览 7 评论 0原文

这是关于 SICP 的第 3.5 章,其中正在讨论流。这个想法是:

(cons-stream 1 (display 'hey))

不应该评估 cons-stream 的第二部分,因此它不应该打印“hey”。这确实发生了,我得到以下输出:

hey(1 . #)

所以我的结论是延迟不是作为特殊形式实现的?或者我做错了什么?我使用以下实现:

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

延迟是默认的 R5RS 实现。这是实施过程中的错误,还是我没有正确执行或理解它?

This is concerning chapter 3.5 from SICP, in which streams are being discussed. The idea is that:

(cons-stream 1 (display 'hey))

Should not evaluate the second part of the cons-stream, so it should not print “hey”. This does happen, I get the following output:

hey(1 . #< promise >)

So my conclusion is that delay is not implemented as a special form? Or am I doing something wrong? I use the following implementation:

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

With delay being the default R5RS implementation. Is this a fault in the implementation, or am I not doing or understanding it right?

如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。

扫码二维码加入Web技术交流群

发布评论

需要 登录 才能够评论, 你可以免费 注册 一个本站的账号。

评论(1

岁吢 2024-11-07 13:10:17

确实创建了一个promise,但是该promise是在您的cons-stream内创建的,这意味着为时已晚并且表达式已经被评估。试试这个:

(define (foo x)
  (display "foo: ") (write x) (newline)
  x)

(cons-stream 1 (foo 2))

你会发现它评估得太早了。出于同样的原因,

(define ones (cons-stream 1 ones))

当您的 cons-stream 是一个函数时, this: 和任何其他无限列表都将不起作用。所以问题是 delay 是一种特殊形式,但您没有使用它的功能,因为您将 cons-stream 定义为普通函数。如果您想让它也以相同的特殊方式运行,则必须将 cons-stream 定义为宏。例如:

(define-syntax cons-stream
  (syntax-rules ()
    [(cons-stream x y) (cons x (delay y))]))

You do create a promise, but the promise is created inside your cons-stream, which means that it's too late and the expression was already evaluated. Try this:

(define (foo x)
  (display "foo: ") (write x) (newline)
  x)

(cons-stream 1 (foo 2))

and you'll see that it's evaluated too early. For the same reason, this:

(define ones (cons-stream 1 ones))

and any other infinite list won't work when your cons-stream is a function. So the thing is that delay is a special form, but you're not using its feature since you define cons-stream as a plain function. You have to define cons-stream as a macro if you want to make it behave in the same special way too. For example:

(define-syntax cons-stream
  (syntax-rules ()
    [(cons-stream x y) (cons x (delay y))]))
~没有更多了~
我们使用 Cookies 和其他技术来定制您的体验包括您的登录状态等。通过阅读我们的 隐私政策 了解更多相关信息。 单击 接受 或继续使用网站,即表示您同意使用 Cookies 和您的相关数据。
原文