只是符号和列表(树)。
您还需要 Scheme 布尔值#t
,#f
如果您不想在纯 lambda 演算中编码所有内容。您还排除了函数值,谢天谢地,这使这个答案更简单。尽管您必须允许顶级(define name (lambda ...))
表单的特殊情况。(其他任何东西,包括扩展let
表达式,都可以去功能化。)
所以,我的主张是:不,这个模糊的 Scheme 子集和你定义的纯 Prolog 在表达能力上没有差距。我的论点(这不是证明)是建设性的,通过将列表交集的方案代码从这个答案翻译到 Prolog。
具体来说,这个:
(define intersect
(lambda (set1 set2)
(cond
((null? set1)(quote ()))
((member? (car set1) set2)
(cons (car set1)
(intersect (cdr set1) set2)))
(else (intersect (cdr set1) set2)))))
变成:
intersect(Set1, Set2, Result) :-
cond([
['null?'(Set1), result([])],
[cond_1(Set1, Set2), body_1(Set1, Set2)],
[else, body_2(Set1, Set2)]], Result).
cond_1(Set1, Set2, Result) :-
car(Set1, Car),
'member?'(Car, Set2, Result).
body_1(Set1, Set2, Result) :-
car(Set1, Car),
cdr(Set1, Cdr),
intersect(Cdr, Set2, PartialIntersection),
cons(Car, PartialIntersection, Result).
body_2(Set1, Set2, Result) :-
cdr(Set1, Cdr),
intersect(Cdr, Set2, Result).
还有这个:
(define member?
(lambda (a lat)
(cond
((null? lat) #f)
(else (or (equal? (car lat) a)
(member? a (cdr lat)))))))
变成:
'member?'(A, Lat, Result) :-
cond([
['null?'(Lat), result('#f')],
[else, or([or_case_1(Lat, A),
or_case_2(Lat, A)])]], Result).
or_case_1(Lat, A, Result) :-
car(Lat, Car),
'equal?'(Car, A, Result).
or_case_2(Lat, A, Result) :-
cdr(Lat, Cdr),
'member?'(A, Cdr, Result).
请注意,嵌套表达式需要是非嵌套的,除了最简单的情况外,通过定义辅助 Prolog 谓词,这是最简单的。这不会非线性地增加代码大小。
这些定义使用标准 Scheme 构造的以下翻译:
'equal?'(X, Y, '#t') :-
=(X, Y, true).
'equal?'(X, Y, '#f') :-
=(X, Y, false).
'null?'(Value, Result) :-
'equal?'(Value, [], Result).
car([Car | _Cdr], Car).
cdr([_Car | Cdr], Cdr).
cons(Car, Cdr, [Car | Cdr]).
or([], '#f').
or([Goal | Goals], Result) :-
if(Goal,
Result = '#t',
or(Goals, Result)).
cond([], _Result) :-
throw(error(cond_without_else, _)).
cond([[Condition, Body] | OtherCases], Result) :-
if(Condition,
call(Body, Result),
cond(OtherCases, Result)).
cond
一些支持从案例主体中获取简单值的东西,以及else
案例:
result(Result, Result).
else('#t').
这就是您需要的所有内部不纯、外部纯 Prolog 支持:
if(Goal, True, False) :-
call(Goal, Truth),
( Truth == '#t' -> call(True)
; Truth == '#f' -> call(False)
; throw(error(type_or_instantiation_error(Truth), _)) ).
我之所以这样称呼它if/3
,而不是if_/3
因为它不完全是“标准” if_/3
:它期望条件评估为 Scheme 真值而不是true
or false
。随意将其按摩成“标准”形式。编辑:有几种“足够好”的方法来定义(=)/3
在这个答案的上下文中起作用的 a,但为了避免进一步的自行车脱落,只需使用来自https://stackoverflow.com/a/27358600/4391743的定义。
测试:
?- 'member?'(a, [x, y, a, c], Result).
Result = '#t' ;
false.
?- intersect([a, b, c, d], [c, d, e, f], Result).
Result = [c, d] ;
false.