How can I download a file on a click event using selenium?

110,419

Solution 1

Find the link using find_element(s)_by_*, then call click method.

from selenium import webdriver

# To prevent download dialog
profile = webdriver.FirefoxProfile()
profile.set_preference('browser.download.folderList', 2) # custom location
profile.set_preference('browser.download.manager.showWhenStarting', False)
profile.set_preference('browser.download.dir', '/tmp')
profile.set_preference('browser.helperApps.neverAsk.saveToDisk', 'text/csv')

browser = webdriver.Firefox(profile)
browser.get("http://www.drugcite.com/?q=ACTIMMUNE")

browser.find_element_by_id('exportpt').click()
browser.find_element_by_id('exporthlgt').click()

Added profile manipulation code to prevent download dialog.

Solution 2

I'll admit this solution is a little more "hacky" than the Firefox Profile saveToDisk alternative, but it works across both Chrome and Firefox, and doesn't rely on a browser-specific feature which could change at any time. And if nothing else, maybe this will give someone a little different perspective on how to solve future challenges.

Prerequisites: Ensure you have selenium and pyvirtualdisplay installed...

  • Python 2: sudo pip install selenium pyvirtualdisplay
  • Python 3: sudo pip3 install selenium pyvirtualdisplay

The Magic

import pyvirtualdisplay
import selenium
import selenium.webdriver
import time
import base64
import json

root_url = 'https://www.google.com'
download_url = 'https://www.google.com/images/branding/googlelogo/2x/googlelogo_color_272x92dp.png'

print('Opening virtual display')
display = pyvirtualdisplay.Display(visible=0, size=(1280, 1024,))
display.start()
print('\tDone')

print('Opening web browser')
driver = selenium.webdriver.Firefox()
#driver = selenium.webdriver.Chrome() # Alternately, give Chrome a try
print('\tDone')

print('Retrieving initial web page')
driver.get(root_url)
print('\tDone')

print('Injecting retrieval code into web page')
driver.execute_script("""
    window.file_contents = null;
    var xhr = new XMLHttpRequest();
    xhr.responseType = 'blob';
    xhr.onload = function() {
        var reader  = new FileReader();
        reader.onloadend = function() {
            window.file_contents = reader.result;
        };
        reader.readAsDataURL(xhr.response);
    };
    xhr.open('GET', %(download_url)s);
    xhr.send();
""".replace('\r\n', ' ').replace('\r', ' ').replace('\n', ' ') % {
    'download_url': json.dumps(download_url),
})

print('Looping until file is retrieved')
downloaded_file = None
while downloaded_file is None:
    # Returns the file retrieved base64 encoded (perfect for downloading binary)
    downloaded_file = driver.execute_script('return (window.file_contents !== null ? window.file_contents.split(\',\')[1] : null);')
    print(downloaded_file)
    if not downloaded_file:
        print('\tNot downloaded, waiting...')
        time.sleep(0.5)
print('\tDone')

print('Writing file to disk')
fp = open('google-logo.png', 'wb')
fp.write(base64.b64decode(downloaded_file))
fp.close()
print('\tDone')
driver.close() # close web browser, or it'll persist after python exits.
display.popen.kill() # close virtual display, or it'll persist after python exits.

Explaination

We first load a URL on the domain we're targeting a file download from. This allows us to perform an AJAX request on that domain, without running into cross site scripting issues.

Next, we're injecting some javascript into the DOM which fires off an AJAX request. Once the AJAX request returns a response, we take the response and load it into a FileReader object. From there we can extract the base64 encoded content of the file by calling readAsDataUrl(). We're then taking the base64 encoded content and appending it to window, a gobally accessible variable.

Finally, because the AJAX request is asynchronous, we enter a Python while loop waiting for the content to be appended to the window. Once it's appended, we decode the base64 content retrieved from the window and save it to a file.

This solution should work across all modern browsers supported by Selenium, and works whether text or binary, and across all mime types.

Alternate Approach

While I haven't tested this, Selenium does afford you the ability to wait until an element is present in the DOM. Rather than looping until a globally accessible variable is populated, you could create an element with a particular ID in the DOM and use the binding of that element as the trigger to retrieve the downloaded file.

Solution 3

In chrome what I do is downloading the files by clicking on the links, then I open chrome://downloads page and then retrieve the downloaded files list from shadow DOM like this:

docs = document
  .querySelector('downloads-manager')
  .shadowRoot.querySelector('#downloads-list')
  .getElementsByTagName('downloads-item')

This solution is restrained to chrome, the data also contains information like file path and download date. (note this code is from JS, may not be the correct python syntax)

Solution 4

Here is the full working code. You can use web scraping to enter the username password and other field. For getting the field names appearing on the webpage, use inspect element. Element name(Username,Password or Click Button) can be entered through class or name.

from selenium import webdriver
# Using Chrome to access web
options = webdriver.ChromeOptions() 
options.add_argument("download.default_directory=C:/Test") # Set the download Path
driver = webdriver.Chrome(options=options)
# Open the website
try:
    driver.get('xxxx') # Your Website Address
    password_box = driver.find_element_by_name('password')
    password_box.send_keys('xxxx') #Password
    download_button = driver.find_element_by_class_name('link_w_pass')
    download_button.click()
    driver.quit()
except:
    driver.quit()
    print("Faulty URL")
Share:
110,419
sam
Author by

sam

Updated on February 12, 2021

Comments

  • sam
    sam over 3 years

    I am working on python and selenium. I want to download file from clicking event using selenium. I wrote following code.

    from selenium import webdriver
    from selenium.common.exceptions import NoSuchElementException
    from selenium.webdriver.common.keys import Keys
    
    browser = webdriver.Firefox()
    browser.get("http://www.drugcite.com/?q=ACTIMMUNE")
    
    browser.close()
    

    I want to download both files from links with name "Export Data" from given url. How can I achieve it as it works with click event only?

  • sam
    sam over 10 years
    what should be done if i wanted to hide the browser or keep the browser in hide/minimized mode while processing?
  • falsetru
    falsetru over 10 years
    @sam, Search for headless + selenium + firefox.
  • falsetru
    falsetru over 10 years
    @sam, Or phanromjs, ghostdriver.
  • falsetru
    falsetru over 10 years
    @sam, Sorry, I don't know how to do that. See close firefox automatically when download is complete.
  • iChux
    iChux about 10 years
    @falsetru, this solution works. I would have to research on how to redirect it to download to another place & not the tmp folder on Ubnutu
  • Iqbal
    Iqbal over 8 years
    @sam You may use PyVirtualDisplay for running firefox headless. It worked for me.
  • Iqbal
    Iqbal over 8 years
    Still getting download dialogue box.
  • seth127
    seth127 almost 8 years
    Hi, I trying to do the same thing (and it's working) but I'm wondering if anyone knows how to control the download location. It's automatically downloading in my Downloads folder, but I'd like to route it to the folder where my .py file is located (so that I can then import it directly with the script). Thanks!
  • seth127
    seth127 almost 8 years
    Nevermind, I found the answer. Here it is, in case anyone else needs it: stackoverflow.com/questions/25251583/…
  • Martin Thoma
    Martin Thoma almost 7 years
    Is there a way to set (or at least get) the path including the filename of the downloaded element? When the download is triggered by JavaScript / onClick I don't think there is a trivial way to get the name by inspecting the source.
  • falsetru
    falsetru almost 7 years
    @MartinThoma, How about create a temporary directory, and os.listdir('/path/to/the/directory') (+ optionally sort by ctime/mtime) ?
  • Martin Thoma
    Martin Thoma almost 7 years
    @falsetru Nice idea. I've just realized that I'm using chromium and that it might be completely different there.
  • user568021
    user568021 almost 5 years
    Selenium is really making this hard to do. I'm still getting the download dialog box :(
  • OscarVanL
    OscarVanL almost 4 years
    I have a download button for a PDF that is behind a captcha, so is tied to the session. The download_url I have is not to a .pdf file, but to a javascript page with a $(document).ready(function () { which calls a $.post() to the actual PDF. When I use your solution I end up downloading a HTML file rather than the PDF I want to download. How would I adapt this in this situation?
  • Cerin
    Cerin almost 4 years
    The browser.download.dir setting no longer seems to be respected. Selenium/Firefox just dumps all downloads straight into your home directory regardless of this setting.
  • falsetru
    falsetru almost 4 years
    @Cerin, According to this answer, should set browser.download.folderList to 2.
  • Cerin
    Cerin almost 4 years
    @falsetru I found the issue was that I was using a relative path. It works as described if you use an absolute path.
  • smart-developer
    smart-developer about 3 years
    Please note the question tag. It's a python question, not JS!
  • neurocker
    neurocker over 2 years
    I'm still getting dialog box and I found solution here: reddit.com/r/learnpython/comments/42hg1c/comment/czaiain/…