我正在完成一项家庭作业,我们被要求以我们开发的某种语言(使用Scheme)实施名为“按名称呼叫”的评估策略。
我们获得了example in Scala,但我不明白“按名称呼叫”的工作方式以及“按需拨打电话”有何不同?
答案 0 :(得分:26)
Call-by-need是一个按名称调用的记忆版本(参见wikipedia)。
在按名称调用时,每次使用时都会对进行求值,而在需要调用时,会在第一次使用时对其进行求值,并将值记录为随后不需要重新评估。
答案 1 :(得分:11)
按名称调用是一种参数传递方案,其中参数在使用时进行评估,而不是在调用函数时进行评估。这是伪C中的一个例子:
int i;
char array[3] = { 0, 1, 2 };
i = 0;
f(a[i]);
int f(int j)
{
int k = j; // k = 0
i = 2; // modify global i
k = j; // The argument expression (a[i]) is re-evaluated, giving 2.
}
当使用参数表达式的当前值访问时,参数表达式被延迟计算。
答案 2 :(得分:2)
将此添加到上述答案:
完成SICP section on Streams。它对按名称调用和按需调用提供了很好的解释。它还展示了如何在Scheme中实现它们。顺便说一句,如果您正在寻找一个快速的解决方案,这是一个在Scheme中实现的基本呼叫:
;; Returns a promise to execute a computation. (implements call-by-name)
;; Caches the result (memoization) of the computation on its first evaluation
;; and returns that value on subsequent calls. (implements call-by-need)
(define-syntax delay
(syntax-rules ()
((_ (expr ...))
(let ((proc (lambda () (expr ...)))
(already-evaluated #f)
(result null))
(lambda ()
(if (not already-evaluated)
(begin
(display "computing ...") (newline)
(set! result (proc))
(set! already-evaluated #t)))
result)))))
;; Forces the evaluation of a delayed computation created by 'delay'.
(define (my-force proc) (proc))
示例运行:
> (define lazy (delay (+ 3 4)))
> (force lazy)
computing ... ;; Computes 3 + 4 and memoizes the result.
7
> (my-force lazy)
7 ;; Returns the memoized value.