为什么这个尾递归函数变得更加复杂?

时间:2015-01-28 16:15:02

标签: recursion racket tail-recursion

所以,我正在摆弄一些基本的数学,我想要一个函数来在基数之间进行转换。

我写了这个函数:

(define (convert-base from to n)
  (let f ([n n])
    (if (zero? n)
        n
        (+ (modulo n to) (* from (f (quotient n to)))))))

适用于我所有的个人测试<基数10,并且就我所能想象的功能完全正常的测试>如果我刚添加了对附加数字的支持,则为10。

让我感到困惑的是,当我试图使函数尾递归时,我最终得到了这个混乱(我为SO的好处添加了一些间距,因为我的代码通常不清晰或漂亮):

;e.g. 10 2 10 should output 1010, 10 8 64 should output 100 etc.

(define (convert-base-tail from to n)
  (let f ([n n]
          [acc 0]
          [zeros 0])

    (begin (printf "n is ~a. acc is ~a. zeros are ~a.\n" n acc zeros)

    (cond [(zero? n) (let exp 
                       ([x acc]
                        [shft zeros])
                       (if (zero? shft)
                           x
                           (exp (* x 10) (- shft 1))))]
          [(zero? (modulo n to))
            (if (zero? acc)
                (f (quotient n to) (* acc from) (add1 zeros))
                (f (quotient n to) (* acc from) zeros))]
          [else (f (quotient n to) (+ (* acc from) (modulo n to)) zeros )]))))

我的问题是,基本上,为什么尾递归函数更加复杂?由于问题的性质,这是不可避免的,还是由于我的疏忽?

1 个答案:

答案 0 :(得分:5)

不是,真的:

 
(define (convert-base from to n)
  (let f ([n n] [mul 1] [res 0])
    (if (zero? n)
        res
        (f (quotient n to) (* mul from) (+ res (* mul (modulo n to)))))))

测试

> (convert-base-y 10 2 10)
1010
> (convert-base-y 10 8 64)
100