prolog中具有尾递归谓词的数字的乘积

时间:2017-12-09 09:08:06

标签: prolog product tail-recursion

我正在尝试在Prolog中编写一个尾递归谓词:product(A,B),如果B是列表A中数字的乘积,则为真。这是我到目前为止编写的代码:

product(A, B) :- product(A, 1, B).
product(0, B, B) :- !.
product(A, X, B) :- Z is A - 1, Y is X * A, product(Z, Y, B).

代码无需列表即可运行。我对Prolog中的列表很新,所以我想问一下最好的方法是什么。查询应该是这样的:

?- product([1,2,3], B).
B = 6.

1 个答案:

答案 0 :(得分:1)

你可以写那样的东西

product(In, Out) :-
    % We call the predicate product/3, initialize with 1 
    product(In, 1, Out).

% when the list is empty with have the result
product([], Out, Out).

% we compute the first element of the list
product([H|T], Cur, Out) :-
    Next is Cur * H,
    % we carry on with the rest
    product(T, Next, Out).

修改 产品不是尾递归的。

product1([], 1).

product1([H|T],Out) :-
    product1(T, Next),
    Out is Next * H.