< Summary

Information
Class: src/pointer.jl
Assembly: Default
File(s): src/pointer.jl
Tag: 7_9662997695
Line coverage
94%
Covered lines: 127
Uncovered lines: 8
Coverable lines: 135
Total lines: 315
Line coverage: 94%
Branch coverage
N/A
Covered branches: 0
Total branches: 0
Branch coverage: N/A
Method coverage

Method coverage is only available for sponsors.

Upgrade to PRO version

Coverage History

File(s)

src/pointer.jl

#LineLine coverage
 1const TOKEN_PREFIX = '/'
 2
 3macro j_str(token)
 1904    Pointer(token)
 5end
 6
 7"""
 8    _unescape_jpath(raw::String)
 9
 10Transform escaped characters in JPaths back to their original value.
 11https://tools.ietf.org/html/rfc6901
 12"""
 13function _unescape_jpath(raw::AbstractString)
 2614    m = match(r"%([0-9A-F]{2})", raw)
 2615    if m !== nothing
 1216        for c in m.captures
 2417            raw = replace(raw, "%$(c)" => Char(parse(UInt8, "0x$(c)")))
 18        end
 19    end
 2620    return raw
 21end
 22
 23function _last_element_to_type!(jk)
 19224    if !occursin("::", jk[end])
 18025        return Any
 26    end
 1227    x = split(jk[end], "::")
 1228    jk[end] = String(x[1])
 1229    if x[2] == "string"
 130        return String
 1131    elseif x[2] == "number"
 132        return Union{Int, Float64}
 1033    elseif x[2] == "object"
 234        return OrderedDict{String, Any}
 835    elseif x[2] == "array"
 236        return Vector{Any}
 637    elseif x[2] == "boolean"
 238        return Bool
 439    elseif x[2] == "null"
 240        return Missing
 41    else
 42        # what is most fitting error type for this?
 43
 244    throw(DomainError(
 45            "`::$(x[2])`cannot be used in JSON. use one of `::string`, `::number`, " *
 46            "`::object`, `::array`, `::boolean`, or `::null`."
 47        ))
 48    end
 49end
 50
 51"""
 52    Pointer(token::AbstractString; shift_index::Bool = false)
 53
 54A JSON Pointer is a Unicode string containing a sequence of zero or more
 55reference tokens, each prefixed by a '/' (%x2F) character.
 56
 57Follows IETF JavaScript Object Notation (JSON) Pointer https://tools.ietf.org/html/rfc6901.
 58
 59## Arguments
 60
 61- `shift_index`: shift given index by 1 for compatibility with original JSONPointer.
 62
 63## Non-standard extensions
 64
 65- Index numbers starts from `1` instead of `0`
 66
 67- User can declare type with '::T' notation at the end. For example
 68  `/foo::string`. The type `T` must be one of the six types supported by JSON:
 69  * `::string`
 70  * `::number`
 71  * `::object`
 72  * `::array`
 73  * `::boolean`
 74  * `::null`
 75
 76## Examples
 77
 78    Pointer("/a")
 79    Pointer("/a/3")
 80    Pointer("/a/b/c::number")
 81    Pointer("/a/0/c::object"; shift_index = true)
 82"""
 83struct Pointer{T}
 20884    tokens::Vector{Union{String, Int}}
 85end
 86
 87function Pointer(token_string::AbstractString; shift_index::Bool = false)
 60688    if startswith(token_string, "#")
 5089        token_string = _unescape_jpath(token_string[2:end])
 90    end
 20391    if isempty(token_string)
 592        return Pointer{Nothing}([""])
 93    end
 39694    if !startswith(token_string, TOKEN_PREFIX)
 195        throw(ArgumentError("JSONPointer must starts with '$TOKEN_PREFIX' prefix"))
 96    end
 38997    tokens = convert(
 98        Vector{Union{String, Int}},
 99        String.(split(token_string, TOKEN_PREFIX; keepempty = false)),
 100    )
 197101    if length(tokens) == 0
 5102        return Pointer{Any}([""])
 103    end
 192104    T = _last_element_to_type!(tokens)
 380105    for (i, token) in enumerate(tokens)
 402106        if occursin(r"^\d+$", token) # index of a array
 85107            tokens[i] = parse(Int, token)
 85108            if shift_index
 5109                tokens[i] += 1
 110            end
 85111            if iszero(tokens[i])
 2112                throw(BoundsError("Julia uses 1-based indexing, use '1' instead of '0'"))
 113            end
 317114        elseif occursin(r"^\\\d+$", token) # literal string for a number
 3115            tokens[i] = String(chop(token; head = 1, tail = 0))
 314116        elseif occursin("~", token)
 622117            tokens[i] = replace(replace(token, "~0" => "~"), "~1" => "/")
 118        end
 119    end
 188120    return Pointer{T}(tokens)
 121end
 122
 103123Base.length(x::Pointer) = length(x.tokens)
 1124Base.eachindex(x::Pointer) = eachindex(x.tokens)
 125
 26126Base.eltype(::Pointer{T}) where {T} = T
 127
 0128function Base.show(io::IO, x::Pointer{T}) where {T}
 0129    print(io, "JSONPointer{", T, "}(\"/", join(x.tokens, "/"), "\")")
 130end
 131
 0132function Base.show(io::IO, ::Pointer{Nothing})
 0133    print(io, "JSONPointer{Nothing}(\"\")")
 134end
 135
 8136Base.getindex(A::AbstractArray, p::Pointer) = _getindex(A, p)
 2137Base.haskey(A::AbstractArray, p::Pointer) = _haskey(A, p)
 138
 139function Base.unique(arr::AbstractArray{<:Pointer, N}) where {N}
 3140    out = deepcopy(arr)
 3141    if isempty(arr)
 1142        return out
 143    end
 4144    pointers = getfield.(arr, :tokens)
 2145    if allunique(pointers)
 1146        return out
 147    end
 1148    delete_target = Int[]
 1149    for p in pointers
 6150        indicies = findall(el -> el == p, pointers)
 6151        if length(indicies) > 1
 5152            append!(delete_target, indicies[1:end-1])
 153        end
 154    end
 1155    deleteat!(out, unique(delete_target))
 1156    return out
 157end
 158
 13159Base.:(==)(a::Pointer{U}, b::Pointer{U}) where {U} = a.tokens == b.tokens
 160
 161# ==============================================================================
 162
 56163_checked_get(collection::AbstractArray, token::Int) = collection[token]
 243164_checked_get(collection::AbstractDict, token::String) = get_pointer(collection, token)
 165
 166function _checked_get(collection, token)
 1167    throw(ArgumentError(
 168        "JSON pointer does not match the data-structure. I tried (and " *
 169        "failed) to index $(collection) with the key: $(token)"
 170    ))
 171end
 172
 173# ==============================================================================
 174
 2175_haskey(::Any, ::Pointer{Nothing}) = true
 176
 177function _haskey(collection, p::Pointer)
 54178    for token in p.tokens
 236179        if !_haskey(collection, token)
 16180            return false
 181        end
 144182        collection = _checked_get(collection, token)
 183    end
 38184    return true
 185end
 186
 106187_haskey(collection::AbstractDict, token::String) = haskey(collection, token)
 188
 189function _haskey(collection::AbstractArray, token::Int)
 16190    return 1 <= token <= length(collection)
 191end
 192
 0193_haskey(::Any, ::Any) = false
 194
 195# ==============================================================================
 196
 4197_getindex(collection, ::Pointer{Nothing}) = collection
 198
 199function _getindex(collection, p::Pointer)
 101200    return _getindex(collection, p.tokens)
 201end
 202
 203function _getindex(collection, tokens::Vector{Union{String, Int}})
 101204    for token in tokens
 285205        collection = _checked_get(collection, token)
 206    end
 91207    return collection
 208end
 209
 210# ==============================================================================
 211
 212function _get(collection, p::Pointer, default)
 3213    if _haskey(collection, p)
 0214        return _getindex(collection, p)
 215    end
 3216    return default
 217end
 218function _get!(collection, p::Pointer, default)
 3219    if _haskey(collection, p)
 0220        return _getindex(collection, p)
 221    else
 3222        _setindex!(collection, default, p)
 223    end
 3224    return default
 225end
 226
 227# ==============================================================================
 228
 6229_null_value(p::Pointer) = _null_value(eltype(p))
 1230_null_value(::Type{String}) = ""
 3231_null_value(::Type{<:Real}) = 0
 1232_null_value(::Type{<:AbstractDict}) = OrderedDict{String, Any}()
 1233_null_value(::Type{<:AbstractVector{T}}) where {T} = T[]
 1234_null_value(::Type{Bool}) = false
 0235_null_value(::Type{Nothing}) = nothing
 1236_null_value(::Type{Missing}) = missing
 237
 47238_null_value(::Type{Any}) = missing
 239
 38240_convert_v(v::U, ::Pointer{U}) where {U} = v
 241function _convert_v(v::V, p::Pointer{U}) where {U, V}
 8242    v = ismissing(v) ? _null_value(p) : v
 8243    try
 244        # Conversion to OrderedDict is deprecated for unordered associative containers. Have to be sorted before the con
 8245        if eltype(p) <: OrderedDict
 2246            if <:(V, OrderedDict) == false
 2247                return convert(eltype(p), sort!(OrderedDict(v)))
 248            end
 249        end
 6250        return convert(eltype(p), v)
 251    catch
 2252        throw(ArgumentError(
 253            "$(v)::$(typeof(v)) is not valid type for $(p). Remove type " *
 254            "assertion in the JSON pointer if you don't a need static type."
 255        ))
 256    end
 257end
 258
 259function _add_element_if_needed(prev::AbstractVector{T}, k::Int) where {T}
 27260    x = k - length(prev)
 27261    if x > 0
 24262        append!(prev, [_null_value(T) for _ = 1:x])
 263    end
 27264    return
 265end
 266
 267function _add_element_if_needed(
 268    prev::AbstractDict{K, V}, k::String
 269) where {K, V}
 75270    if !haskey(prev, k)
 51271        prev[k] = _null_value(V)
 272    end
 273end
 274
 275function _add_element_if_needed(collection, token)
 3276    throw(ArgumentError(
 277        "JSON pointer does not match the data-structure. I tried (and " *
 278        "failed) to set $(collection) at the index: $(token)"
 279    ))
 280end
 281
 13282_new_data(::Any, n::Int) = Vector{Any}(missing, n)
 6283_new_data(::AbstractVector, ::String) = OrderedDict{String, Any}()
 284function _new_data(x::T, ::String) where T <: AbstractDict
 13285    OrderedDict{String, Any}()
 286end
 287
 288function _setindex!(collection::AbstractDict, v, p::Pointer)
 49289    prev = collection
 98290    for (i, token) in enumerate(p.tokens)
 107291        _add_element_if_needed(prev, token)
 102292        if i < length(p)
 80293            if ismissing(prev[token])
 32294                prev[token] = _new_data(prev, p.tokens[i + 1])
 295            end
 112296            prev = prev[token]
 297        end
 298    end
 48299    prev[p.tokens[end]] = _convert_v(v, p)
 44300    return v
 301end
 302
 303# pointer manipulation functions
 304function Base.append!(p::Pointer, token::Union{String, Int})
 4305    push!(p.tokens, token)
 4306    return p
 307end
 308function Base.deleteat!(p::Pointer, index::Int)
 4309    deleteat!(p.tokens, index)
 4310    return p
 311end
 312function Base.pop!(p::Pointer)
 4313    pop!(p.tokens)
 4314    return p
 315end

Methods/Properties