본문 바로가기
Python/Selenium

Selenium ElementClickInterceptedException 오류 해결하기

by PySun 2025. 1. 1.
반응형

소개

Selenium을 사용하여 자동화 작업을 수행할 때, 'ElementClickInterceptedException' 오류는 자주 겪는 문제입니다. 이 오류는 요소를 클릭하려고 할 때 해당 요소가 다른 요소에 의해 가려져 있거나 사용자의 클릭 이벤트를 방해할 때 발생합니다. 이 블로그 글에서는 이 오류의 원인과 해결 방법을 살펴보겠습니다.

에러 발생 예시 코드

먼저, 'ElementClickInterceptedException'이 발생할 수 있는 간단한 예시 코드를 살펴보겠습니다.

from selenium import webdriver
from selenium.common.exceptions import ElementClickInterceptedException
import time

# 웹 드라이버 초기화
driver = webdriver.Chrome()

# 웹 페이지 열기
driver.get('http://example.com')

# 클릭하려는 요소 존재
button = driver.find_element_by_id('click-me-button')

# 클릭 시도
try:
    button.click()
except ElementClickInterceptedException as e:
    print("ElementClickInterceptedException 발생:", e)
finally:
    driver.quit()

에러 해결 방법

1. 페이지 로딩 대기

요소가 완전히 로드되지 않았거나 보이지 않는 경우, 클릭이 차단될 수 있습니다. 이럴 때는 'WebDriverWait'을 사용하여 요소가 클릭 가능해질 때까지 대기합니다.

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()
driver.get('http://example.com')

try:
    # 요소가 클릭 가능할 때까지 대기
    button = WebDriverWait(driver, 10).until(EC.element_to_be_clickable((By.ID, 'click-me-button')))
    button.click()
except ElementClickInterceptedException as e:
    print("ElementClickInterceptedException 발생:", e)
finally:
    driver.quit()

2. 스크롤하여 요소 보이기

요소가 화면의 가려진 부분에 있을 경우, 해당 요소로 스크롤하여 보이게 한 후 클릭할 수 있도록 합니다.

from selenium import webdriver
from selenium.webdriver.common.by import By
import time

# 웹 드라이버 초기화
driver = webdriver.Chrome()
driver.get('http://example.com')

# 요소 찾기
button = driver.find_element_by_id('click-me-button')

# 요소로 스크롤
driver.execute_script("arguments[0].scrollIntoView();", button)
time.sleep(1)  # 페이지 구조에 따라 잠깐 대기 필요할 수 있음

# 클릭 시도
button.click()

driver.quit()

3. 겹치는 요소 확인

클릭하려는 요소 위에 다른 요소가 있을 수 있습니다. 이 경우 CSS를 통해 해당 요소를 숨기거나 제거할 수도 있습니다. 하지만 이는 잘 고려해야 할 방법입니다.

from selenium import webdriver
from selenium.webdriver.common.by import By

# 웹 드라이버 초기화
driver = webdriver.Chrome()
driver.get('http://example.com')

# 겹치는 요소 숨기기 (예시)
driver.execute_script("document.getElementById('overlap-element').style.display='none';")

# 클릭하려는 요소 클릭
button = driver.find_element_by_id('click-me-button')
button.click()

driver.quit()

마무리

이 블로그 글에서는 Selenium에서 발생하는 'ElementClickInterceptedException' 오류에 대한 해결 방법을 살펴보았습니다. 페이지 로딩 대기, 요소 스크롤, 겹치는 요소 확인 등의 방법을 통해 이 문제를 해결할 수 있습니다. 자동화 작업을 진행할 때는 이러한 오류에 대비하고, 가능하면 더 안정적인 코드를 작성하는 것이 중요합니다.

반응형