11

在 Python 中,有numpy.argmax

In [7]: a = np.random.rand(5,3)

In [8]: a
Out[8]: 
array([[ 0.00108039,  0.16885304,  0.18129883],
       [ 0.42661574,  0.78217538,  0.43942868],
       [ 0.34321459,  0.53835544,  0.72364813],
       [ 0.97914267,  0.40773394,  0.36358753],
       [ 0.59639274,  0.67640815,  0.28126232]])

In [10]: np.argmax(a,axis=1)
Out[10]: array([2, 1, 2, 0, 1])

是否有 Julia 类似于 Numpy 的argmax?我只找到了一个indmax,它只接受一个向量,而不是一个二维数组np.argmax

4

3 回答 3

10

最快的实现通常是findmax(如果您愿意,它允许您一次减少多个维度):

julia> a = rand(5, 3)
5×3 Array{Float64,2}:
 0.867952  0.815068   0.324292
 0.44118   0.977383   0.564194
 0.63132   0.0351254  0.444277
 0.597816  0.555836   0.32167 
 0.468644  0.336954   0.893425

julia> mxval, mxindx = findmax(a; dims=2)
([0.8679518267243425; 0.9773828942695064; … ; 0.5978162823947759; 0.8934254589671011], CartesianIndex{2}[CartesianIndex(1, 1); CartesianIndex(2, 2); … ; CartesianIndex(4, 1); CartesianIndex(5, 3)])

julia> mxindx
5×1 Array{CartesianIndex{2},2}:
 CartesianIndex(1, 1)
 CartesianIndex(2, 2)
 CartesianIndex(3, 1)
 CartesianIndex(4, 1)
 CartesianIndex(5, 3)
于 2016-01-13T11:32:46.570 回答
3

根据 Numpy 文档,argmax提供以下功能:

numpy.argmax(a, axis=None, out=None)

返回沿轴的最大值的索引。

我怀疑单个 Julia 函数可以做到这一点,但结合mapslicesandargmax只是票:

julia> a = [ 0.00108039  0.16885304  0.18129883;
             0.42661574  0.78217538  0.43942868;
             0.34321459  0.53835544  0.72364813;
             0.97914267  0.40773394  0.36358753;
             0.59639274  0.67640815  0.28126232] :: Array{Float64,2}

julia> mapslices(argmax,a,dims=2)
5x1 Array{Int64,2}:
 3
 2
 3
 1
 2

当然,由于 Julia 的数组索引是从 1 开始的(而 Numpy 的数组索引是从 0 开始的),因此生成的 Julia 数组的每个元素与生成的 Numpy 数组中的相应元素相比偏移 1。你可能想也可能不想调整它。

如果你想得到一个向量而不是一个二维数组,你可以简单地[:]在表达式的末尾加上:

julia> b = mapslices(argmax,a,dims=2)[:]
5-element Array{Int64,1}:
 3
 2
 3
 1
 2
于 2016-01-13T08:41:10.053 回答
1

为了添加到 jub0bs 的答案,argmax在 Julia 1+ 中np.argmax,通过替换axisdims关键字,CarthesianIndex沿给定维度返回而不是索引来反映 的行为:

julia>  a = [ 0.00108039  0.16885304  0.18129883;

                0.42661574  0.78217538  0.43942868;      

                0.34321459  0.53835544  0.72364813;      

                0.97914267  0.40773394  0.36358753;      

                0.59639274  0.67640815  0.28126232] :: Array{Float64,2}

julia> argmax(a, dims=2)
5×1 Array{CartesianIndex{2},2}:
CartesianIndex(1, 3)
CartesianIndex(2, 2)
CartesianIndex(3, 3)
CartesianIndex(4, 1)
CartesianIndex(5, 2)
于 2020-03-03T14:10:34.707 回答