WebElement定位一组对象

webdriver 可以很方便的使用 find_element 方法来定位某个特定的对象,
WebElement 接口同样提供了定位一组元素的方法 find_elements

定义一组对象一般用于以下场景:
(1)批量操作对象,比如将页面上所有的checkbox都勾上
(2)先获取一组对象,再在这组对象中过滤出需要具体定位的一些元素,比如定位出页面上所有的checkbox,然后选择最后一个。

find_elements_by_tag_name一组对象

from selenium import webdriver
import os
driver=webdriver.Firefox()
file_path='file:///'+os.path.abspath('F:\Python\python 测试脚本\checkbox-0118\checkbox.html')
driver.get(file_path)
#选择页面上所有的tag name 为input元素
inputs=driver.find_elements_by_tag_name('input')
#然后从中过滤出type为checkbox元素,单击勾选
for input in inputs:
    if input.get_attribute('type')=='checkbox':
        input.click()

driver.quit()

import os
os.path.abspath() os 模块为 python 语言标准库中的 os 模块包含普遍的操作系统功能。主要用于操作本地目录文件。
path.abspath()方法用于获取当前路径下的文件。另外脚本中还使用到 for 循环,对 inputs 获取的一组元素 进行循环,在 python 语言中循环变量(input)可以不用事先声明直接使用。
find_elements_by_xx(‘xx’)
find_elements 用于获取一组元素。

下面通过 css 方式来勾选一组元素,打印当所勾选元素的个数并对最后一个勾选的元素取消勾选。

#
from selenium import webdriver
import os
driver=webdriver.Firefox()
file_path='file:///'+os.path.abspath('F:\Python\python 测试脚本\checkbox-0118\checkbox.html')
driver.get(file_path)

#选择所有的type为checkbox的元素并单击勾选
checkboxes=driver.find_elements_by_css_selector('input[type=checkbox]')
for checkbox in checkboxes:
    checkbox.click()
#打印当前页面上type为checkbox的个数
print(len(driver.find_elements_by_css_selector('input[type=checkbox]')))

#把压面上最后1个checkbox的勾给去掉
driver.find_elements_by_css_selector('input[type=checkbox]').pop().click()

driver.quit()

len()
len 为 python 语言中的方法,用于返回一个对象的长度(或个数)。
pop()
pop 也为 python 语言中提供的方法,用于删除指定们位置的元素,pop()为空默认选择最一个元素。

你可能感兴趣的:(WebElement定位一组对象)