测试python中的副作用

时间:2012-07-19 10:59:22

标签: python unit-testing assert

我想检查一下我的功能是没有副作用,还是只有影响精确变量的副作用。是否有功能检查它实际上没有副作用(或仅对某些变量产生副作用)?

如果没有,我如何编写自己的内容如下:

我的想法是这样的,初始化,调用被测函数,然后调用最终方法:

class test_side_effects(parents_scope, exclude_variables=[]):
    def __init__():
        for variable_name, variable_initial in parents_scope.items():
            if variable_name not in exclude_variables:
                setattr(self, "test_"+variable_name, variable_initial)
    def final(self, final_parents_scope):
        for variable_name, variable_final in final_parents_scope.items():
            if variable_name[:5] is "test_" and variable_name not in exclude_variables:
                assert getattr(self, "test_"+variable_name) is variable_final, "Unexpected side effect of %s from %s to %s" % (variable_name, variable_initial, variable_final)

#here parents_scope should be inputted as dict(globals(),**locals())

我不确定这是否正好the dictionary我想......

最后,我应该这样做吗?如果没有,为什么不呢?

1 个答案:

答案 0 :(得分:3)

我不熟悉您可能正在编写测试的嵌套函数测试库,但看起来您应该在这里使用类(即许多框架中的TestCase)。

如果您的问题与获取TestCase中的父变量有关,则可以获得__dict__(我不清楚您所指的“父”变量是什么。

更新:@hayden发布了一个要点,以显示父变量的使用:

def f():
    a = 2
    b = 1
    def g():
        #a = 3
        b = 2
        c = 1
        print dict(globals(), **locals()) #prints a=1, but we want a=2 (from f)
    g()
a = 1
f()

如果将其转换为字典,则问题可通过以下方式解决:

class f(object): # could be unittest TestCase
    def setUp(self, a=2, b=1):
        self.a = a
        self.b = b

    def g(self):
        #a = 3
        b = 2
        c = 1
        full_scope = globals().copy()
        full_scope.update(self.__dict__)
        full_scope.update(locals())
        full_scope.pop('full_scope')
        print full_scope # print a = 1

my_test = f()
my_test.setUp(a=1)
my_test.g()

您正确地寻找已经实现此功能的工具。我希望其他人有一个已经实施的解决方案。