首页 文章

如何在python中读取带符号的16位TIFF?

提问于
浏览
1

我使用OpenCV的imread()来读取TIFF . 但是 Value 观与我所知道的并不相同 . 这个TIFF是 signed 16-bit ,它有负值 . 使用imread()的值范围是0~65535,它是 unsigned 16-bit .

import cv2 as cv

img = cv.imread("MYD_20140102.tif",2)
print img
print img.dtype 
print img.shape
print img.min()
print img.max()

cv.namedWindow("Image")
cv.imshow("Image",img)
cv.waitKey(0)
cv.destroyAllWindows()


output:
img=[[55537 55537 55537 ... 55537 55537 55537]
 [55537 55537 55537 ... 55537 55537 55537]
 [55537 55537 55537 ... 55537 55537 55537]
 ...
 [55537 55537 55537 ... 55537 55537 55537]
 [55537 55537 55537 ... 55537 55537 55537]
 [55537 55537 55537 ... 55537 55537 55537]]
type=uint16
shape=(2318, 2296)
imgMin=0
imgMAX=65535

1 回答

  • 0

    库tifffile(https://pypi.python.org/pypi/tifffile)完全符合您的要求 . 下面是一个创建int16 numpy数组的示例,将其保存在磁盘上,然后再次加载:

    import tifffile
    import numpy as np
    
    # random array of numbers between -5 and 5
    a = np.asarray(np.random.rand(8, 8)*10-5, dtype=np.int16)
    # save array to disk and display its content
    tifffile.imsave("test.tiff", a)
    print(str(a) + "\n")
    # load the array back from the disk and display its content too
    b = tifffile.imread("test.tiff")
    print(b)
    

    输出:

    a=[[ 1 -1 -3  2  3 -1  4  0]
       [ 2 -2  2  0 -1  0  3 -4]
       [ 0 -4  3  2 -4 -2  0 -3]
       [ 0 -1  0 -2  0  3 -3  1]
       [ 0 -4  3  1 -1  3  2  3]
       [-3  4  4  3 -3  1 -3 -2]
       [ 4  0 -4 -2  1 -3  3 -3]
       [ 4  0  4  2  3  1 -2 -4]]
    
    b=[[ 1 -1 -3  2  3 -1  4  0]
       [ 2 -2  2  0 -1  0  3 -4]
       [ 0 -4  3  2 -4 -2  0 -3]
       [ 0 -1  0 -2  0  3 -3  1]
       [ 0 -4  3  1 -1  3  2  3]
       [-3  4  4  3 -3  1 -3 -2]
       [ 4  0 -4 -2  1 -3  3 -3]
       [ 4  0  4  2  3  1 -2 -4]]
    

相关问题