我遇到了这个初学者的问题,我不知道如何解决这个问题。这是我的代码:
worker( w1, d1, 2000 ) .
worker( w2, d1, 2500 ) .
worker( w2, d2, 1000 ) .
worker( w3, d2, 2000 ) .
worker( w4, d2, 4000 ) .
% worker( W, D, S ) means that worker W works in department D and has salary S
department( d1, w2 ) .
department( d2, w4 ) .
% department( D, B ) means that worker B is director of department D(this is not important in this case)
我需要从部门之一获得所有工资的总和,如下所示:
?- department_costs( d1 , T ) .
T = 4500;
no
?- department_costs( D, T ) .
D = d1
T = 4500;
D = d2
T = 7000;
no
?- department_costs( d3 , T ) .
no
我试过这个:
department_costs( D, T ):- worker( _X, D, T1 ), T is T1.
我明白了:
?- department_costs( o1, T ).
T=2000;
T=2500;
no
现在我需要将 T+T 的总成本相加,但我不知道该怎么做。我想使用 findall/setof/bagof 在没有 的情况下解决这个 。
编辑:
我尝试使用 findall:
sumL([], 0).
sumL([G|R], S):-
sumL(R, S1),
S is S1 + G.
department_costs( D, T ):-
findall(P, worker( _X, D, P ), R ),
sumL(R, S),
T=S.
它适用于部门成本(d1,T)和部门成本(d2,T),但是当我输入部门成本(D,T)时。我明白了:
department_costs( D, T ).
O=_h159
T=11500
它应该是这样的:
?- department_costs( D, T ) .
D = d1
T = 4500;
D = d2
T = 7000;
有人可以告诉现在是什么问题吗?
最佳答案
想要在没有 findall/3
的情况下解决这个问题只会导致重新编码 findall/3
的不良尝试。如果您真的想跳过 findall/3
,请以不同的方式表示您的数据,例如:
workers([w1-d1-2000, w2-d1-2500, w2-d2-1000, w3-d2-2000, w4-d2-4000]).
departments([d1-w2, d2-w4]).
在这种格式中,您将能够使用递归和列表处理技术来获得良好的结果。在前一个中,您将不得不使用数据库操作和/或全局变量。不是真正的Prolog-ish。
对于您的编辑,问题在于您使用
findall/3
,并且 findall/3
将为您提供您感兴趣的一个变量的所有结果,但不会精确导致这些结果的绑定(bind)。尝试
bagof/3
代替:bagof(S, W^worker( W, D, S ), R ).
有关更多信息,请参阅此 man page(即使它是 SWI,无论如何它们都是 ISO Prolog 谓词)。
关于prolog - 在递归/回溯中累积,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/12255117/