How can I wait until a webpage is fully loaded using Selenium WebDriver in Python?

34    Asked by AkanshaChawla in QA Testing , Asked on Dec 15, 2024

When working with Selenium WebDriver in Python, it’s often necessary to ensure that a webpage has completely loaded before performing further actions, such as interacting with elements on the page. This can be achieved using explicit waits or checking the browser’s document.readyState. What are some effective methods for waiting until the page is fully loaded, and how can they be implemented?

Answered by Aashna Saito

To wait until a page is fully loaded in Selenium WebDriver using Python, you typically use explicit waits with conditions such as document.readyState, or WebDriver's built-in waiting mechanisms like WebDriverWait. Here's an example of how you can wait for the page to load:

Example: Waiting for Page to Load Using document.readyState

from selenium import webdriver
from selenium.webdriver.common.by import By
from selenium.webdriver.support.ui import WebDriverWait
from selenium.webdriver.support import expected_conditions as EC
# Initialize the WebDriver (use your desired driver, e.g., Chrome)
driver = webdriver.Chrome()
try:
    # Navigate to the desired URL
    driver.get("https://example.com")
    # Wait for the page to fully load
    WebDriverWait(driver, 10).until(
        lambda d: d.execute_script("return document.readyState") == "complete"
    )
    # Perform further actions after the page is loaded
    print("Page is fully loaded!")
finally:
    # Close the driver
    driver.quit()

Example: Waiting for Specific Elements

If you know which element(s) signify that the page has fully loaded, you can wait for those elements specifically:

# Wait for a specific element to be visible on the page
WebDriverWait(driver, 10).until(
    EC.visibility_of_element_located((By.ID, "element_id"))
)

Key Points:

  1. document.readyState: Checks the browser's document loading status. Values include:
  2. loading: The document is still loading.
  3. interactive: The document has loaded but sub-resources are still being fetched.
  4. complete: The document and all resources have finished loading.
  5. WebDriverWait and Expected Conditions: These provide fine-grained control over waiting for specific conditions like elements appearing, disappearing, or being clickable.
  6. Timeout Handling: Always specify a timeout to prevent indefinite waiting in case the page doesn't load as expected.


Your Answer

Interviews

Parent Categories