Explain the continuation example on p.137 of The Little Schemer

后端 未结 7 2021
清歌不尽
清歌不尽 2020-12-08 05:49

The code in question is this:

(define multirember&co
  (lambda (a lat col)
    (cond
     ((null? lat)
      (col (quote ()) (quote ())))
     ((eq? (car         


        
7条回答
  •  温柔的废话
    2020-12-08 06:35

    Let's step through an example; maybe that will help. :-) For simplicity, I'm just going to use list as the collector/continuation, which will just return a list with the arguments to the continuation.

    (multirember&co 'foo '(foo bar) list)
    

    At the start,

    a = 'foo
    lat = '(foo bar)
    col = list
    

    At the first iteration, the (eq? (car lat) a) condition matches, since lat is not empty, and the first element of lat is 'foo. This sets up the next recursion to multirember&co thusly:

    a = 'foo
    lat = '(bar)
    col = (lambda (newlat seen)
            (list newlat (cons 'foo seen))
    

    At the next iteration, the else matches: since lat is not empty, and the first element of lat is 'bar (and not 'foo). Thus, for the next recursion, we then have:

    a = 'foo
    lat = '()
    col = (lambda (newlat seen)
            ((lambda (newlat seen)
               (list newlat (cons 'foo seen)))
             (cons 'bar newlat)
             seen))
    

    For ease of human reading (and avoid confusion), we can rename the parameters (due to lexical scoping), without any change to the program's semantics:

    col = (lambda (newlat1 seen1)
            ((lambda (newlat2 seen2)
               (list newlat2 (cons 'foo seen2)))
             (cons 'bar newlat1)
             seen1))
    

    Finally, the (null? lat) clause matches, since lat is now empty. So we call

    (col '() '())
    

    which expands to:

    ((lambda (newlat1 seen1)
       ((lambda (newlat2 seen2)
          (list newlat2 (cons 'foo seen2)))
        (cons 'bar newlat1)
        seen1))
     '() '())
    

    which (when substituting newlat1 = '() and seen1 = '()) becomes

    ((lambda (newlat2 seen2)
       (list newlat2 (cons 'foo seen2)))
     (cons 'bar '())
     '())
    

    or (evaluating (cons 'bar '()))

    ((lambda (newlat2 seen2)
       (list newlat2 (cons 'foo seen2)))
     '(bar)
     '())
    

    Now, substituting the values newlat2 = '(bar) and seen2 = '(), we get

    (list '(bar) (cons 'foo '()))
    

    or, in other words,

    (list '(bar) '(foo))
    

    to give our final result of

    '((bar) (foo))
    

提交回复
热议问题