That is right. However, this approach is a bit too involved. Only good for
experts 
Usually, one implements list_copy as follows:
implement{a}
list_copy (xs) =
(
case+ xs of
| list_cons
(x, xs) => list_cons (x, list_copy (xs))
| list_nil () => list_nil ()
)
This is a non-tail-recursive version. If one only uses it to copy short
lists, then it is fine.
When handling a long list (say, containing 1 million elements), this
function is likely to
overflow the call stack.
Suppose list_rcopy copies a list in the reverse order; that is, the return
result is the reverse
of the given list. Often, list_rcopy is called list-reverse function, which
can be readily implemented
tail-recursively:
implement{a}
list_rcopy (xs) = let
//
fun loop{n1,n2:int}
(
xs: list (a, n1), res: list (a, n2)
) : list (a, n1+n2) =
case xs of
| list_cons
(x, xs) => loop (xs, list_cons (x, res))
| list_nil () => res
//
in
loop (xs, list_nil)
end // end of [list_rcopy]
Now, we can implement list_copy as follows
implement{a}
list_copy (xs) = list_rcopy (list_rcopy (xs))
This is a tail-recursive implementation of list_copy. However, one may
dislike it because it does two list-traversals.
Actually, the list-merge function (for implementing merge-sort) in ocaml’s
library is done this way so as to make sure
that list-merge is defined tail-recursively.