First let s re-write the code using indentation:
append(X, Y, Z) :-
X == [],
Z := Y.
append(X, Y, Z) :-
X => [H | T],
append(T, Y, NT),
Z <= [H | NT].
You seem to have to indent all code by four spaces, which doesn t seem to work in comments, my comments above should be ignored (I m not able to delete them).
The code above isn t real Mercury code, it is pseudo code. It doesn t make sense as real Mercury code because the <=
and =>
operators are used for typeclasses (IIRC), not unification. Additionally, I haven t seen the :=
operator before, I m not sure what is does.
In this style of pseudo code (I believe) that the author is trying to show that :=
is an assignment type of unification where X
is assigned the value of Y
. Similarly =>
is showing a deconstruction of X
and <=
is showing a construction of Z
. Also ==
shows an equality test between X
and the empty list. All of these operations are types of unification. The compiler knows which type of unification should be used for each mode of the predicate. For this code the mode that makes sense is append(in, in, out)
Mercury is different from Prolog in this respect, it knows which type of unification to use and therefore can generate more efficient code and ensure that the program is mode-correct.
One more thing, the real Mercury code for this pseudo code would be:
:- pred append(list(T)::in, list(T)::in, list(T)::out) is det.
append(X, Y, Z) :-
X = [],
Z = Y.
append(X, Y, Z) :-
X = [H | T],
append(T, Y, NT),
Z = [H | NT].
Note that every unification is a =
and a predicate and mode declaration has been added.