0

我正在尝试单击一个按钮,但收到此错误消息:我尝试单击的元素确实存在于页面上,但我不确定为什么它说该元素不存在:

Message: no such element: Unable to locate element: {"method":"xpath","selector":"//button[@class="vote_button mfp-voteText"]"}

下面是我的代码:

driver.get('https://trupanion.com/canada/members/contest?pixlee_album_photo_id=427049511')

time.sleep(10)

try:
    vote = driver.find_element_by_xpath('//button[@class="vote_button mfp-voteText"]')
    vote.click()
except Exception as e:
    print(e)

下面是 chrome 开发工具中的 XPath,它显示它是正确的:

在此处输入图像描述

4

3 回答 3

1

它在一个<frame>标签内,首先切换它:

driver.get('https://trupanion.com/canada/members/contest?pixlee_album_photo_id=427049511')

time.sleep(10)

try:
    #switch it first
    driver.switch_to.frame(driver.find_element_by_id('pixlee_lightbox_iframe'))
    vote = driver.find_element_by_xpath('//button[@class="vote_button mfp-voteText"]')
    vote.click()
except Exception as e:
    print(e)

但是注意time.sleep(..)是个坏主意。

你可以在这里学习硒等待:

selenium-python.readthedocs.io/waits.html

对于切换框架:

.frame_to_be_available_and_switch_to_it

尽管您的 xpath 可以工作,但 css 选择器看起来更好:

vote = driver.find_element_by_css_selector('button.vote_button.mfp-voteText')
于 2020-07-15T11:09:33.640 回答
1

尝试使用css selector而不是XPATHWebdriverWait()功能。它将等待 X 秒以使元素可单击,并在元素出现后立即单击它。但是,您需要切换到必须通过frame选择器找到的框架。

from selenium.webdriver.common.by import By
from selenium.webdriver.support.ui import WebDriverWait
from selenium.webdriver.support import expected_conditions as EC

self.webdriver.switch_to_frame(self.webdriver.find_element_by_css_selector('frame'))
try:
    WebDriverWait(webdriver,time).until(EC.element_to_be_clickable((By.CSS_SELECTOR,path)))
except Exception as e:
   print(e)
于 2020-07-15T11:09:51.387 回答
1

所需的元素在 an 内,<iframe>因此您必须:

  • 诱导WebDriverWait使所需的帧可用并切换到它

  • 诱导WebDriverWait使所需元素成为可点击的。

  • 您可以使用以下任一定位器策略

  • 使用CSS_SELECTOR

    driver.get('https://trupanion.com/members/contest?pixlee_album_photo_id=427049511')
    WebDriverWait(driver, 10).until(EC.frame_to_be_available_and_switch_to_it((By.CSS_SELECTOR,"iframe#pixlee_lightbox_iframe")))
    WebDriverWait(driver, 20).until(EC.element_to_be_clickable((By.CSS_SELECTOR, "button.vote_button.mfp-voteText"))).send_keys("test")
    
  • 使用XPATH

    driver.get("https://trupanion.com/members/contest?pixlee_album_photo_id=427049511")
    WebDriverWait(driver, 10).until(EC.frame_to_be_available_and_switch_to_it((By.XPATH,"//iframe[@id='pixlee_lightbox_iframe']")))
    WebDriverWait(driver, 20).until(EC.element_to_be_clickable((By.XPATH, "//button[@class='vote_button mfp-voteText']"))).click()
    
  • 注意:您必须添加以下导入:

    from selenium.webdriver.support.ui import WebDriverWait
    from selenium.webdriver.common.by import By
    from selenium.webdriver.support import expected_conditions as EC
    
  • 浏览器快照:

已投票


参考

您可以在以下位置找到一些相关的讨论:

于 2020-07-15T11:10:16.277 回答