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
class LoginPage:
def __init__(self, driver):
self.driver = driver
self.username_input = (By.ID, 'username')
self.password_input = (By.ID, 'password')
self.login_button = (By.ID, 'loginBtn')
self.error_message = (By.ID, 'errorMsg')
def open(self, url):
self.driver.get(url)
def enter_username(self, username):
self.driver.find_element(*self.username_input).clear()
self.driver.find_element(*self.username_input).send_keys(username)
def enter_password(self, password):
self.driver.find_element(*self.password_input).clear()
self.driver.find_element(*self.password_input).send_keys(password)
def click_login(self):
self.driver.find_element(*self.login_button).click()
def get_error_message(self):
wait = WebDriverWait(self.driver, 10)
error_element = wait.until(EC.visibility_of_element_located(self.error_message))
return error_element.text
def is_login_button_enabled(self):
return self.driver.find_element(*self.login_button).is_enabled()
def current_url(self):
return self.driver.current_url
def test_failed_login_root_cause_analysis():
driver = webdriver.Chrome()
login_page = LoginPage(driver)
try:
login_page.open('https://example.com/login')
login_page.enter_username('testuser')
login_page.enter_password('wrongpassword')
login_page.click_login()
error_text = login_page.get_error_message()
assert error_text == 'Invalid credentials', f"Expected error message 'Invalid credentials' but got '{error_text}'"
login_button_enabled = login_page.is_login_button_enabled()
assert not login_button_enabled, "Login button should be disabled after failed login attempt"
current_url = login_page.current_url()
assert 'login' in current_url, f"Expected to remain on login page but URL is {current_url}"
finally:
driver.quit()This script uses Selenium with Python to automate the root cause analysis of a failed login.
The LoginPage class follows the Page Object Model to keep selectors and actions organized.
Explicit waits ensure the error message is visible before reading it, avoiding timing issues.
Assertions check that the error message is correct, the login button is disabled, and the URL remains on the login page, confirming the failure behavior.
The try-finally block ensures the browser closes even if assertions fail.