感谢@false 对这篇文章的提示:
Prolog 后继符号产生不完整的结果和无限循环
这篇文章中引用的 PDF 文档有助于阐明有关 peano 整数的一些特性以及如何使简单的算术起作用 - 第 11 页和第 12 页特别有趣:http: //ssdi.di.fct.unl.pt/flcp/foundations /0910/files/class_02.pdf
代码可以这样设置 - 请注意整数相乘的两种方法:
%Basic assumptions
int(0). %0 is an integer
int(s(M)) :- int(M). %the successor of an integer is an integer
%Addition
sum(0,M,M). %the sum of an integer M and 0 is M.
sum(s(N),M,s(K)) :- sum(N,M,K). %The sum of the successor of N and M is the successor of the sum of N and M.
%Product
%Will work for prod(s(s(0)),s(s(0)),X) but not terminate for prod(X,Y,s(s(0)))
prod(0,M,0). %The product of 0 with any integer is 0
prod(s(N),M,P) :-
prod(N,M,K),
sum(K,M,P).%The product of the successor of N and M is the sum of M with the product of M and N. --> (N+1)*M = N*M + M
%Product #2
%Will work in both forward and backward direction, note the order of the calls for sum() and prod2()
prod2(0,_,0). %The product of 0 with any given integer is 0
prod2(s(N), M, P) :- % implements (N+1)*M = M + N*M
sum(M, K, P),
prod2(M,N,K).
其中,在查询数据库时会给你这样的东西:
?- prod(s(s(s(0))),s(s(s(0))),Result).
Result = s(s(s(s(s(s(s(s(s(0))))))))).
?- prod2(s(s(s(0))),s(s(s(0))),Result).
Result = s(s(s(s(s(s(s(s(s(0))))))))).
请注意逆向查询 Prolog 的不同行为prod()
和prod2()
当查询时 - 跟踪时,请注意 Prolog 在递归调用期间绑定其变量的方式:
?- prod(F1,F2,s(s(s(s(0))))).
F1 = s(0),
F2 = s(s(s(s(0)))) ;
F1 = F2, F2 = s(s(0)) ;
ERROR: Out of global stack
?- prod2(F1,F2,s(s(s(s(0))))).
F1 = s(s(s(s(0)))),
F2 = s(0) ;
F1 = F2, F2 = s(s(0)) ;
F1 = s(0),
F2 = s(s(s(s(0)))) ;
false.
因此,我不鼓励使用,prod()
因为它不能在所有可以想到的场景中可靠地终止并prod2()
改为使用。
我对 StackOverflow 的人们感到非常兴奋。我得到了很多有用的反馈,这真的帮助我更深入地了解 Prolog 的工作原理。非常感谢大家!
麦克风
编辑:感谢@false 和以下帖子,再次查看此问题:Prolog 后继符号产生不完整的结果和无限循环