Say I want to assert that three lists are of the same length. I could do something like this:
same_length(First, Second, Third) :-
same_length(First, Second),
same_length(Second, Third).
This does the right thing when either First
or Second
are instantiated. It also works when all three arguments are instantiated! However, a call like length(Third, 3), same_length(First, Second, Third)
causes it to return the correct answer (all three lists have length 3) with a choicepoint, then loop forever generating solutions which will never match.
I've written a version which I believe does the right thing in every situation:
same_length(First, Second, Third) :-
/* naively calling same_length(First, Second), same_length(Second, Third) doesn't work,
because it will fail to terminate in the case where both First and Second are
uninstantiated.
by always giving the first same_length/2 clause a real list we prevent it from
generating infinite solutions */
( is_list(First), same_length(First, Second), same_length(First, Third), !
; is_list(Second), same_length(Second, First), same_length(Second, Third), !
; is_list(Third), same_length(Third, First), same_length(Third, Second), !
% if none of our arguments are instantiated then it's appropriate to not terminate:
; same_length(First, Second), same_length(Second, Third) ).
I keep hearing about how the cut should be avoided when at all possible, is it possible to avoid it here?
As a bonus question, I think these are green cuts, since the final predicate is fully relational, is this true?
Why not define
same_length/3
in the same waysame_length/2
is usually defined?Works nicely when called with all arguments unbound:
No spurious choice-point or non-terminating backtracking in the case you mention: