2

有没有办法在纯粹的 numpy (或 opencv )中执行以下操作?

img = cv2.imread("test.jpg")
counts = defaultdict(int)
for row in img:
    for val in row:
        counts[tuple(val)] += 1

问题是它tuple(val)显然可以是 2^24 个不同的值之一,因此不可能为每个可能的值设置一个数组,因为它会很大而且大部分都是零,所以我需要一个更有效的数据结构。

4

2 回答 2

4

解决这个问题的最快方法是,如果图像以“chunky”格式存储,即颜色平面维度是最后一个维度,并且最后一个维度是连续的,则np.void查看每个 24 位像素,然后通过np.uniqueand运行结果np.bincount

>>> arr = np.random.randint(256, size=(10, 10, 3)).astype(np.uint8)
>>> dt = np.dtype((np.void, arr.shape[-1]*arr.dtype.itemsize))
>>> if arr.strides[-1] != arr.dtype.itemsize:
...     arr = np.ascontiguousarray(arr)
... 
>>> arr_view = arr.view(dt)

arr_view看起来像垃圾的内容:

>>> arr_view [0, 0]
array([Â], 
      dtype='|V3')

但不是我们必须了解内容:

>>> unq, _ = np.unique(arr_view, return_inverse=True)
>>> unq_cnts = np.bincount(_)
>>> unq = unq.view(arr.dtype).reshape(-1, arr.shape[-1])

现在你有了这两个数组中的唯一像素及其计数:

>>> unq[:5]
array([[  0,  82,  78],
       [  6, 221, 188],
       [  9, 209,  85],
       [ 14, 210,  24],
       [ 14, 254,  88]], dtype=uint8)
>>> unq_cnts[:5]
array([1, 1, 1, 1, 1], dtype=int64)
于 2013-11-12T14:15:31.400 回答
2

这是我的解决方案:

  • 使用 dtype=uint32 将图像转换为一维数组
  • sort()数组
  • 用于diff()查找颜色发生变化的所有位置。
  • 再次使用diff()以找到每种颜色的计数。

编码:

In [50]:
from collections import defaultdict
import cv2
import numpy as np
img = cv2.imread("test.jpg")

In [51]:
%%time
counts = defaultdict(int)
for row in img:
    for val in row:
        counts[tuple(val)] += 1
Wall time: 1.29 s

In [53]:
%%time
img2 = np.concatenate((img, np.zeros_like(img[:, :, :1])), axis=2).view(np.uint32).ravel()
img2.sort()
pos = np.r_[0, np.where(np.diff(img2) != 0)[0] + 1]
count = np.r_[np.diff(pos), len(img2) - pos[-1]]
r, g, b, _ = img2[pos].view(np.uint8).reshape(-1, 4).T
colors = zip(r, g, b)
result = dict(zip(colors, count))
Wall time: 177 ms

In [49]:
counts == result
Out[49]:
True

如果你可以使用 pandas,你可以调用pandas.value_counts(),它是在带有哈希表的 cython 中实现的。

于 2013-11-12T03:26:00.633 回答