OCamlで末尾再帰のリストソート関数を実装しようとしていますが、次のコードを思いつきました。
let tailrec_merge_sort l =
let split l =
let rec _split source left right =
match source with
| [] -> (left, right)
| head :: tail -> _split tail right (head :: left)
in _split l [] []
in
let merge l1 l2 =
let rec _merge l1 l2 result =
match l1, l2 with
| [], [] -> result
| [], h :: t | h :: t, [] -> _merge [] t (h :: result)
| h1 :: t1, h2 :: t2 ->
if h1 < h2 then _merge t1 l2 (h1 :: result)
else _merge l1 t2 (h2 :: result)
in List.rev (_merge l1 l2 [])
in
let rec sort = function
| [] -> []
| [a] -> [a]
| list -> let left, right = split list in merge (sort left) (sort right)
in sort l
;;
しかし、「評価中のスタックオーバーフロー(ループ再帰?)」エラーが発生したため、実際には末尾再帰ではないようです。
このコードで末尾再帰ではない呼び出しを見つけるのを手伝っていただけませんか。私はそれを見つけることなく、かなりたくさん検索しました。sort
それは関数のletバインディングですか?