I wondered that every function in Haskell should be tail recursive.
The factorial function implemented as a non tail recursive function:
fact 0 = 1
fact n = n * fact (n - 1)
Every operator is a function too, so this is equivalent to
fact 0 = 1
fact n = (*) n (fact (n - 1))
But this is clearly a tail call to me. I wonder why this code causes stack overflows if every call just creates a new thunk on the heap. Shouldn't i get a heap overflow?
In the code
the last
(*) ...is a tail call, as you observed. The last argumentfact (n-1)however will build a thunk which is immediately demanded by(*). This leads to a non-tail call tofact. Recursively, this will consume the stack.TL;DR: the posted code performs a tail call, but
(*)does not.(Also "the stack" in Haskell is a not so clear notion as in strict languages. Some implementations of Haskell use something more complex than that. You can search for "push/enter vs eval/apply" strategies if you want some gory details.)