(define fun4
(lambda ( ls)
(cond ((null? ls ) #f)
(cons (((eqv? 'a (car ls))) && ((eqv? 'b (cdr ls)))))
(else (pattern2 cdr ls)))))
在此它显示错误 - 过程应用程序:预期过程,给定:#t(无参数),我的代码中的错误是什么。逻辑没问题???
您的解决方案中有很多很多错误。让我们看看每个条件有什么问题:
#f
立即返回,并注意我们如何使用cadr
访问第二个元素,因为&&
在 Scheme 中不起作用,您必须使用and
逻辑与操作。此外,您在每个测试周围都有不必要的错误括号(顺便说一句:那些是导致“预期过程”错误的那些)cddr
。此外,您必须调用fun4
以推进递归,而不是pattern2
这是解决问题的正确方法,请注意上述问题是如何解决的:
(define fun4
(lambda (ls)
(cond ((null? ls) #t) ; 1
((null? (cdr ls)) #f) ; 2
((not (and (eq? 'a (car ls)) (eq? 'b (cadr ls)))) #f) ; 3
(else (fun4 (cddr ls)))))) ; 4
始终测试您的程序,以上将正常工作:
(fun4 '())
=> #t
(fun4 '(a))
=> #f
(fun4 '(a b))
=> #t
(fun4 '(a b a))
=> #f
(fun4 '(a b a b))
=> #t
最后一点,如果空列表不应该遵循该模式,则在调用之前检查它,如果初始输入列表为空则fun4
返回。#f
(define fun
(lambda (ls)
(cond ((null? ls) #t)
((and (eq? (car ls) 'a) ; the first item is a
(list? (cdr ls)) ; the rest of the list
(not (null? (cdr ls))) ; which is not null
(eq? (cadr ls) 'b) ; and it starts with b
(fun (cddr ls))) #t) ; and the rest of the expression is
(else #f)))) ; also in the A B format
跑步:
> (fun '(a b a b))
#t
> (fun '(a b a))
#f
> (fun '(a b))
#t
> (fun '(a))
#f
> (fun '())
#t
>
如此多的车轮改造。只需使用 SRFI 1!
(require srfi/1)
(define (fun4 lst)
(every eq? lst (circular-list 'a 'b)))
(a b a)
(这是在应该有效而不是无效的假设下运行的。)