Hey I'm trying to create a predicate for the generating of a deep reverse on nested Lists in PROLOG.
Currently I got this predicate
reverse(L,A) :- rev(L,[], A).
rev([],A,A).
rev([H|L],R,A) :- rev(L,[H|R],A).
The result looks like this:
reverse([1,2,3],A).
A = [3, 2, 1].
reverse([[0,1],2,3],A).
A = [3, 2, [0, 1]].
The problem is, that the inner List is not reversed. It should look like this:
reverse([[0,1],2,3],A).
A = [3, 2, [1, 0]].
reverse([1,2,[3,4,5,[6,7],8],[9,10],11,12],A).
A = [12,11,[10,9],[8,[7,6],5,4,3],2,1].
Thanks for any help.
To keep things as simple as possible, we could add a test if the current element being checked is a list or not. If it is indeed a list, then its elements should be reversed as well. So in code:
Also, not that it really matters, just to try and avoid confusion, note how I used
A
andR
for respectivelyAccumulator
andResult
. In your code they are currently swapped, which -for me personally- can be a bit confusing, especially when predicates become longer and more complex.Anyway, let's look at the queries you provided:
And some general queries:
Note however that using this predicate, no termination occurs after finding the first answer to the query:
But since this wasn't a requirement/demand in OP's question, I assumed it to be okay.
EDIT:
Please read @mat's answer as a follow-up to this problem.