理解 Scheme 中的表达式

Understanding expressions in Scheme

我正在使用在线教科书来学习 Scheme 编程语言。我无法理解教科书中练习的解决方案(练习 2.3.1。在 this page)。练习如下:

Utopia's tax accountants always use programs that compute income taxes even though the tax rate is a solid, never-changing 15%. Define the program tax, which determines the tax on the gross pay.

Also define netpay. The program determines the net pay of an employee from the number of hours worked. Assume an hourly rate of .

在求助于教科书中提供的解决方案(找到here)之前,我进行了多次尝试来完成它。解决方法如下:

;; computes the tax    
(define (tax w)
  (* 0.15 w))

;; computes the net pay        
(define (netpay h)
  (- (wage h)
     (tax (wage h))))    

;; computes the wage for a given number of hours    
(define (wage h)
  (* h 12))    

;; EXAMPLES TURNED INTO TESTS
(tax 100) ;; should be 15
(wage 2) ;; should be 24
(netpay 40) ;; should be 408

这是让我感到困惑的代码部分:

(define (netpay h)
  (- (wage h)
     (tax (wage h))))  

我不明白为什么这个表达式有效。我期待在 (wage h) 中的 wage 之前以及 (tax (wage h)) 中的 taxwage 之前看到一个数学运算符。在这个练习之前,教科书没有提到这个异常。之前的所有示例看起来都像 (* num1 num2)。有人可以消除我的困惑吗?谢谢。

确实,在这些表达式中使用的数学运算符,减法。 netpay 函数也可以这样写:

(define (netpay h)
  (- (wage h) (tax (wage h))))

是不是更清楚了?在Scheme中,whitespace是insignificant,也就是说多个space相当于单个space,换行相当于space秒。基本上,白色space的数量并不重要;它只是用作通用分隔符。

在您习惯之前,Scheme 的前缀表示法有时会让人感到困惑。但是,基本思想是所有表达式都具有以下形式:

(f x ...)

这个相当于函数的应用,也叫"calling a function"。在类 C 语言中,语法可能如下所示:

f(x, ...)

数学运算符只是常规函数,因此它们具有相同的语法。所以,(+ 1 2) 是 3,(* (+ 1 2) 3) 是 9(看看它们如何嵌套)。

那么,这个表达式有什么作用呢?

(- (wage h) (tax (wage h)))

它从(wage h)中减去(tax (wage h))。在类似 C 的语法中,整个表达式看起来像这样,而不是:

wage(h) - tax(wage(h))