我如何在selenium-web-driver python中强制链接在新窗口中打开并切换到它以提取数据并关闭它
目前我正在使用以下代码

for tag in self.driver.find_elements_by_xpath('//body//a[@href]'):
            href = str(tag.get_attribute('href'))
            print href
            if not href:
                continue
            window_before = self.driver.window_handles[0]
            print window_before
            ActionChains(self.driver) \
                .key_down(Keys.CONTROL ) \
                .click(tag) \
                .key_up(Keys.CONTROL) \
                .perform()
            time.sleep(10)
            window_after = self.driver.window_handles[-1]
            self.driver.switch_to_window(window_after)
            print window_after
            time.sleep(10)
            func_url=self.driver.current_url
            self.driver.close()
            self.driver.switch_to_window(window_before)


问题


如果上面的代码点击了链接,则上面的代码不会强制执行

<a href="" target="_blank">something</a>
通过两个链接后,它将停止打印


  StaleElementReferenceException:消息:元素引用是陈旧的。元素不再附加到DOM或页面已刷新。

最佳答案

您可以尝试以下方法在新窗口中打开链接:

current_window = self.driver.current_window_handle
link = self.driver.find_element_by_tag_name('a')
href = link.get_attribute('href')
if href:
    self.driver.execute_script('window.open(arguments[0]);', href)
else:
    link.click()
new_window = [window for window in self.driver.window_handles if window != current_window][0]
self.driver.switch_to.window(new_window)
# Execute required operations
self.driver.close()
self.driver.switch_to.window(current_window)


如果它不是空字符串,这应该允许您获取链接URL并使用JavaScriptExecutor在新窗口中打开它,否则单击链接。由于有问题的链接具有属性target="_blank",它将在新窗口中打开

10-08 08:22