我用数字及其每行的位长制成二进制数组,如果295289042101659每行6位,数字大小为49位,那么在数组中,它将是6位X 9行,通过代码并修改为6位长度零填充线:
def listify(a, bit = 5):
res = []
while a:
a, b = divmod(a,2**bit)
res.append(b)
return res[::-1]
000001
000011
001001
000001
010110
011101
011110
010110
011011
因为它是二进制数组,所以我使用了二进制加法代码而没有携带:
def binaryadd(one, other):
if one & other:
return False
return one | other
如果我得到一些大小为3的402(0b110010010)数组,那么如何通过上下坐标或在点(3,6)上下将其添加到点(2,2)处上,从右到左的坐标? 看起来应该是:
000001
00 11 11
001 1 01
000 1 01
010110
011101
011110
010110
011011
我这样做是这样的:
def array_add(one,another, point = (0,0)):
a = [a*2**point[0] for a in another[:]]
a+=[0]*point[1]
a = [0]*(len(one)-len(a))+a
res = [binaryadd(a,b) for a, b in zip(one[::-1],a[::-1])][::-1]
if not all(res):
return False
return res
最好的方法是通过修改一个列表对列表的每个值应用二进制加法吗?
还是我误解了数组的基础?
答案 0 :(得分:0)
由于提到了numpy标签,因此可以使用它来具有高性能和可读代码:
import numpy as np
def int_to_array(n,width):
v=np.zeros(64,np.uint8)
i,u,total=0,n,0
while(u):
if i%width == 0 : total += width
u,v[i],i = u//2,u%2,i+1
return v[:total][::-1].reshape(-1,width)
def add(a,b,point=(0,0)):
sx,sy = point
ex = sx+b.shape[0]
ey = sy+b.shape[1]
a[sx:ex,sy:ey] |= b
a=int_to_array(295289042101659,6)
b=int_to_array(402,3)
print(a)
print(b)
add(a,b,(2,2))
print(a)
对于:
[[0 0 0 0 0 1]
[0 0 0 0 1 1]
[0 0 1 0 0 1]
[0 0 0 0 0 1]
[0 1 0 1 1 0]
[0 1 1 1 0 1]
[0 1 1 1 1 0]
[0 1 0 1 1 0]
[0 1 1 0 1 1]]
[[1 1 0]
[0 1 0]
[0 1 0]]
[[0 0 0 0 0 1]
[0 0 0 0 1 1]
[0 0 1 1 0 1]
[0 0 0 1 0 1]
[0 1 0 1 1 0]
[0 1 1 1 0 1]
[0 1 1 1 1 0]
[0 1 0 1 1 0]
[0 1 1 0 1 1]]