본문 바로가기
Python/Selenium

Selenium TransactionTimedOutException 오류 해결하기

by PySun 2025. 1. 22.
반응형

소개

Selenium을 사용할 때 'TransactionTimedOutException' 오류에 직면하는 경우가 종종 있습니다. 이 오류는 지정된 시간 내에 Selenium이 요청을 완료하지 못할 때 발생합니다. 웹 페이지가 너무 느리게 로드되거나, 타겟 요소가 예상보다 늦게 나타나는 경우가 주 원인입니다. 이 블로그 글에서는 이 오류의 전반적인 원인과 해결 방법에 대해 알아보겠습니다.

에러 발생 예시 코드

우선 'TransactionTimedOutException' 오류가 발생할 수 있는 간단한 예시에 대해 살펴봅시다.

from selenium import webdriver
from selenium.common.exceptions import TimeoutException

# 웹 드라이버 설정
driver = webdriver.Chrome()

try:
    # 지연된 웹 페이지 로드 시도
    driver.get("https://slow-loading-website.com")
except TimeoutException as e:
    print("웹 페이지 로드 중 오류:", e)
finally:
    driver.quit()

에러 해결 방법

1. 명시적 대기 사용

Selenium은 명시적 대기를 통해 특정 조건이 만족될 때까지 기다릴 수 있습니다. 이렇게 하면 페이지가 완전히 로드될 때까지 기다릴 수 있습니다.

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

# 웹 드라이버 설정
driver = webdriver.Chrome()

try:
    driver.get("https://slow-loading-website.com")

    # 10초 동안 특정 요소가 로드될 때까지 대기
    element = WebDriverWait(driver, 10).until(
        EC.presence_of_element_located((By.ID, "target-element-id"))
    )
    print("타겟 요소가 성공적으로 로드되었습니다.")
except TimeoutException as e:
    print("타겟 요소 로드 중 오류:", e)
finally:
    driver.quit()

2. 암시적 대기 설정

암시적 대기를 설정하면, Selenium이 요소를 찾기 위해 지정한 시간 동안 기다리게 할 수 있습니다. 이 방법은 전체 코드에 적용됩니다.

from selenium import webdriver

# 웹 드라이버 설정
driver = webdriver.Chrome()
driver.implicitly_wait(10)  # 10초 대기 설정

try:
    driver.get("https://slow-loading-website.com")
    element = driver.find_element(By.ID, "target-element-id")
    print("타겟 요소가 성공적으로 로드되었습니다.")
finally:
    driver.quit()

마무리

이 블로그 글에서는 Selenium에서 발생하는 'TransactionTimedOutException' 오류에 대한 간단한 해결 방법을 살펴보았습니다. 명시적 대기 또는 암시적 대기를 활용하여 요소가 로드될 시간을 마련하거나, 페이지의 로딩 속도에 적합한 대기 시간을 설정함으로써 이 문제를 해결할 수 있습니다. Selenium을 사용할 때는 항상 페이지의 로딩 특성과 상황을 고려하여 적절한 대기를 설정하는 것이 중요합니다.

반응형