如何用python构建OneHot解码器

问题描述 投票:0回答:1

我有 encoded 我的 图像(面具) 尺寸 (img_width x img_height x 1)OneHotEncoder 以这种方式。

import numpy as np

def OneHotEncoding(im,n_classes):
  one_hot = np.zeros((im.shape[0], im.shape[1], n_classes),dtype=np.uint8)
  for i, unique_value in enumerate(np.unique(im)):
    one_hot[:, :, i][im == unique_value] = 1
  return one_hot

在用深度学习做了一些数据处理后,。softmax 激活函数将导致概率而不是。01 值,所以在我的解码器中,我想实现以下方法。

  1. 对输出进行阈值化处理 01 只。
  2. 将每个通道的权重与通道指数相乘。
  3. 取沿通道轴的标签之间的最大值。
import numpy as np

arr = np.array([
    [[0.1,0.2,0,5],[0.2,0.4,0.7],[0.3,0.5,0.8]],
    [[0.3,0.6,0  ],[0.4,0.9,0.1],[0  ,0  ,0.2]],
    [[0.7,0.1,0.1],[0,6,0.1,0.1],[0.6,0.6,0.3]],
    [[0.6,0.2,0.3],[0.4,0.5,0.3],[0.1,0.2,0.7]]
])

# print(arr.dtype,arr.shape)

def oneHotDecoder(img):
    # Thresholding
    img[img<0.5]=0
    img[img>=0.5]=1
    # weigts of the labels
    img = [i*img[:,:,i] for i in range(img.shape[2])]
    # take the max label
    img = np.amax(img,axis=2)
    print(img.shape)
    return img

arr2 = oneHotDecoder(arr)
print(arr2)

我的问题是。

  1. 如何消除这个错误 line 15, in oneHotDecoder img[img<0.5]=0 TypeError: '<' not supported between instances of 'list' and 'float'
  2. 在我的实现中是否还有其他问题需要改进?

先谢谢你。

python numpy decoding one-hot-encoding
1个回答
0
投票

你的一些项目有逗号和点的错别字 (例如,你的第一个列表应该是 [0.1, 0.2, 0.5] 而不是 [0.1, 0.2, 0, 5]).

固定列表是。

l = [
      [[0.1,0.2,0.5],[0.2,0.4,0.7],[0.3,0.5,0.8]],
      [[0.3,0.6,0  ],[0.4,0.9,0.1],[0  ,0  ,0.2]],
      [[0.7,0.1,0.1],[0.6,0.1,0.1],[0.6,0.6,0.3]],
      [[0.6,0.2,0.3],[0.4,0.5,0.3],[0.1,0.2,0.7]]
]

那么你可以这样做:

np.array(l)  # np.dstack(l) would work as well

这将产生。

array([[[0.1, 0.2, 0.5],
        [0.2, 0.4, 0.7],
        [0.3, 0.5, 0.8]],
       [[0.3, 0.6, 0. ],
        [0.4, 0.9, 0.1],
        [0. , 0. , 0.2]],
       [[0.7, 0.1, 0.1],
        [0.6, 0.1, 0.1],
        [0.6, 0.6, 0.3]],
       [[0.6, 0.2, 0.3],
        [0.4, 0.5, 0.3],
        [0.1, 0.2, 0.7]]])
© www.soinside.com 2019 - 2024. All rights reserved.