当前位置: 首页 > 工具软件 > b64img > 使用案例 >

图像base64编码以及基于flask传输

欧阳玺
2023-12-01

base64图像编码

  • b64encode() bytes转为bytes
  • b64deconde() str转为bytes
  • encode() str转为bytes
  • decode() bytes转为str

(https://blog.csdn.net/weixin_31866177/article/details/107557655)

img_f = open(p, 'rb')
img_stream_1 = img_f.read()
#二进制字节读取图像  b'\xff\xd8\xff\xe0\x00\x10JFIF...'
img_stream_2 = base64.b64encode(img_stream_1)
#对二进制图像b64编码  b'/9j/4AAQSkZJRgABAQEASABIAAD...'
img_stream_3 = img_stream_2.decode()
#解码成字符串 /9j/4AAQSkZJRgABAQEASAB...
img_stream_4 = base64.b64decode(img_stream_3)
#字符串解码成二进制字节  b'\xff\xd8\xff\xe0\x00\...'
img_stream_5 = base64.b64decode(img_stream_2)

但是发现一个问题,不管我是
base64.b64decode(img_stream_3)
还是
base64.b64decode(img_stream_2)
返回的结果都一样。和一些讲解说的b64decode()解码的必须是字符串有差别。

flask图像传输

客户端代码:

import request
import base64
#以二进制打开图像文件
with open() as f:
	img_byte = f.read()  #img_byte是图像的二进制编码
img_b64 = base64.b64encode(img_byte)  #img_b64是字节类型变量,b64.encode()对字节类型变量进行b64编码,bytes->bytes
img_str = img_b64.decode()   #img_str是字符串类型变量,decode()对字节类型变量进行解码,bytes->str
Data = {"image":img_str}
#访问服务
result = request.post('0,0,0,0',data=Data)

服务端代码

from flask import request,Flask
import base64

app = Flask(__name__)
#定义路由
@app.route('/',methods=['POST','GET'])
def get_pic():
	img_str = request.form['image'] #获取图像数据,对应客户端的img_str
	img_byte = base64.b64decode(img_str) #img_byte是字节型数据,二进制编码。b64decode对字节型b64编码数据进行解码。bytes->bytes
	image = np.fromstring(img_byte, np.uint8)
    image = cv2.imdecode(image, cv2.IMREAD_COLOR) 
    cv2.imwrite('pic.jpg', image)

flask 利用flask传输图片-https://blog.csdn.net/guoqingru0311/article/details/119897306

 类似资料: