1

我正在尝试使用 Azure Functions 来使用用 Python 编写的 Form-Recognizer 来包装应用程序。我的问题是使用 BlobTrigger 将 JPEG 转换为 Form-Recognizer 可以使用的格式。

打开图像的基本代码是

from PIL import Image
from io import BytesIO 
import azure.functions as func

def main(blobin: func.InputStream, blobout: func.Out[bytes], context: func.Context):
image = Image.open(blobin)

该图像具有类:'PIL.JpegImagePlugin.JpegImageFile'。

调用 Form-Recognizer 分析的代码如下:

base_url = r"<url>" + "/formrecognizer/v1.0-preview/custom"
model_id = "<model-id>"
headers = {
    'Content-Type': 'image/jpeg',
     'Ocp-Apim-Subscription-Key': '<subscription-key>',
}
resp = None
try:
    url = base_url + "/models/" + model_id + "/analyze" 
    resp = http_post(url = url, data = image, headers = headers)
    print("Response status code: %d" % resp.status_code)    
except Exception as e:
    print(str(e))

不幸的是,http_post 中的 data = image 必须是 class: 'bytes'。

因此,我尝试了各种使用 PIL 将输入图像转换为字节格式的方法。

我的两个主要方法是

with BytesIO() as output:
    with Image.open(input_image) as img:
    img.save(output, 'JPEG')
    image = output.getvalue()

image = Image.open(input_image)
imgByteArr = io.BytesIO()
image.save(imgByteArr, format='JPEG')
imgByteArr = imgByteArr.getvalue()

这两种方法都给了我一个字节格式,但是,它仍然不起作用。无论哪种方式,我最终都会得到这样的回应:

{'error': {'code': '2018', 'innerError': {'requestId': '8cff8e76-c11a-4893-8b5d-33d11f7e7646'}, 'message': 'Content parsing error.'}}

有谁知道解决这个问题的正确方法?

4

1 回答 1

0

根据GitHub repoblob.py中类的源代码,您可以通过类的函数直接从类的变量中获取图像字节,如下图。func.InputStreamAzure/azure-functions-python-libraryblobinfunc.InputStreamread

在此处输入图像描述

同时,参考文件Form Recognizer API,表Content-Type头应为multipart/form-data

因此,我将官方示例代码更改为在 Azure Function 中使用,如下所示。

import http.client, urllib.request, urllib.parse, urllib.error, base64
import azure.functions as func

headers = {
    # Request headers
    'Content-Type': 'multipart/form-data',
    'Ocp-Apim-Subscription-Key': '{subscription key}',
}

params = urllib.parse.urlencode({
    # Request parameters
    'keys': '{string}',
})

def main(blobin: func.InputStream):
    body = blobin.read()
    try:
        conn = http.client.HTTPSConnection('westus2.api.cognitive.microsoft.com')
        conn.request("POST", "/formrecognizer/v1.0-preview/custom/models/{id}/analyze?%s" % params, body, headers)
        response = conn.getresponse()
        data = response.read()
        print(data)
        conn.close()
    except Exception as e:
        print("[Errno {0}] {1}".format(e.errno, e.strerror))

请不要在仅支持 Python 3.6 的 Azure Functions 中使用任何 Python 2 函数。

于 2019-09-03T06:17:19.573 回答