user3410943
user3410943

Reputation:

Download a file providing username and password using Python

My file named as 'blueberry.jpg' begins downloading, when I click on the following url manually provided that the username and password are typed when asked: http://example.com/blueberry/download

How can I make that happen using Python?

import urllib.request

url = 'http://example.com/blueberry/download'

data = urllib.request.urlopen(url).read()

fo = open('E:\\quail\\' + url.split('/')[1] + '.jpg', 'w')
print (data, file = fo)

fo.close()

However above program does not write the required file, how can I provide the required username and password?

Upvotes: 6

Views: 26137

Answers (2)

Burhan Khalid
Burhan Khalid

Reputation: 174748

Use requests, which provides a friendlier interface to the various url libraries in Python:

import os
import requests

from urlparse import urlparse

username = 'foo'
password = 'sekret'

url = 'http://example.com/blueberry/download/somefile.jpg'
filename = os.path.basename(urlparse(url).path)

r = requests.get(url, auth=(username,password))

if r.status_code == 200:
   with open(filename, 'wb') as out:
      for bits in r.iter_content():
          out.write(bits)

UPDATE: For Python3 get urlparse with: from urllib.parse import urlparse

Upvotes: 7

MinimalMaximizer
MinimalMaximizer

Reputation: 392

I'm willing to bet you are using basic auth. So try doing the following:

import urllib.request

url = 'http://username:[email protected]/blueberry/download'

data = urllib.request.urlopen(url).read()

fo = open('E:\\quail\\' + url.split('/')[1] + '.jpg', 'w')
print (data, file = fo)

fo.close()

Let me know if this works.

Upvotes: -1

Related Questions