indices of unique elements of vector in Julia

2019-08-01 03:51发布

How to get indexes of unique elements of a vector?

For instance if you have a vector v = [1,2,1,3,5,3], the unique elements are [1,2,3,5] (output of unique) and their indexes are ind = [1,2,4,5]. What function allows me to compute ind so that v[ind] = unique(v) ?

标签: julia
2条回答
The star\"
2楼-- · 2019-08-01 04:08

If you don't care about finding the first index for each unique element, then you can use a combination of the unique and indexin functions:

julia> indexin(unique(v), v)
4-element Array{Int64,1}:
 3
 2
 6
 5

Which gets one index for each unique element of v in v. These are all in base and works in 0.6. This is about 2.5 times slower than @Bogumil's function, but it's a simple alternative.

查看更多
Juvenile、少年°
3楼-- · 2019-08-01 04:11

This is a solution for Julia 0.7:

findfirst.(isequal.(unique(x)), [x])

or similar working under Julia 0.6.3 and Julia 0.7:

findfirst.(map(a -> (y -> isequal(a, y)), unique(x)), [x])

and a shorter version (but it will not work under Julia 0.7):

findfirst.([x], unique(x))

It will probably not be the fastest.

If you need speed you can write something like (should work both under Julia 0.7 and 0.6.3):

function uniqueidx(x::AbstractArray{T}) where T
    uniqueset = Set{T}()
    ex = eachindex(x)
    idxs = Vector{eltype(ex)}()
    for i in ex
        xi = x[i]
        if !(xi in uniqueset)
            push!(idxs, i)
            push!(uniqueset, xi)
        end
    end
    idxs
end
查看更多
登录 后发表回答