pytest_BDD + allure 自动化测试框架
一、项目结构
--driverAction
----Assessement.py
----basicPageAction.py
----BrowserDriver.py
--drivers
----chromedriver.md
--features
----BaiduFanyi.feature
--libraries
----allure-commandline
--pages
----BaiduFayi_page.py
----Indexpage.py
--steps
----Test_BaiduFanyi_steps.py
--utilities
----PathUtility.py
--.gitignore
--main.py
--pytest.ini
--requirements.txt
二、下载内容
2.1 WebDriver
chromedriver: http://chromedriver.storage.googleapis.com/index.html
iedriver:http://selenium-release.storage.googleapis.com/index.html
2.2 allure-commandline
allure 命令行工具,下载地址:https://github.com/allure-framework/allure2/releases
三、代码介绍
3.1 PathUtility.py
处理一些必要的文件路径事件
# @Software PyCharm
# @Time 2021/11/13 9:53 下午
# @Author Helen
# @Desc handle all folder path things
import os
import shutil BASEDIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__)))
BROWSER_CHROME = os.path.join(BASEDIR, 'drivers/chromedriver')
REPORTPATH = os.path.join(BASEDIR, 'report')
ALLURECOMMANDLINEPATH_LINUX = os.path.join(BASEDIR, 'libraries/allure-commandline/dist/bin/allure')
ALLURECOMMANDLINEPATH_WINDOWS = os.path.join(BASEDIR, 'libraries/allure-commandline/dist/bin/allure.bat')
REPORT_XMLPATH = os.path.join(REPORTPATH, 'xml') def create_folder(path):
if not os.path.exists(path):
os.mkdir(path) def delete_folder_and_sub_files(path):
if os.path.exists(path):
shutil.rmtree(path)
3.2 BrowserDriver.py
浏览器驱动处理.
# @Software PyCharm
# @Time 2021/11/13 9:39 下午
# @Author Helen
# @Desc the very start: setup browser for testing
# @note have a knowledge need to get from https://www.jb51.net/article/184205.htm import pytest
from selenium import webdriver
from selenium.webdriver import Chrome
from utilities.PathUtility import BROWSER_CHROME
from driverAction.basicPageAction import basicPageAction @pytest.fixture(scope='module')
def browserDriver():
driver_file_path = BROWSER_CHROME
options = webdriver.ChromeOptions()
driver = Chrome(options=options, executable_path=driver_file_path) driver.maximize_window()
driver.get('https://fanyi.baidu.com/?aldtype=16047#en/zh/') # entrance URL action_object = basicPageAction(driver) yield action_object
driver.close()
driver.quit()
3.3 BasicPageAction.py
处理页面操作的公共方法:不全,可以根据项目添加其他内容。
# @Software PyCharm
# @Time 2021/11/13 10:04 下午
# @Author Helen
# @Desc common page action collection, aim to make sure element have show up before next action
from selenium.common.exceptions import TimeoutException
from selenium.webdriver.support import expected_conditions as EC
from selenium.webdriver.support.wait import WebDriverWait class basicPageAction:
def __init__(self, driver):
self.driver = driver
self.timeout = 15
self.driver.set_script_timeout(10) def try_click_element(self, loc):
element = self.get_element_until_visibility(loc)
if element is not None:
element.click()
else:
return False def try_get_element_text(self, loc):
element = self.get_element_until_visibility(loc)
if element is not None:
return element.text
else:
return False def try_send_keys(self, loc, text):
element = self.get_element_until_visibility(loc)
if element is not None:
element.clear()
element.send_keys(text) def get_element_until_visibility(self, loc):
try:
return WebDriverWait(self.driver, self.timeout).until(EC.visibility_of_element_located(loc))
except TimeoutException as e:
return None def try_get_screenshot_as_png(self):
return self.driver.get_screenshot_as_png()
3.4 Asscessment.py
处理断点的公共类:不全,可以根据项目自行添加其他内容。
# @Software PyCharm
# @Time 2021/11/13 11:16 下午
# @Author Helen
# @Desc handle assertion and save screenshot in allure report import allure
from allure_commons.types import AttachmentType class Assessment: @staticmethod
def assert_text_with_screenshot(expect_value, actual_value, page):
allure.attach(page.get_page_screenshot_as_png(), name='Screenshot', attachment_type=AttachmentType.PNG)
assert expect_value == actual_value
3.5 BaiduFanyi.feature
正式进到测试主题,编写用例行为,即测试用例。
@debug
Feature: Baidu_translation Scenario: check English translate to Chinese
Given I switch original language as English
When I input python
Then the translate result should be Python
3.6 Test_BaiduFanyi_steps.py
为3.5所设计的用户行为编写实现方法。
(如代码所示:有个问题我不懂的,希望有大佬帮我解答)
# @Software PyCharm
# @Time 2021/11/13 11:08 下午
# @Author Helen
# @Desc there have an issue I haven't figure out : if I not import browserDriver, there will can't find it when running import allure
from pytest_bdd import scenarios, given, when, then, parsers
from pages.BaiduFanyi_page import BaiduFanyi_page
from driverAction.Assessment import Assessment
from driverAction.BrowserDriver import browserDriver scenarios("../features/BaiduFanyi.feature") @given(parsers.parse('I switch original language as English'))
@allure.step('I switch original language as English')
def translation_setup():
True @when(parsers.parse('I input python'))
@allure.step('I input python')
def original_input(browserDriver):
baiduFanyi_page = BaiduFanyi_page(browserDriver)
baiduFanyi_page.send_keys_for_baidu_translate_input('python') @then(parsers.parse('the translate result should be Python'))
@allure.step('the translate result should be Python')
def check_result(browserDriver):
baiduFanyi_page = BaiduFanyi_page(browserDriver)
Assessment.assert_text_with_screenshot('python', baiduFanyi_page.get_text_from_target_output(), baiduFanyi_page)
3.7 Main.py
执行测试的主要入口。
# @Software PyCharm
# @Time 2021/11/13 11:25 下午
# @Author Helen
# @Desc import pytest, platform, os
from utilities.PathUtility import create_folder, delete_folder_and_sub_files, REPORTPATH, REPORT_XMLPATH, \
ALLURECOMMANDLINEPATH_WINDOWS, ALLURECOMMANDLINEPATH_LINUX if __name__ == "__main__":
create_folder(REPORTPATH)
delete_folder_and_sub_files(REPORT_XMLPATH)
create_folder(REPORT_XMLPATH) # run test cases by path
pytest.main(['-s', '-v', 'steps/Test_BaiduFanyi_steps.py', '--alluredir', r'report/xml'])
# run test cases by tags
# pytest.main(['-m', 'debug', '-s', '-v', 'steps/', '--alluredir', r'report/xml']) if platform.system() == 'Windows':
command = "{} generate report/xml -o report/allure_report --clean".format(ALLURECOMMANDLINEPATH_WINDOWS)
else:
command = "{} generate report/xml -o report/allure_report --clean".format(ALLURECOMMANDLINEPATH_LINUX) os.system(command=command)
3.8 python.ini
目前主要用来设置标签。有兴趣可以读一下https://blog.csdn.net/weixin_48500307/article/details/108431634
[pytest]
markers =
debug
四、执行测试
4.1 run main.py
4.2 在report文件夹中查看测试报告。
4.3 报告详情
pytest_BDD + allure 自动化测试框架的更多相关文章
- 【转】自动化测试框架: pytest&allure ,提高自动化健壮性和稳定性
序 在之前,我写过一个系列“从零开始搭建一个简单的ui自动化测试框架(pytest+selenium+allure)”,在这个系列里,主要介绍了如何从零开始去搭建一个可用的自动化工程框架,但是还缺乏了 ...
- Maven+TestNG+ReportNG/Allure接口自动化测试框架初探(上)
转载:http://www.51testing.com/html/58/n-3721258.html 由于一直忙于功能和性能测试,接口自动化测试框架改造的工作被耽搁了好久.近期闲暇一些,可以来做点有意 ...
- Android 手机端自动化测试框架
前言: 大概有4个月没有更新了,因项目和工作原因,忙的手忙脚乱,趁十一假期好好休息一下,年龄大了身体还是扛不住啊,哈哈.这次更新Android端自动化测试框架,也想开源到github,这样有人使用才能 ...
- Appium+python自动化(四十二)-Appium自动化测试框架综合实践- 寿终正寝完结篇(超详解)
1.简介 按照上一篇的计划,今天给小伙伴们分享执行测试用例,生成测试报告,以及自动化平台.今天这篇分享讲解完.Appium自动化测试框架就要告一段落了. 2.执行测试用例&报告生成 测试报告, ...
- 广深小龙-基于unittest、pytest自动化测试框架之demo来学习啦!!!
基于unittest.pytest自动化测试框架之demo,赶紧用起来,一起学习吧! demo分为两个框架:①pytest ②unittest demo 中 包含 web.api 自动化测试框架 ...
- 【接口自动化】Python+Requests接口自动化测试框架搭建【三】
经过上两篇文章的讲解,我们已经完成接口自动化的基础框架,现在开始根据实际项目丰满起来. 在PyCharm中新建项目,项目工程结构如下: config:配置文件夹,可以将一些全局变量放于配置文件中,方便 ...
- ApiTesting全链路自动化测试框架 - 初版发布(一)
简介 此框架是基于Python+Pytest+Requests+Allure+Yaml+Json实现全链路接口自动化测试. 主要流程:解析接口数据包 ->生成接口基础配置(yml) ->生 ...
- ApiTesting全链路接口自动化测试框架 - 新增数据库校验(二)
在这之前我完成了对于接口上的自动化测试:ApiTesting全链路接口自动化测试框架 - 初版(一) 但是对于很多公司而言,数据库的数据校验也尤为重要,另外也有小伙伴给我反馈希望支持. 所以最近几天我 ...
- 【自动化测试框架】pytest和unitttest你知道多少?区别在哪?该用哪个?
一.大家熟知的自动化测试框架 Java JUnit.TestNG等等. python PyUnit(unittest).Pytest.Robot Framework等等 二.Pytest介绍 pyte ...
随机推荐
- logstash的filter之grok
logstash的filter之grokLogstash中的filter可以支持对数据进行解析过滤. grok:支持120多种内置的表达式,有一些简单常用的内容就可以使用内置的表达式进行解析 http ...
- 测试平台系列(82) 解决APScheduler重复执行的问题
大家好~我是米洛! 我正在从0到1打造一个开源的接口测试平台, 也在编写一套与之对应的完整教程,希望大家多多支持. 欢迎关注我的公众号测试开发坑货,获取最新文章教程! 回顾 上一节我们编写了在线执行R ...
- 新玩法-使用AllArgsConstructor+filal代替autowired
和下面的代码一样: Springboot官方建议使用final来修饰成员变量,然后通过构造方法来进行注入原因:final修饰的成员变量是不能够被修改的,反射那就没办法了 还有一种写法: @Requir ...
- 由于vue的for循环id并不严谨,提高id严谨性
如果后台没有传入id,我们拿到的数据没有id修改等操作不方便,如何拿到id呢 https://github.com/dylang/shortid 提供唯一id 插件的引入和使用: <templa ...
- Orika - 类复制工具
Orika 前言 类复制工具有很多,比较常用的有 mapstruct.Spring BeanUtils.Apache BeanUtils.dozer 等,目前我所在的项目组中使用的是 mapstruc ...
- 深入理解 OpenFOAM 环境变量与编译
操作系统选择 由于 OpenFOAM 在 Linux 平台开发和测试,在非 Linux 平台无法直接对软件进行编译和安装,所以在非 Linux 平台上最简便方法是使用 docker 容器运行 Open ...
- 如何反向推断基因型文件中的参考碱基(REF/ALT)?
目录 需求 解决 方法一 方法二 需求 客户随手丢来一个基因型文件,类似于hapmap格式,只是少了中间多余的那几列,像这种类hapmap格式文件,往往是芯片数据. 这样的数据因为缺乏等位基因:参考碱 ...
- Xwiki——实现
基于CentOS6.9 yum install java wget http://download.forge.ow2.org/xwiki/xwiki-enterprise-installer-gen ...
- typedef 的用法
[2]typedef (1)在C语言中,允许使用关键字typedef定义新的数据类型 其语法如下: typedef <已有数据类型> <新数据类型>; 如: typedef i ...
- Selenium-IDE在火狐上的扩展
昨天突然想学学 Selenium,就上网查了一些介绍,发现一些教程基本都是比较老版本的了,使用起来略有不便,所以今天试着写一些最新版本的.请参考Selenium官网.文章以下内容都是在 Mac 机器上 ...