A function can be specced as no_return, but that’s only applicable if it never returns a value.
Otherwise the “can fail” is implied for all functions - for instance, :math.sqrt/1 has a spec of sqrt(number) :: float, but it gives an ArithmeticError when called with a negative input.
Whatever You choose to return from an error will be catched if it does not specify the right type for the error return, in the smaller function. While your hello function could not, because dialyzer assume it is correctly typed as boolean in case of success, and does not care about the error path.
defmodule TestDialzer do
@moduledoc """
Documentation for `TestDialzer`.
"""
@spec hello(integer) :: boolean
def hello(n) do
if n == 10 do
true
else
raise "This is not a number!"
end
end
@spec test_hello_1 :: boolean
def test_hello_1, do: hello(10)
@spec test_hello_2 :: boolean
def test_hello_2, do: hello(1)
end
In this example, test_hello_2 will clearly fail. Dialyzer should be able to prove this is wrong. Yet it passes.
I don’t understand how this can be fixed…
Dialyzer doesn’t do dependent typing. And it only does a limited amount of data flow analysis, since it is highly computationally and memory intensive. Maybe in this particular case it seems easy and intuitive, but a generalized algorithm that would perform these kinds of checks is not trivial.
AFAIK individual integers (like 10, 1) are not distinguishable by Dialyzer.
If you let dialyzer infer specs for your functions, it will tell you that the hello (and other functions) return true. You can enable checking of your provided specs against those by using the overspecs, underspecs or the combinded specdiffs options. But beware that this may introduce a lot of noise: warnings when you don’t want them, where dialyzer hits his limits and simplifies types, or you intentionally simplify types, e.g. for documentation purposes.
The solution @peerreynders proposed in the similar question I had was to do something like this…
def hello(n) do
if n == 10 do
hello_success()
else
hello_error()
end
end
This way You can detect type error in the smaller functions.
Here is the solution he provided in my question…
cond do
qty < 0 ->
create_unit_quantity_error("unit_quantity can not be negative")
qty > 1_000 ->
create_unit_quantity_error("unit_quantity can not be more than 1000")
true ->
create_unit_quantity_success(qty)
end
defmodule TestDialzer do
@spec hello(integer) :: boolean
def hello(n) do
if n == 10 do
hello_success()
else
hello_error()
end
end
@spec test_hello_1 :: boolean
def test_hello_1, do: hello(10)
@spec test_hello_2 :: boolean
def test_hello_2, do: hello(1)
@spec hello_success :: true
defp hello_success, do: true
# This is clearly wrong, yet no complaining =(
@spec hello_error :: boolean
defp hello_error, do: raise "This is not a number!"
end
I am quite lost here. Dialyzer is not picking up that hello_error has an wrong spec.