我正在尝试通过在列表中的每个元素上使用split_string
来清理列表形式的某些数据。
让我给你一个我的意思的例子
输入:
[
'p1\tp2\t100\tStorgatan',
'p1\tp3\t200\tLillgatan',
'p2\tp4\t100\tNygatan',
'p3\tp4\t50\tKungsgatan',
'p4\tp5\t150\tKungsgatan'
]
清理后的预期结果:
[
[p1, p2, 100, Storgatan],
[p1, p3, 200, Lillgatan],
[p2, p4, 100, Nygatan],
[p3, p4, 50, Kungsgatan],
[p4, p5, 150, Kungsgatan]
]
我试图编写一个执行此操作的谓词,但是由于某种原因,我的谓词不会返回结果(输出只是“ true”):
data_cleanup([], Res).
data_cleanup([H|T], Res):-
split_string(H, "\t", "", L),
append([L], Res, NewRes),
data_cleanup(T, NewRes).
我对Prolog还是很陌生,所以我很难弄清楚我在这里做错了什么。帮助吗?
谢谢!
答案 0 :(得分:2)
尝试这样:
data_cleanup([], []).
data_cleanup([H|T], [A|B]):-
split_string(H, "\t", "", A),
data_cleanup(T, B).
现在它可以执行以下操作:
?- data_cleanup(['p1\tp2\t100\tStorgatan', 'p1\tp3\t200\tLillgatan', 'p2\tp4\t100\tNygatan', 'p3\tp4\t50\tKungsgatan', 'p4\tp5\t150\tKungsgatan'], Result).
Result = [["p1", "p2", "100", "Storgatan"], ["p1", "p3", "200", "Lillgatan"], ["p2", "p4", "100", "Nygatan"], ["p3", "p4", "50", "Kungsgatan"], ["p4", "p5", "150", "Kungsgatan"]].
锻炼:使用maplist
定义此谓词。
编辑:或者如果您仍在使用SWI-Prolog,并且您更喜欢原子而不是条纹,则可以使用atomic_list_concat/3
:
split_atom(Delimiter, Atom, List) :- atomic_list_concat(List, Delimiter, Atom).
然后
?- maplist(split_atom('\t'), ['p1\tp2\t100\tStorgatan', 'p1\tp3\t200\tLillgatan', 'p2\tp4\t100\tNygatan', 'p3\tp4\t50\tKungsgatan', 'p4\tp5\t150\tKungsgatan'], L).
L = [[p1, p2, '100', 'Storgatan'], [p1, p3, '200', 'Lillgatan'], [p2, p4, '100', 'Nygatan'], [p3, p4, '50', 'Kungsgatan'], [p4, p5, '150', 'Kungsgatan']].