urllibとpythonを介して画像をダウンロードする


183

だから私はウェブコミックをダウンロードして自分のデスクトップのフォルダに置くPythonスクリプトを作ろうとしています。私はここでいくつかの同様のプログラムを見つけましたが、同じようなことをしますが、私が必要としているものとはまったく似ていません。私が最も類似していると思うものはここにあります(http://bytes.com/topic/python/answers/850927-problem-using-urllib-download-images)。私はこのコードを使ってみました:

>>> import urllib
>>> image = urllib.URLopener()
>>> image.retrieve("http://www.gunnerkrigg.com//comics/00000001.jpg","00000001.jpg")
('00000001.jpg', <httplib.HTTPMessage instance at 0x1457a80>)

次に、コンピュータでファイル "00000001.jpg"を検索しましたが、見つかったのはそのキャッシュされた画像だけでした。ファイルが自分のコンピューターに保存されたかどうかさえわかりません。ファイルをダウンロードする方法を理解したら、残りのファイルの処理方法がわかったと思います。基本的には、forループを使用して、文字列を '00000000'。 'jpg'で分割し、 '00000000'を最大数までインクリメントします。これを行うための最良の方法またはファイルを正しくダウンロードする方法に関する推奨事項はありますか?

ありがとう!

編集6/15/10

これが完成したスクリプトです。選択した任意のディレクトリにファイルを保存します。奇妙な理由で、ファイルはダウンロードされず、ダウンロードされました。それをクリーンアップする方法についての提案は大歓迎です。いくつかの例外が発生した後にプログラムを終了させるのではなく、サイトに多くのコミックが存在することを確認して、最新のコミックのみを取得する方法を現在検討しています。

import urllib
import os

comicCounter=len(os.listdir('/file'))+1  # reads the number of files in the folder to start downloading at the next comic
errorCount=0

def download_comic(url,comicName):
    """
    download a comic in the form of

    url = http://www.example.com
    comicName = '00000000.jpg'
    """
    image=urllib.URLopener()
    image.retrieve(url,comicName)  # download comicName at URL

while comicCounter <= 1000:  # not the most elegant solution
    os.chdir('/file')  # set where files download to
        try:
        if comicCounter < 10:  # needed to break into 10^n segments because comic names are a set of zeros followed by a number
            comicNumber=str('0000000'+str(comicCounter))  # string containing the eight digit comic number
            comicName=str(comicNumber+".jpg")  # string containing the file name
            url=str("http://www.gunnerkrigg.com//comics/"+comicName)  # creates the URL for the comic
            comicCounter+=1  # increments the comic counter to go to the next comic, must be before the download in case the download raises an exception
            download_comic(url,comicName)  # uses the function defined above to download the comic
            print url
        if 10 <= comicCounter < 100:
            comicNumber=str('000000'+str(comicCounter))
            comicName=str(comicNumber+".jpg")
            url=str("http://www.gunnerkrigg.com//comics/"+comicName)
            comicCounter+=1
            download_comic(url,comicName)
            print url
        if 100 <= comicCounter < 1000:
            comicNumber=str('00000'+str(comicCounter))
            comicName=str(comicNumber+".jpg")
            url=str("http://www.gunnerkrigg.com//comics/"+comicName)
            comicCounter+=1
            download_comic(url,comicName)
            print url
        else:  # quit the program if any number outside this range shows up
            quit
    except IOError:  # urllib raises an IOError for a 404 error, when the comic doesn't exist
        errorCount+=1  # add one to the error count
        if errorCount>3:  # if more than three errors occur during downloading, quit the program
            break
        else:
            print str("comic"+ ' ' + str(comicCounter) + ' ' + "does not exist")  # otherwise say that the certain comic number doesn't exist
print "all comics are up to date"  # prints if all comics are downloaded

わかりました。すべてダウンロードしてもらいました。今、私はオンラインのコミックの数を決定するための非常に洗練されていない解決策に悩まされています...基本的には、プログラムがコミックの数を超えていることがわかっている数まで実行し、その後、例外が実行されてコミックが表示されます存在せず、例外が2回以上表示されると(私は2つ以上のコミックがなくなるとは思わないので)、ダウンロードするものはもうないと考えてプログラムを終了します。私はWebサイトにアクセスできないので、Webサイトにあるファイルの数を確認する最良の方法はありますか?コードはすぐに投稿します。
Mike

creativebe.com/icombiner/merge-jpg.html このプログラムを使用して、すべての.jpgファイルを1つのPDFにマージしました。すばらしい作品であり、無料です!
Mike

7
ソリューションを回答として投稿し、それを質問から削除することを検討してください。質問の投稿は質問をするためのもので、回答の投稿は回答のためのものです:-)
BartoszKP '

これはなぜタグ付けされているのbeautifulsoupですか?この投稿は上位のbeautifulsoup質問のリストに表示されます
P0W '26

1
@ P0W議論されたタグを削除しました。
kmonsoor 2017

回答:


252

Python 2

urllib.urlretrieveの使用

import urllib
urllib.urlretrieve("http://www.gunnerkrigg.com//comics/00000001.jpg", "00000001.jpg")

Python 3

urllib.request.urlretrieveの使用(Python 3のレガシーインターフェイスの一部であり、まったく同じように動作します)

import urllib.request
urllib.request.urlretrieve("http://www.gunnerkrigg.com//comics/00000001.jpg", "00000001.jpg")

引数として渡されると、ファイル拡張子が切り取られているようです(拡張子は元のURLに存在します)。なぜだと思いますか?
JeffThompson 2014年

1
はい、そうです。ファイル拡張子が指定されていない場合、ファイルの拡張子が付加されると思いました。当時私にはそれは理にかなっていたが、今私は何が起こっているのか理解したと思う。
JeffThompson 2014年

65
Python 3の場合、[url.request](docs.python.org/3.0/library/…)をインポートする必要があります:import urllib.request urllib.request.retrieve("http://...")
wasabigeek


18
Python 3の場合は実際に注意してくださいimport urllib.request urllib.request.urlretrieve("http://...jpg", "1.jpg")。これurlretrieveは3.xの時点です。
user1032613 2018年

81
import urllib
f = open('00000001.jpg','wb')
f.write(urllib.urlopen('http://www.gunnerkrigg.com//comics/00000001.jpg').read())
f.close()

70

参考までに、リクエストライブラリを使用します。

import requests
f = open('00000001.jpg','wb')
f.write(requests.get('http://www.gunnerkrigg.com//comics/00000001.jpg').content)
f.close()

ただし、requests.get()エラーをチェックする必要があります。


1
このソリューションがurllibを使用していない場合でも、Pythonスクリプトですでにリクエストライブラリを使用している可能性があるため(これを検索しているときはそうでした)、写真を取得するためにも使用したい場合があります。
Iam Zesh 2014

この回答を他の回答の上に投稿していただき、ありがとうございます。私のダウンロードを機能させるにはカスタムヘッダーが必要になり、requestsライブラリへのポインターにより、すべてが機能するプロセスが大幅に短縮されました。
kuzzooroo 2014年

urllibをpython3で動作させることさえできませんでした。リクエストには問題がなく、すでに読み込まれています!私が考えるはるかに良い選択。
user3023715

@ user3023715 python3では、urllibからリクエストをインポートする必要があります。ここを参照してください
Yassine Sedrani

34

Python 3の場合、インポートする必要がありますimport urllib.request

import urllib.request 

urllib.request.urlretrieve(url, filename)

詳細については、リンクをチェックしてください


15

@DiGMiの答えのPython 3バージョン:

from urllib import request
f = open('00000001.jpg', 'wb')
f.write(request.urlopen("http://www.gunnerkrigg.com/comics/00000001.jpg").read())
f.close()

10

私はこの答えを見つけ、より信頼できる方法で編集しました

def download_photo(self, img_url, filename):
    try:
        image_on_web = urllib.urlopen(img_url)
        if image_on_web.headers.maintype == 'image':
            buf = image_on_web.read()
            path = os.getcwd() + DOWNLOADED_IMAGE_PATH
            file_path = "%s%s" % (path, filename)
            downloaded_image = file(file_path, "wb")
            downloaded_image.write(buf)
            downloaded_image.close()
            image_on_web.close()
        else:
            return False    
    except:
        return False
    return True

これにより、ダウンロード中に他のリソースや例外が発生することはありません。


1
「自己」を削除する必要があります
Euphe

8

ファイルがdirWebサイトの同じディレクトリにsiteあり、次の形式であることがわかっている場合:filename_01.jpg、...、filename_10.jpg次に、すべてのファイルをダウンロードします。

import requests

for x in range(1, 10):
    str1 = 'filename_%2.2d.jpg' % (x)
    str2 = 'http://site/dir/filename_%2.2d.jpg' % (x)

    f = open(str1, 'wb')
    f.write(requests.get(str2).content)
    f.close()


5

たぶん 'User-Agent'が必要です:

import urllib2
opener = urllib2.build_opener()
opener.addheaders = [('User-Agent', 'Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/34.0.1847.137 Safari/537.36')]
response = opener.open('http://google.com')
htmlData = response.read()
f = open('file.txt','w')
f.write(htmlData )
f.close()

多分ページは利用できませんか?
Alexander 14年


3

上記のすべてのコードは、元の画像名を保持することを許可しません。これは、イメージをローカルドライブに保存し、元のイメージ名を保持するのに役立ちます

    IMAGE = URL.rsplit('/',1)[1]
    urllib.urlretrieve(URL, IMAGE)

詳細については、こちらをお試しください。


3

これはpython 3を使用して私のために働いた。

csvファイルからURLのリストを取得し、フォルダーへのダウンロードを開始します。コンテンツまたは画像が存在しない場合は、その例外を取り、魔法をかけ続けます。

import urllib.request
import csv
import os

errorCount=0

file_list = "/Users/$USER/Desktop/YOUR-FILE-TO-DOWNLOAD-IMAGES/image_{0}.jpg"

# CSV file must separate by commas
# urls.csv is set to your current working directory make sure your cd into or add the corresponding path
with open ('urls.csv') as images:
    images = csv.reader(images)
    img_count = 1
    print("Please Wait.. it will take some time")
    for image in images:
        try:
            urllib.request.urlretrieve(image[0],
            file_list.format(img_count))
            img_count += 1
        except IOError:
            errorCount+=1
            # Stop in case you reach 100 errors downloading images
            if errorCount>100:
                break
            else:
                print ("File does not exist")

print ("Done!")

2

より簡単な解決策は次のとおりです(python 3):

import urllib.request
import os
os.chdir("D:\\comic") #your path
i=1;
s="00000000"
while i<1000:
    try:
        urllib.request.urlretrieve("http://www.gunnerkrigg.com//comics/"+ s[:8-len(str(i))]+ str(i)+".jpg",str(i)+".jpg")
    except:
        print("not possible" + str(i))
    i+=1;

そのような場合を除いてベアを使用する場合は注意してください。stackoverflow.com/ questions / 54948548 /…を参照してください。
AMC

1

これはどうですか:

import urllib, os

def from_url( url, filename = None ):
    '''Store the url content to filename'''
    if not filename:
        filename = os.path.basename( os.path.realpath(url) )

    req = urllib.request.Request( url )
    try:
        response = urllib.request.urlopen( req )
    except urllib.error.URLError as e:
        if hasattr( e, 'reason' ):
            print( 'Fail in reaching the server -> ', e.reason )
            return False
        elif hasattr( e, 'code' ):
            print( 'The server couldn\'t fulfill the request -> ', e.code )
            return False
    else:
        with open( filename, 'wb' ) as fo:
            fo.write( response.read() )
            print( 'Url saved as %s' % filename )
        return True

##

def main():
    test_url = 'http://cdn.sstatic.net/stackoverflow/img/favicon.ico'

    from_url( test_url )

if __name__ == '__main__':
    main()

0

プロキシサポートが必要な場合、これを行うことができます。

  if needProxy == False:
    returnCode, urlReturnResponse = urllib.urlretrieve( myUrl, fullJpegPathAndName )
  else:
    proxy_support = urllib2.ProxyHandler({"https":myHttpProxyAddress})
    opener = urllib2.build_opener(proxy_support)
    urllib2.install_opener(opener)
    urlReader = urllib2.urlopen( myUrl ).read() 
    with open( fullJpegPathAndName, "w" ) as f:
      f.write( urlReader )

0

これを行う別の方法は、fastaiライブラリを使用することです。これは私にとって魅力のように働きました。SSL: CERTIFICATE_VERIFY_FAILED Error使用に直面していたurlretrieveので試しました。

url = 'https://www.linkdoesntexist.com/lennon.jpg'
fastai.core.download_url(url,'image1.jpg', show_progress=False)

CERTIFICATE_VERIFY_FAILEDエラー:私は、SSL直面していた stackoverflow.com/questions/27835619/...
AMC

0

リクエストの使用

import requests
import shutil,os

headers = {
    'user-agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/78.0.3904.108 Safari/537.36'
}
currentDir = os.getcwd()
path = os.path.join(currentDir,'Images')#saving images to Images folder

def ImageDl(url):
    attempts = 0
    while attempts < 5:#retry 5 times
        try:
            filename = url.split('/')[-1]
            r = requests.get(url,headers=headers,stream=True,timeout=5)
            if r.status_code == 200:
                with open(os.path.join(path,filename),'wb') as f:
                    r.raw.decode_content = True
                    shutil.copyfileobj(r.raw,f)
            print(filename)
            break
        except Exception as e:
            attempts+=1
            print(e)

if __name__ == '__main__':
    ImageDl(url)

0

urllibを使用すると、これを即座に実行できます。

import urllib.request

opener=urllib.request.build_opener()
opener.addheaders=[('User-Agent','Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/36.0.1941.0 Safari/537.36')]
urllib.request.install_opener(opener)

urllib.request.urlretrieve(URL, "images/0.jpg")
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.