juliagadfly

InexactError thrown by Gadfly depending on order of values


I'm new to julia and I'm trying to plot a function over a range of values that I defined myself with Gadfly. The function itself is pretty simple.

function metropolis(dU, b)
    if dU < 0
        1
    else
        exp(-dU * b)
    end
end

When I try to plot this function I get an InexactError thrown from julia.

using Gadfly
x = linspace(-5, 5, 100)
b = 1
plot(x=x, y=metropolis.(x, b), Geom.line)

The exact error is

Stacktrace:
[1] apply_scale_typed!(::Array{Int64,1}, ::Array{Real,1},  ::Gadfly.Scale.ContinuousScale) at /home/max/.julia/v0.6/Gadfly/src/scale.jl:249
[2] apply_scale(::Gadfly.Scale.ContinuousScale, ::Array{Gadfly.Aesthetics,1}, ::Gadfly.Data, ::Vararg{Gadfly.Data,N} where N) at /home/max/.julia/v0.6/Gadfly/src/scale.jl:206
[3] apply_scales(::IterTools.Distinct{Base.ValueIterator{Dict{Symbol,Gadfly.ScaleElement}},Gadfly.ScaleElement}, ::Array{Gadfly.Aesthetics,1}, ::Gadfly.Data, ::Vararg{Gadfly.Data,N} where N) at /home/max/.julia/v0.6/Gadfly/src/scale.jl:33
[4] apply_scales(::IterTools.Distinct{Base.ValueIterator{Dict{Symbol,Gadfly.ScaleElement}},Gadfly.ScaleElement}, ::Gadfly.Data) at /home/max/.julia/v0.6/Gadfly/src/scale.jl:52
[5] render_prepare(::Gadfly.Plot) at /home/max/.julia/v0.6/Gadfly/src/Gadfly.jl:670
[6] render(::Gadfly.Plot) at /home/max/.julia/v0.6/Gadfly/src/Gadfly.jl:748
[7] show at /home/max/.julia/v0.6/Gadfly/src/Gadfly.jl:952 [inlined]
[8] limitstringmime(::MIME{Symbol("image/svg+xml")}, ::Gadfly.Plot) at /home/max/.julia/v0.6/IJulia/src/inline.jl:24
[9] display_dict(::Gadfly.Plot) at /home/max/.julia/v0.6/IJulia/src/execute_request.jl:29
[10] execute_request(::ZMQ.Socket, ::IJulia.Msg) at /home/max/.julia/v0.6/IJulia/src/execute_request.jl:182
[11] eventloop(::ZMQ.Socket) at /home/max/.julia/v0.6/IJulia/src/eventloop.jl:8
[12] (::IJulia.##14#17)() at ./task.jl:335

But strangely when I use -x it works

plot(x=x, metropolis.(-x, b), Geom.line)

This is only reversing the order of the values. This behavior is very strange to me. I appreciate any help.


Solution

  • The reason is that your function is not type stable - its return value depends on values of arguments and not only on their types. Here is the simplest (but not the fastest) fix showing you a proper way to code the function:

    function metropolis(dU, b)
        if dU < 0
            zero(exp(-dU * b))
        else
            exp(-dU * b)
        end
    end
    

    In general - ensure that both branches of if-else return the same type.

    The reason that Gadfly fails is due to this part of code: https://github.com/GiovineItalia/Gadfly.jl/blob/master/src/scale.jl#L194

    and probably should be fixed as it performs break on the first concrete type, which is actually an incorrect decision for Array{Real}.