Python3 unittest 上一个用例的结果在下个用例之间使用

1、同一个py文件下,使用globals()["xxx"]语法

2、如果在不同用例文件之间共享数据,则需要另建一个文件,建一个变量,其余所有用例都使用此变量即可实现数据共享

1、同一个py文件下,使用globals()["xxx"]语法

import unittest
import random


class test_A(unittest.TestCase):
    def test_case_001(self):
        x = random.randint(1, 100)
        print("test_case_001", x)
        globals()["wocao"] = x

    def test_case_002(self):
        print("test_case_002", globals()["wocao"])


class test_B(unittest.TestCase):
    def test_case_003(self):
        print("test_case_003", globals()["wocao"])


if __name__ == '__main__':
    unittest.main()

打印结果:

test_case_001 51
...
test_case_002 51
----------------------------------------------------------------------
test_case_003 51

2、如果在不同用例文件之间共享数据

实现功能:test_2下的测试用例调用test_1下的用例结果。

我目前的实现方法,就是新建一个txt文件,将test_1产生的结果,写入到txt文件内,然后test_2再来读取txt文件。

项目结构如下图

Python3 unittest 上一个用例的结果在下个用例之间使用_第1张图片

小栗子:

我们在test_1产生一个随机数,写入n.txt。test_2去读取n.text。我们打印test1和test2的值,结果应该是一样的。

打印结果:

OK
('test_A:', 75)
.
----------------------------------------------------------------------
Ran 1 test in 0.002s

OK
('test_C:', '75')

test1代码:

# -*- coding:utf-8 -*-
import unittest
import random
import io


class test_A(unittest.TestCase):
    def test_case_001(self):
        x = random.randint(1, 100)
        with io.open('D:\\babytree\\MyTest\\n.txt', 'w', encoding='utf-8') as f:
            f.write(u'{}'.format(str(x)))
        print("test_A:",x)



if __name__ == '__main__':
    unittest.main()

test2代码:

# -*- coding:utf-8 -*-
import unittest
import io


class test_C(unittest.TestCase):
    def test_case_004(self):
        with io.open("D:\\babytree\\MyTest\\n.txt", "r", encoding='utf-8') as f:  # 打开文件
            data = f.read()  # 读取文件
            print("test_C:",str(data))




if __name__ == '__main__':
    unittest.main()

RunAll代码:

# -*-coding=utf-8 -*-
import os

# 列出某个文件夹下的所有 case,这里用的是 python,
# 所在 py 文件运行一次后会生成一个 pyc 的副本
caselist = os.listdir('D:\\babytree\\MyTest\\test_case')
for a in caselist:
    s = a.split('.')[1]  # 选取后缀名为 py 的文件
    if s == 'py':
        os.system('D:\\babytree\\MyTest\\test_case\\\%s 1>>log.txt 2>&1'%a)
        # 此处执行 dos 命令并将结果保存到 log.txt

 

你可能感兴趣的:(Python,接口及自动化)