How do I copy a remote image in python?

此生再无相见时 提交于 2019-11-28 06:00:37
Nadia Alramli

To download:

import urllib2
img = urllib2.urlopen("http://example.com/image.jpg").read()

To verify can use PIL

import StringIO
from PIL import Image
try:
    im = Image.open(StringIO.StringIO(img))
    im.verify()
except Exception, e:
    # The image is not valid

If you just want to verify this is an image even if the image data is not valid: You can use imghdr

import imghdr
imghdr.what('ignore', img)

The method checks the headers and determines the image type. It will return None if the image was not identifiable.

Jochen Ritzel

Downloading stuff

import urllib
url = "http://example.com/image.jpg"
fname = "image.jpg"
urllib.urlretrieve( url, fname )

Verifying that it is a image can be done in many ways. The hardest check is opening the file with the Python Image Library and see if it throws an error.

If you want to check the file type before downloading, look at the mime-type the remote server gives.

import urllib
url = "http://example.com/image.jpg"
fname = "image.jpg"
opener = urllib.urlopen( url )
if opener.headers.maintype == 'image':
    # you get the idea
    open( fname, 'wb').write( opener.read() )

Same thing using httplib2...

from PIL import Image
from StringIO import StringIO
from httplib2 import Http

# retrieve image
http = Http()
request, content = http.request('http://www.server.com/path/to/image.jpg')
im = Image.open(StringIO(content))

# is it valid?
try:
    im.verify()
except Exception:
    pass  # not valid
DavidRR

For the portion of the question with respect to copying a remote image, here's an answer inspired by this answer:

import urllib2
import shutil

url = 'http://dummyimage.com/100' # returns a dynamically generated PNG
local_file_name = 'dummy100x100.png'

remote_file = urllib2.urlopen(url)
with open(local_file_name, 'wb') as local_file:
    shutil.copyfileobj(remote_file, local_file)

Note that this approach will work for copying a remote file of any binary media type.

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