selenium设置等待

1520阅读 0评论2020-07-14 大镇
分类:Python/Ruby

5.等待

转自:https://blog.csdn.net/gaimechen/article/details/84866719
目前,大多数Web应用程序都在使用AJAX技术。当浏览器加载页面时,该页面中的元素可能以不同的时间间隔加载。这使定位元素变得困难:如果DOM中尚未存在元素,则locate函数将引发ElementNotVisibleException异常。使用等待,我们可以解决这个问题。等待在执行的操作之间提供了一些松弛 - 主要是使用元素定位元素或任何其他操作。

Selenium Webdriver提供两种类型的等待 - 隐式和显式。显式等待使WebDriver等待某个条件发生,然后再继续执行。在尝试查找元素时,隐式等待会使WebDriver轮询DOM一段时间。

5.1。显式等待

显式等待是您定义的代码,用于在进一步执行代码之前等待某个条件发生。这种情况的极端情况是time.sleep(),它将条件设置为等待的确切时间段。提供了一些便捷方法,可以帮助您编写仅在需要时等待的代码。WebDriverWait与ExpectedCondition相结合是一种可以实现的方法。

  1. from selenium import webdriver
  2. from selenium.webdriver.common.by import By
  3. from selenium.webdriver.support.ui import WebDriverWait
  4. from selenium.webdriver.support import expected_conditions as EC
  5. driver = webdriver.Firefox()
  6. driver.get("")
  7. try:
  8. element = WebDriverWait(driver, 10).until(
  9. EC.presence_of_element_located((By.ID, "myDynamicElement"))
  10. )
  11. finally:
  12. driver.quit()

这会在抛出TimeoutException之前等待最多10秒,除非它发现元素在10秒内返回。默认情况下,WebDriverWait每500毫秒调用一次ExpectedCondition,直到成功返回。对于所有其他ExpectedCondition类型,ExpectedCondition类型的布尔返回true或非null返回值成功返回。

预期条件

在自动化Web浏览器时,常常会出现一些常见情况。下面列出的是每个的名称。Selenium Python绑定提供了一些因此您不必自己编写expected_condition类或为它们创建自己的实用程序包。

  1. from selenium.webdriver.support import expected_conditions as EC
  2. wait = WebDriverWait(driver, 10)
  3. element = wait.until(EC.element_to_be_clickable((By.ID, 'someid')))

expected_conditions模块包含一组用于WebDriverWait的预定义条件。

自定义等待条件

如果以前的便捷方法都不符合您的要求,您还可以创建自定义等待条件。可以使用带有__call__方法的类创建自定义等待条件,该方法在条件不匹配时返回False。

 

点击(此处)折叠或打开

  1. class element_has_css_class(object):
  2.   """An expectation for checking that an element has a particular css class.
  3.   locator - used to find the element
  4.   returns the WebElement once it has the particular css class
  5.   """
  6.   def __init__(self, locator, css_class):
  7.     self.locator = locator
  8.     self.css_class = css_class
  9.  
  10.   def __call__(self, driver):
  11.     element = driver.find_element(*self.locator) # Finding the referenced element
  12.     if self.css_class in element.get_attribute("class"):
  13.         return element
  14.     else:
  15.         return False
  16.  
  17. # Wait until an element with id='myNewInput' has class 'myCSSClass'
  18. wait = WebDriverWait(driver, 10)
  19. element = wait.until(element_has_css_class((By.ID, 'myNewInput'), "myCSSClass"))

5.2。隐式等待

隐式等待告诉WebDriver在尝试查找不能立即可用的任何元素(或元素)时轮询DOM一段时间。默认设置为0.设置后,将为WebDriver对象的生命周期设置隐式等待。

  1. from selenium import webdriver
  2. driver = webdriver.Firefox()
  3. driver.implicitly_wait(10) # seconds
  4. driver.get("")
  5. myDynamicElement = driver.find_element_by_id("myDynamicElement")
上一篇:python获取农历信息,sxtwl 的使用
下一篇:Selenium自动化-webdriver操作之多窗口切换,alert弹窗