To be absolutely clear, erroring at declaring another local variable of the same name does not involve the annotations at all:
julia> function foo(x)
local x
end
ERROR: syntax: local variable name "x" conflicts with an argument
It’s very clearly documented that argument annotations serve multiple dispatch. Nowhere does it say that it restricts the type of instances assigned to a variable. I would argue that would be needlessly restrictive. Say you have a function foo that takes in either a x::Int or x::Float64, and x could switch types in the body x = bar()::Union{Int, Float64}. However, you need to dispatch to separate methods depending on what type the input x is. If the argument annotation restricted x’s type, it’s impossible to pull this off.
I’m prototyping a macro to get rid of the conversions here:
julia> @noconvert function foo(x::Number)
let x::Int = x
x
end
end
foo (generic function with 2 methods)
julia> foo(3)
3
julia> foo(3.0)
ERROR: TypeError: in typeassert, expected Int64, got a value of type Float64
julia> foo(3.5)
ERROR: TypeError: in typeassert, expected Int64, got a value of type Float64
An exception where variable type declarations are useful is when the variable will be captured by a closure and assigned to in the closure. Currently this leads to bad type inference for that variable unless it has a type declared.
There’s some red in there, because of boxing, but the return type is precisely inferred due to the type declaration.
Compare foo1 and foo2:
function foo1()
x = 1
x = 2
function bar()
x = 3
x
end
bar()
end
function foo2()
x::Int = 1
x = 2
function bar()
x = 3
x
end
bar()
end
@code_warntype foo1()
@code_warntype foo2()
Yes, my point is that closures can lead to unexpected behavior, and depending on where you add the type annotation, you don’t necessarily solve the problem. I was just adding a word of caution about using type annotations as a silver bullet for type inference in closures. But, yeah, in the example I provided, the issue won’t arise.