"""
WebDriver提供了两种类型的元素等待:显式等待和隐式等待。
显式等待是WebDriver等待某个条件成立则继续执行,否则在达到最大时长时抛出超时异常(TimeoutException)。WebDriverWait类是WebDriver提供的等待方法。在设置的时间内,默认每隔一段时间检测一次当前页面元素是否存在,如果超过设置时间仍检测不到,则抛出异常。
WebDriverWait(driver,timeout,poll_frequency=0.5,ignored_exceptions=None)
参数说明:
driver 浏览器驱动对象
timeout 最长超时时间,默认以秒为单位
poll_frequency 检测的间隔(步长)时间,默认为0.5秒
ignored_exceptions 超时后的异常信息,默认抛出NoSuchElementException异常
"""
from seleniumimport webdriver
from selenium.webdriver.common.byimport By
from selenium.webdriver.support.uiimport WebDriverWait
from selenium.webdriver.supportimport expected_conditionsas EC
from selenium.common.exceptionsimport NoSuchElementException
from timeimport ctime
driver = webdriver.Chrome()
driver.get("https://www.baidu.com")
element = WebDriverWait(driver, 5, 0.5).until(
EC.visibility_of_element_located((By.ID, "kw22")), '定位失败'
)
element.send_keys('selenium')
driver.quit()
"""
expected_conditions类提供的逾期条件判断方法:
title_is 判断当前页面的标题是否等于预期
title_contains 判断当前页面的标题是否包含预期字符串
presence_of_element_located 判断元素是否被加在DOM树里,并不代表该元素一定可见
visibility_of_element_located 判断元素是否可见(可见代表元素非隐藏,并且元素的宽和高都不等于0)
visibility_of 与上一个方法作用相同,上一个方法的参数为定位,该方法接收的参数为定位后的元素
presence_of_all_elements_located 判断是否至少有一个元素存在于DOM树中。 例如:在页面中有n个元素的class为"wp",那么只要有一个元素存在于DOM树中就返回True
text_to_be_present_in_element 判断某个元素中text是否包含预期的字符串
text_to_be_present_in_element_value 判断某个元素的value属性是否包含预期的字符串
frame_to_be_available_and_switch_to_it 判断该表单是否可以切换进去,如果可以返回True并且切换进去,否则返回False
invisibility_of_element_located 判断某个元素是否不在DOM树中或不可见
element_to_be_clickable 判断某个元素是否可以并且是可以点击的
staleness_of 等到一个元素从DOM树中移除
element_to_be_selected 判断某个元素是否被选中,一般用在下拉列表中
element_selection_state_to_be 判断某个元素的选中状态是否符合预期
element_located_selection_state_to_be 与上一个方法的作用相同,只是上一个方法参数为定位后的元素,该方法接收的参数为定位
alert_is_present 判断页面上是否存在alert
"""
"""WebDriver提供的implicitly_wait()方法可用来实现隐式等待用法相对来说要简单得多"""
# 设置隐式等待时间是10s
driver = webdriver.Chrome()
driver.implicitly_wait(10)
driver.get("https://www.baidu.com")
try:
print(ctime())
driver.find_element_by_id("kw22").send_keys('selenium')
except NoSuchElementExceptionas e:
print(e)
finally:
print(ctime())
driver.quit()