且构网

分享程序员开发的那些事...
且构网 - 分享程序员编程开发的那些事

Prolog - 递归地将数字附加到列表中

更新时间:2023-02-11 16:17:41

您正在按程序进行思考,在 prolog 中您不能更改变量.您正在尝试自己构建列表.在 prolog 样式中,您尝试声明所需列表的约束.如果 nlist/2 是一个给出 N 个数字列表的谓词,那么它的属性究竟是什么?nlist(0, []). 如果 nlist(N, Xs) 然后 nlist(N+1, [N+1 | Xs])代码>.所以你只需要写这些,让 prolog 来负责构建.

You are thinking procedurally, in prolog you cannot change variables. You are trying to construct the list yourself. In prolog-style you try to declare the constraints of the list you want. If nlist/2 is a predicate that gives a list of N numbers then what exactly are it's properties? nlist(0, []). and if nlist(N, Xs) then nlist(N+1, [N+1 | Xs]). So you just write these and let prolog take care of the construction.

nlist(0, []).
nlist(N, [N | Xs]) :-
    N>0, N1 is N-1,
    nlist(N1, Xs).

如果您对递归调用的发生方式感到困惑,请尝试使用 trace/0trace/1.您可以在以下跟踪中看到调用是如何完成的.您可以通过调用 trace(nlist) 获得此信息.

If you are confused how the recursion calls are taking place, try using trace/0 or trace/1. You can see how the calls are being done in the following trace. You can get this by calling trace(nlist).

?- nlist(3, X).
 T Call: nlist(3, _78)
 T Call: nlist(2, _902)
 T Call: nlist(1, _1464)
 T Call: nlist(0, _2026)
 T Exit: nlist(0, [])
 T Exit: nlist(1, [1])
 T Exit: nlist(2, [2, 1])
 T Exit: nlist(3, [3, 2, 1])
X = [3, 2, 1]

比较程序化的代码如下

addToList(11, A, A).

% Cases 1-10
addToList(Value, List, NewList) :-
    Value < 11,  append(List, [Value], Temp),
    NextVal is Value+1,
    addToList(NextVal, Temp, NewList).

这给出了中间参数是累加器.当您达到 11 时,累加器就是答案.

This gives the middle parameter is the accumulator. When you reach 11 the accumulator is the answer.

?- addToList(1, [], X).
X = [1, 2, 3, 4, 5, 6, 7, 8, 9|...] 

?- addToList(5, [], X).
X = [5, 6, 7, 8, 9, 10] 

nlistaddToList 中查看示例跟踪以及它们之间的区别.尝试找出差异及其发生的原因.

Look at the sample trace and the difference between them in nlist and addToList. Try to figure out the differences and why the are happening.

?- addToList(7, [], X).
 T Call: addToList(7, [], _33565254)
 T Call: addToList(8, [7], _33565254)
 T Call: addToList(9, [7, 8], _33565254)
 T Call: addToList(10, [7, 8, 9], _33565254)
 T Call: addToList(11, [7, 8, 9, 10], _33565254)
 T Exit: addToList(11, [7, 8, 9, 10], [7, 8, 9, 10])
 T Exit: addToList(10, [7, 8, 9], [7, 8, 9, 10])
 T Exit: addToList(9, [7, 8], [7, 8, 9, 10])
 T Exit: addToList(8, [7], [7, 8, 9, 10])
 T Exit: addToList(7, [], [7, 8, 9, 10])
X = [7, 8, 9, 10]