如何找到在基础测试类中定义的类属性?

时间:2009-07-27 15:41:56

标签: python integration-testing multiple-inheritance nose mixins

我正在针对数据库运行一些集成测试,我希望有一个看起来像这样的结构:

class OracleMixin(object):
    oracle = True
    # ... set up the oracle connection

class SqlServerMixin(object):
    sql_server = True
    # ... set up the sql server connection

class SomeTests(object):
    integration = True
    # ... define test methods here

class test_OracleSomeTests(SomeTests, OracleMixin):
    pass

class test_SqlServerSomeTests(SomeTests, SqlServerMixin):
    pass

这样,我可以像这样单独运行SQL Server测试和Oracle测试:

nosetests -a oracle
nosetests -a sql_server

或者像这样的所有集成测试:

nosetests -a integration

但是,看起来nose只会查找子类的属性,而不是基类。因此,我必须像这样定义测试类,否则测试将不会运行:

class test_OracleSomeTests(SomeTests, OracleMixin):
    oracle = True
    integration = True

class test_SqlServerSomeTests(SomeTests, SqlServerMixin):
    sql_server = True
    integration = True

维护起来有点乏味。任何想法如何解决这个问题?如果我只是处理一个基类,我只使用元类并定义每个类的属性。但是我对于测试类的元类,Oracle的元类和SQL Server的元类感到不安。

2 个答案:

答案 0 :(得分:4)

我不认为你可以不制作自己的插件。 attrib插件中的代码仅查看类__dict__。这是code

def wantClass(self, cls):
    """Accept the class if the class or any method is wanted.
    """
    cls_attr = cls.__dict__
    if self.validateAttrib(cls_attr) is not False:
        return None
    ...

你可以破解插件做类似的事情(未经测试)。

def wantClass(self, cls):
    """Accept the class if the class or any method is wanted.
    """
    for class_ in cls.__mro__: 
        cls_attr = class_.__dict__
        if self.validateAttrib(cls_attr) is not False:
            return None
    cls_attr = cls.__dict__
    ...

但是,我不确定这是元类选项的好坏。

答案 1 :(得分:0)

如果要查找在父类上定义的属性,并且在子类中具有相同名称的属性,则需要添加父类的名称以访问所需的范围

我相信这就是你想要的:

class Parent:
   prop = 'a property'

   def self_prop(self):
      print self.prop

   # will always print 'a property'
   def parent_prop(self):
      print Parent.prop

class Child(Parent):
   prop = 'child property'

   def access_eclipsed(self):
      print Parent.prop

class Other(Child):
   pass

>>> Parent().self_prop()
"a property"
>>> Parent().parent_prop()
"a property"
>>> Child().self_prop()
"child property"
>>> Child().parent_prop()
"a property"
>>> Child().access_eclipsed()
"a property"
>>> Other().self_prop()
"child property"
>>> Other().parent_prop()
"a property"
>>> Other().access_eclipsed()
"a property"

在你的情况下,看起来你有两个不同的类来定义不同的变量,所以你可以尝试:catch:在测试函数的顶部或者在初始化器中

并说

try:
   isSQLServer = self.sql_server
except AttributeError:
   isSQLServer = False

(尽管他们应该定义相同的变量,以便测试类不必了解子类的任何内容)