Flask OpenCV以字节发送和接收图像

问题描述 投票:1回答:2

我想在我的flask API中以字节为单位发送和接收图像。我还想在图像旁发送一些json。我怎样才能做到这一点?

以下是我目前无效的解决方案

烧瓶:

    @app.route('/add_face', methods=['GET', 'POST'])
    def add_face():
    if request.method == 'POST':
        # print(request.json)
        nparr = np.fromstring(request.form['img'], np.uint8)
        print(request.form['img'])
        img = cv2.imdecode(nparr, cv2.IMREAD_COLOR)

        cv2.imshow("frame", img)
        cv2.waitKey(1)

    return "list of names & faces"

客户:

def save_encoding(img_file):
    URL = "http://localhost:5000/add_face"
    img = open(img_file, 'rb').read()

    response = requests.post(URL, data={"name":"obama", "img":str(img)})
    print(response.content)

产生错误:

cv2.imshow("frame", img)
cv2.error: OpenCV(3.4.3) /io/opencv/modules/highgui/src/window.cpp:356: error: (-215:Assertion failed) size.width>0 && size.height>0 in function 'imshow'
python api opencv flask
2个回答
1
投票

以下对我有用。我没有客户端代码,但我有一个curl请求。这应该够了吧,

服务器

from flask import request
from PIL import Image
import io

@app.route("/add_face", methods=["POST"])
def predict():
    image = request.files["image"]
    image_bytes = Image.open(io.BytesIO(image.read()))

客户端

curl -X POST -F image=@PATH/TO/FILE 'http://localhost:5000/add_face'

1
投票

以base64格式发送图像更容易,通过这样做可以解决发送/接收二进制数据的问题,因为您只需使用字符串。在web中也更方便。测试代码如下:服务器端:

from flask import Flask, render_template, request
import pandas as pd
import cv2
import numpy as np
import base64

app = Flask(__name__)



@app.route('/add_face', methods=['GET', 'POST'])
def add_face():
    if request.method == 'POST':
        #  read encoded image
        imageString = base64.b64decode(request.form['img'])

        #  convert binary data to numpy array
        nparr = np.fromstring(imageString, np.uint8)

        #  let opencv decode image to correct format
        img = cv2.imdecode(nparr, cv2.IMREAD_ANYCOLOR);
        cv2.imshow("frame", img)
        cv2.waitKey(0)

    return "list of names & faces"
if __name__ == '__main__':
    app.run(debug=True, port=5000)

客户端:

import requests
import base64

URL = "http://localhost:5000/add_face"

#  first, encode our image with base64
with open("block.png", "rb") as imageFile:
    img = base64.b64encode(imageFile.read())

response = requests.post(URL, data={"name":"obama", "img":str(img)})
print(response.content)

如果您确定输入图像,可以使用COLOR而不是ANYCOLOR。

© www.soinside.com 2019 - 2024. All rights reserved.