• 自动化测试框架


    1.自动化测试框架核心功能

    在这里插入图片描述
    这三种驱动测试可以结合使用来完成系统的自动化测试。可以将测试数据

    1.数据驱动

    将测试代码和测试数据分离,一般用于一个测试场景需要多个不同的测试数据的条件下,通过数据驱动测试(有多少条测试数据,测试就会执行多少次)。
    典型的应用:见我另外一篇博文unittest框架,还可用于接口自动化测试。
    适合的场景:使用边界值分析法,等价类划分法。

    2.页面驱动

    基于页面对象和操作进行封装,便于代码复用,便于代码修改,一般用于大规模自动化测试。典型的应用:见我另外一遍博文web自动化测试框架

    3.关键字驱动

    表达式:object.action(parameters)
    object表示对谁做,action表示做什么,parameters表示参数
    关键字驱动适合app自动化测试,将输入,点击按钮等操作封装成关键字。

    2.关键字驱动实现-文档形式

    data.txt 关键字驱动的脚本
    action(自定义),object(元素定位),parameters(输入数据)

    goto#http://www.taobao.com
    input#id=username#admin
    input#id=password#admin123
    input#id=verifycode#0000
    singleclick#xpath=//button[contains(@onclick,'doLogin')]
    delay#1
    checktext#xpath=//ul[contains(@class, 'navbar-right')]/li/a#admin
    singleclick#xpath=//a[text()='会员管理']
    droplist#id=childsex#女
    delay#3
    over
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11

    goto表示跳转,input表示输入,singleclick表示单机,delay表示延时,checktext表示检查文本,droplist表示单选,over表示关闭浏览器

    util.py 写读取文档的方法

    class Util:
    
        @classmethod
        def get_test_data_from_txt(cls, path):
    
            '''
                读取txt文档
            '''
    
            cmds = []
            with open(path, 'r', encoding='utf-8') as f:
                while True:
                    line = f.readline()  # 读取一行
                    if not line:  # 读取结束
                        break
                    cmds.append(line.strip())
                return cmds
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17

    keyword.py action关键字实现方法

    from selenium import webdriver
    from time import sleep
    
    
    class Keywords:
        # 函数名字必须跟action一样
        @classmethod
        def goto(cls, driver, *args): # *args使用不定长参数,是因为data.txt每行的字段数不一样  
            if args and len(args) >= 2:
                driver.get(args[1])
                return True
            else:
                print('goto命令参数不正确,请检查')
                return False
    
        @classmethod
        def input(cls, driver, *args):
            if args and len(args) >= 3:
                if 'xpath' in args[1]:
                    locate_way = 'xpath'
                    locator = args[1][6:]  # 切片xpath的值
                    value = args[2].strip()
                else:  # 用id定位
                    locate_way = 'id'
                    locator = args[1][3:]  # 切片id的值
                    value = args[2].strip()
                driver.find_element(locate_way, locator).send_keys(value)
                return True
            else:
                print('input命令参数不正确,请检查')
                return False
    
        @classmethod
        def singleclick(cls, driver, *args):
            if args and len(args) >= 2:
                if 'xpath' in args[1]:
                    locate_way = 'xpath'
                    locator = args[1][6:]  # 切片xpath的值
                else:  # 用id定位
                    locate_way = 'id'
                    locator = args[1][3:]  # 切片id的值
                driver.find_element(locate_way, locator).click()
                return True
            else:
                print('singleclick命令参数不正确,请检查')
                return False
    
        @classmethod
        def delay(cls, driver, *args):
            if args and len(args) >= 2:
                sleep(args[1])
                return True
            else:
                print('delay命令参数不正确,请检查')
                return False
    
        @classmethod
        def checktext(cls, driver, *args):
            if args and len(args) >= 3:
                if 'xpath' in args[1]:
                    locate_way = 'xpath'
                    locator = args[1][6:]  # 切片xpath的值
                    value = args[2].strip()
                else:  # 用id定位
                    locate_way = 'id'
                    locator = args[1][3:]  # 切片id的值
                    value = args[2].strip()
                element = driver.find_element(locate_way, locator)
                if value in element.text:
                    print('文字检查成功,要检查的文字', value, '在文字', element.text, '里')
                    return True
                else:
                    print('文字检查错误,要检查的文字', value, '不在文字', element.text, '里')
                    return False
                return True
            else:
                print('checktest命令参数不正确,请检查')
                return False
    
        @classmethod
        def over(cls, driver, *args):
            print('测试结束')
            driver.quit()
            return True
    
        @classmethod
        def droplist(cls, driver, *args):
            if args and len(args) >= 3:
                if 'xpath' in args[1]:
                    locate_way = 'xpath'
                    locator = args[1][6:]  # 切片xpath的值
                    value = args[2].strip()
                else:  # 用id定位
                    locate_way = 'id'
                    locator = args[1][3:]  # 切片id的值
                    value = args[2].strip()
                from selenium.webdriver.support.ui import Select  # 下拉框
                Select(driver.find_element(locate_way, locator)).select_by_visible_text(value)
    
                return True
            else:
                print('droplist命令参数不正确,请检查')
                return False
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 26
    • 27
    • 28
    • 29
    • 30
    • 31
    • 32
    • 33
    • 34
    • 35
    • 36
    • 37
    • 38
    • 39
    • 40
    • 41
    • 42
    • 43
    • 44
    • 45
    • 46
    • 47
    • 48
    • 49
    • 50
    • 51
    • 52
    • 53
    • 54
    • 55
    • 56
    • 57
    • 58
    • 59
    • 60
    • 61
    • 62
    • 63
    • 64
    • 65
    • 66
    • 67
    • 68
    • 69
    • 70
    • 71
    • 72
    • 73
    • 74
    • 75
    • 76
    • 77
    • 78
    • 79
    • 80
    • 81
    • 82
    • 83
    • 84
    • 85
    • 86
    • 87
    • 88
    • 89
    • 90
    • 91
    • 92
    • 93
    • 94
    • 95
    • 96
    • 97
    • 98
    • 99
    • 100
    • 101
    • 102
    • 103
    • 104

    run.py 执行action方法

    from selenium import webdriver
    from util import Util
    from keywords import Keywords
    
    
    def run_case_from_txt(driver):
        test_data = Util.get_test_data_from_txt('data.txt')
        for line in test_data:
            print('当前执行:{}'.format(line))
            key_words = line.split('#')
            if hasattr(Keywords, key_words[0]):  # 判断Keywords对象是否包含action方法
                action = getattr(Keywords, key_words[0])  # getattr()方法是调用关键字action对应的方法
                result = action(driver, *key_words)  # action里面两个参数是goto方法的参数
                if not result:  # 如果action方法返回false,则提示错误,否则提示成功
                    print('命令执行错误,测试终止。。。。。')
                else:
                    print('命令执行成功')
    
    
    if __name__ == '__main__':
        driver = webdriver.Chrome()
        run_case_from_txt(driver)
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23

    3.关键字驱动实现-表格形式

    test_data.xlsx
    在这里插入图片描述
    util.py 去实现读取表格

    import openpyxl
    
    
    class Util:
    
        @classmethod
        def get_test_data_from_excel(cls, path):
            book = openpyxl.load_workbook(path)  # 打开已有的表格
            sheet = book.active  # 激活
            test_data = []
            for row in range(2, sheet.max_row + 1):  # 从第二行开始
                cmd = ''
                for col in range(1, sheet.max_column + 1):
                    content = sheet.cell(row=row, column=col).value  # 单一单元格访问
                    if content:
                        cmd += str(content)
                        cmd += '#'
                test_data.append(cmd[:-1])
            return test_data
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19

    keyword.py同第二点的
    run.py

    from selenium import webdriver
    from util import Util
    from keywords import Keywords
    
    
    def run_case_from_txt(driver):
        test_data = Util.get_test_data_from_excel('test_data.xlsx')
        for line in test_data:
            print('当前执行:{}'.format(line))
            key_words = line.split('#')
            if hasattr(Keywords, key_words[0]):  # 判断Keywords对象是否包含action方法
                action = getattr(Keywords, key_words[0])  # getattr()方法是调用关键字action对应的方法
                result = action(driver, *key_words)  # action里面两个参数是goto方法的参数
                if not result:  # 如果action方法返回false,则提示错误,否则提示成功
                    print('命令执行错误,测试终止。。。。。')
                else:
                    print('命令执行成功')
    
    
    if __name__ == '__main__':
        driver = webdriver.Chrome()
        run_case_from_txt(driver)
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
  • 相关阅读:
    争夺细分新赛道,哪十家企业「领跑」L4级自动驾驶域控制器?
    力扣大厂热门面试算法题 21-23
    MYSQL常见优化一
    【python手写算法】numpy实现简易神经网络和反向传播算法【1】
    excel split text into different rows
    【2016】【论文笔记】差频可调谐THz技术——
    如何动态的测试Thrift服务
    NX二次开发UF_CAM_ask_cutter_db_object 函数介绍
    Win11如何取消任务栏隐藏?Win11取消任务栏隐藏的方法
    Android studio实现登录验证后返回token及用户信息,使用token获取用户信息并生成列表展示
  • 原文地址:https://blog.csdn.net/XGZ2IT/article/details/128103820