使用Numpy将uint8数组的元素解包到二进制输出数组中
要将uint8数组的元素解包到二进制输出数组中,请使用Python Numpy中的**numpy.unpackbits()**方法。结果是二进制值(0或1)。
输入数组的每个元素代表一个位字段,应该将其解包到二进制输出数组中。输出数组的形状可以是一维的(如果axis为None),也可以与输入数组的形状相同,沿着指定的axis进行解包。
axis是进行位解包的维度。None表示解包扁平化的数组。count参数是沿着axis解包的元素个数,作为撤销非8的倍数大小打包效果的一种方法。非负数表示只解包count位。负数表示从末尾截断这么多位。None表示解包整个数组(默认值)。大于可用位数的计数将向输出添加零填充。负计数不得超过可用位数。
order是返回位的顺序。“big”将模拟bin(val),3 = 0b00000011 ⇒ [0, 0, 0, 0, 0, 0, 1, 1],“little”将反转顺序为[1, 1, 0, 0, 0, 0, 0, 0]。默认为“big”。
步骤
首先,导入所需的库:
import numpy as np
创建一个二维数组。我们使用“dtype”参数设置uint8类型:
arr = np.array([[4, 8], [6, 19], [27, 35]], dtype=np.uint8)
显示我们的数组:
print("Array...
",arr)
获取数据类型:
print("
Array datatype...
",arr.dtype)
获取数组的维度:
print("
Array Dimensions...
",arr.ndim)
获取数组的形状:
print("
Our Array Shape...
",arr.shape)
获取数组的元素个数:
print("
Elements in the Array...
",arr.size)
要将uint8数组的元素解包到二进制输出数组中,请使用numpy.unpackbits()方法。结果是二进制值(0或1):
res = np.unpackbits(arr) print("
Result...
",res)
示例
import numpy as np # Create a 2d array # We have set uint8 type using the "dtype" parameter arr = np.array([[4, 8], [6, 19], [27, 35]], dtype=np.uint8) # Displaying our array print("Array...
",arr) # Get the datatype print("
Array datatype...
",arr.dtype) # Get the dimensions of the Array print("
Array Dimensions...
",arr.ndim) # Get the shape of the Array print("
Our Array Shape...
",arr.shape) # Get the number of elements of the Array print("
Elements in the Array...
",arr.size) # To unpack elements of a uint8 array into a binary-valued output array, use the numpy.unpackbits() method in Python Numpy # The result is binary-valued (0 or 1). res = np.unpackbits(arr) print("
Result...
",res)
输出
Array... [[ 4 8] [ 6 19] [27 35]] Array datatype... uint8 Array Dimensions... 2 Our Array Shape... (3, 2) Elements in the Array... 6 Result... [0 0 0 0 0 1 0 0 0 0 0 0 1 0 0 0 0 0 0 0 0 1 1 0 0 0 0 1 0 0 1 1 0 0 0 1 1 0 1 1 0 0 1 0 0 0 1 1]
广告