Use Python to get image in Zapier

只谈情不闲聊 提交于 2019-12-11 03:09:59

问题


I am trying to use a Python code step to download an image in Zapier. Here is some sample code (but it doesn't seem to work):

r = requests.get('https://dummyimage.com/600x400/000/fff')
img = r.raw.read()
return {'image_data': img}

The error I get is Runtime.MarshalError: Unable to marshal response: b'' is not JSON serializable

Does anyone know how I can use requests in a Python code step in Zapier to get an image? (I am trying to get the image and save it to Dropbox.) THANKS.


回答1:


It looks like you need a json serializable object and not a binary object. One way to convert your image to a string is to use base64 and then encode it:

Make the image serializable:

r = requests.get('https://dummyimage.com/600x400/000/fff') 
img_serializable = base64.b64encode(r.content).decode('utf-8')                                                                         
# check with json.dumps(img_serializable)

Now return {'image_data': img_serializable} should not give errors.

Recover image from string and save to file:

with open("imageToSave.png", "wb") as f: 
    f.write(base64.decodebytes(img_serializable.encode('utf-8'))) 

The same using codecs, that is part of the standard Python library:

r = requests.get('https://dummyimage.com/600x400/000/fff') 
content = codecs.encode(r.content, encoding='base64') 
img_serializable = codecs.decode(content,encoding='utf-8')                                         

type(img_serializable)                                                                                                                 
# Out:
# str

with open("imageToSave3.png", "wb") as f: 
    f.write(codecs.decode(codecs.encode(img_serializable, encoding='utf-8'), \ 
                            encoding='base64')) 


来源:https://stackoverflow.com/questions/55088069/use-python-to-get-image-in-zapier

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!