首页 > 代码库 > python unittest框架装饰器

python unittest框架装饰器

要说单元测试和UI自动化之间的是什么样的一个关系,说说我个人的一些心得体会吧,我并没有太多的这方面经验,由于工作本身就用的少,还有就是功能测试点点对于我这种比较懒惰的人来说,比单元测试复杂...思考单元测试的处理逻辑和UI的对应关系,根据分层自动化的测试思想, UI>>接口>>最底层就是单元,对于单元级别的自动化测试, 是白盒测试范畴, 用一段代码去测试一段代码, 而我们则是需要利用单元测试框架的一些组织驱动单元来编写我们的自动化测试脚本, 而unittest是python自带的单元测试框架,我们不必深究,我们只是利用unittest封装好的一部分规则方法,去填充你的脚本

# coding: utf-8
‘‘‘
@author : hx
@desc    : 重点学习unittest的用法
注意setUp/setUpClass, tearDown/tearDownClass 的区别
1.setUp:每个测试函数运行前运行
2.tearDown:每个测试函数运行完后执行
3.setUpClass:必须使用@classmethod装饰器,所有test运行前运行一次
4.tearDownClass:必须使用@classmethod装饰器,所有test运行后运行一次

unittest 还有一些不常用的装饰器:
@unittest.skip(reason):无条件跳过测试,reason描述为什么跳过测试
@unittest.skipif(condititon,reason):condititon为true时跳过测试
@unittest.skipunless(condition, reason):condition 不是true时跳过测试
@unittest.expectedFailure:如果test失败了,这个test不计入失败的case数目
‘‘‘

import unittest
import time
from selenium import webdriver

class SearchTest(unittest.TestCase):
    @classmethod
    def setUpClass(cls):
        cls.driver = webdriver.Chrome()
        cls.driver.implicitly_wait(30)
        cls.driver.maximize_window()
        cls.base_url = http://www.baidu.com/
        cls.driver.get(cls.base_url)

        cls.search_text = cls.driver.find_element_by_id(kw)
        cls.search_btn = cls.driver.find_element_by_id(su)

    def test_search_btn_displayed(self):
        self.assertTrue(self.search_btn.is_displayed())
        self.assertTrue(self.search_btn.is_enabled())

    def test_search_text_maxlength(self):
        max_length = self.search_text.get_attribute(maxlength)
        self.assertEqual(255, max_length)

    def test_search(self):
        self.search_text.clear()
        self.search_text.send_keys(博客园)
        self.search_btn.click()

        time.sleep(4)
        title = self.driver.title
        self.assertEqual(title, u博客园_百度搜索)

    @classmethod
    def tearDownClass(cls):
        cls.driver.quit()

if __name__ == __main__:
    unittest.main(verbosity = 3)

 

python unittest框架装饰器