在Python中,pytest
是一个流行的单元测试框架,而Selenium
是一个用于自动化浏览器操作的工具。结合这两者,我们可以编写自动化测试脚本来验证网页的行为是否符合预期。下面是一个简单的例子,展示了如何使用pytest
的断言功能以及Selenium
的模拟操作。
首先,确保你已经安装了必要的库:
pip install pytest selenium
然后,创建一个名为 test_example.py
的文件,内容如下:
import pytest
from selenium import webdriver
from selenium.webdriver.common.by import By# 定义一个测试类,继承自pytest的TestCase
class TestWebPage:# 初始化函数,设置浏览器驱动(这里使用Chrome作为例子)def setup_method(self):self.driver = webdriver.Chrome()# 清理函数,测试结束后关闭浏览器def teardown_method(self):self.driver.quit()# 定义一个测试函数,访问网页并检查标题def test_page_title(self):# 打开网页self.driver.get('http://example.com')# 使用断言检查页面标题是否符合预期assert 'Example Domain' in self.driver.title# 定义另一个测试函数,模拟点击按钮并检查页面变化def test_button_click(self):# 打开网页self.driver.get('http://example.com')# 找到页面上的按钮元素并点击button = self.driver.find_element(By.ID, 'myButton')button.click()# 使用断言检查页面上的某个元素是否出现assert 'Success' in self.driver.find_element(By.CLASS_NAME, 'success-message').text# 运行测试
if __name__ == "__main__":pytest.main(['-v', 'test_example.py'])
在这个例子中,我们创建了一个测试类 TestWebPage
,它包含了两个测试方法:
-
test_page_title
:这个方法打开一个网页,并使用assert
语句检查页面的标题是否包含预期的文本。 -
test_button_click
:这个方法同样打开一个网页,然后模拟点击页面上的一个按钮,并检查页面上的某个元素是否显示了预期的文本。
要运行这个测试,你可以直接运行 test_example.py
文件,或者在命令行中输入 pytest -v test_example.py
。
请注意,这个例子中的 http://example.com
和按钮的ID、类名都是假设的,你需要替换为你实际要测试的网页和元素的属性。此外,为了使用 selenium
,你需要下载相应浏览器的WebDriver,并将它的路径添加到系统的PATH环境变量中,或者在你的脚本中指定其绝对路径。