Python3 最重要的新特性大概要算是對文本和二進制數據做了更爲清晰的區分。文本老是 Unicode,由str類型表示,二進制數據則由 bytes 類型表示。Python3 不會以任意隱式的方式混用 str 和 bytes,正是這使得二者的區分特別清晰。不能拼接字符串和字節包,也沒法在字節包裏搜索字符串(反之亦然),也不能將字符串傳入參數爲字節包的函數(反之亦然)數組
b1=b'sdf' s1='sag' print(type(b1),type(s1))#<class 'bytes'> <class 'str'> # bytes按utf8的方式解碼成str b2=b1.decode('utf8') # str按utf8的方式編碼成bytes s2=s1.encode('utf8')
import base64 with open("img.png", "rb") as f: # b64encode是編碼,b64decode是解碼 base64_data = base64.b64encode(f.read()) print(base64_data) r = base64.b64decode(base64_data) print(type(r), r) f.close()
import cv2 import numpy as np b = b'aaaaaaaaa' # bytes image_array1 = np.frombuffer(b, dtype=np.uint8) # numpy array img_decode = cv2.imdecode(image_array1, 1) # 效果等同於cv2.imread()
Python3 中 BytesIO 和 StringIO 最大的優點就是能夠將讀寫的操做在內存中進行,相對於磁盤級別的 IO 既省了時間也省了出錯的機率函數
StringIOpost
from io import StringIO f = StringIO() f.write('hello') # 內存級別寫入操做 print(f.getvalue()) # 獲得文件內容(至關於磁盤IO操做的read()) # 也能夠用一個str初始化StringIO,而後,像讀文件同樣讀取: from io import StringIO f = StringIO('Hello!\nHi!\nGoodbye!') while True: s = f.readline() if s == '': break print(s.strip()) ''' Hello! Hi! Goodbye! '''
BytesIOui
StringIO操做的只能是str,若是要操做二進制數據,就須要使用BytesIO,BytesIO實現了在內存中讀寫bytes編碼
from io import BytesIO f = BytesIO() f.write('中文'.encode('utf-8')) print(f.getvalue()) # b'\xe4\xb8\xad\xe6\x96\x87' # 寫入的不是str,而是通過UTF-8編碼的bytes。 # 和StringIO相似,能夠用一個bytes初始化BytesIO,而後,像讀文件同樣讀取: from io import BytesIO f = BytesIO(b'\xe4\xb8\xad\xe6\x96\x87') f.read() # b'\xe4\xb8\xad\xe6\x96\x87'
注意指針問題spa
.getvalue() 能夠查看整個輸入後的狀況 .write() 的初始位置是 0,輸入多少後到多少位,直接構造以後初始位置不變仍是0 .seek() 是直接去某個 position .tell()能夠查看當前位置 .read()讀取完指針位置自動到末尾指針
f=StringIO('abc') f.read() #返回'abc' f.read() #返回'' 由於使用過一次read以後指針會發生移動 f.getvalue() #返回'abc' 由於getvalue不受指針影響 f=StringIO('') f.write('abc') f.read() #返回'' 由於write已經使指針發生了移動 f.getvalue() #返回'abc' 由於getvalue不受指針影響 f.seek(0) #解決方法:用seek將指針歸零 f.read() #返回'abc'
BufferedReader 能夠將 postman 傳遞的 Filestorage 類型的數據轉換成 BufferedReader 類型,以後就能夠轉換成 numpy array,進行 cv2 的操做code
from io import BufferedReader img = request.file.get('xxx') # 假設postman傳了圖片到服務端,服務端接收到後爲img # 轉成BufferedReader格式 img_buff = BufferedReader(img) # 獲得byte數據 img_byte = BufferedReader.read(img_buff ) # 轉成numpy數組 nparr = np.frombuffer(img_byte , dtype=np.uint8) # 轉成cv2.imread相同效果的數據 img_decode = cv2.imdecode(nparr, 1) print(img_decode.shape)