I’m converting a image (numpy array) into a string. Then I’m converting this string back to a numpy array of the original dimensions. Hence both the numpy arrays are equal- infact numpy.array_equals()
also returns True
for the arrays being equal.
When I call cv2.imshow()
on the original numpy array, it prints the image. But when I call cv2.imshow()
on the new numpy array, I get only a black screen.
Why is this happening? Both the numpy arrays are equal, so I should get the same output right?
JavaScript
x
26
26
1
import numpy as np
2
import cv2
3
4
frame = cv2.imread( '/home/nirvan/img_two.png' , cv2.IMREAD_GRAYSCALE)
5
string = ' '.join(map(str,frame.flatten().tolist()))
6
7
frameCopy = frame.copy()
8
9
x = frame.shape[0]
10
y = frame.shape[1]
11
12
frame = string.strip()
13
temp = [ int(t) for t in frame.split(' ')]
14
temp = np.array(temp)
15
temp = temp.reshape( (x,y) )
16
17
print( np.array_equal(frameCopy , temp) )
18
19
#gives black screen
20
cv2.imshow('l' , np.array(temp) )
21
22
#gives proper image
23
#cv2.imshow('l' , np.array(frameCopy) )
24
25
cv2.waitKey()
26
Advertisement
Answer
Your arrays i.e. your frames are equal, but the data types are not. Your temp
array is of type int64
while imshow
expects uint8
. The following will fix your script:
JavaScript
1
2
1
cv2.imshow('l' , np.array(temp, dtype = np.uint8 ) )
2