4

我有我的 Flask 应用程序,它使用 Flask-Assets 并且在尝试运行单元测试用例时,除了第一个测试用例之外,其他用例失败并出现以下 RegisterError。

======================================================================
ERROR: test_login_page (tests.test_auth.AuthTestCase)
----------------------------------------------------------------------
Traceback (most recent call last):
  File "/Users/cnu/env/flenv/lib/python2.7/site-packages/nose/case.py", line 133, in run
    self.runTest(result)
  File "/Users/cnu/env/flenv/lib/python2.7/site-packages/nose/case.py", line 151, in runTest
    test(result)
  File "/Users/cnu/env/flenv/lib/python2.7/site-packages/flask_testing.py", line 72, in __call__
    self._pre_setup()
  File "/Users/cnu/env/flenv/lib/python2.7/site-packages/flask_testing.py", line 80, in _pre_setup
    self.app = self.create_app()
  File "/Users/cnu/Projects/Bookworm/App/tests/test_auth.py", line 8, in create_app
    return create_app('testing.cfg')
  File "/Users/cnu/Projects/Bookworm/App/bookworm/__init__.py", line 118, in create_app
    configure_extensions(app)
  File "/Users/cnu/Projects/Bookworm/App/bookworm/__init__.py", line 106, in configure_extensions
    assets.register('js_all', js)
  File "/Users/cnu/env/flenv/src/webassets/src/webassets/env.py", line 374, in register
    'as "%s": %s' % (name, self._named_bundles[name]))
RegisterError: Another bundle is already registered as "js_all": <Bundle output=assets/packed.js, filters=[<webassets.filter.jsmin.JSMin object at 0x10fa8af90>], contents=('js/app.js',)>

我对为什么会在第一个测试用例运行之前发生这种情况的理解,create_app 创建了一个 app 实例,并为所有其他测试用例维护。

我尝试del(app)了拆卸方法,但没有帮助。

有什么办法可以解决吗?

4

1 回答 1

3

您可能有一个用于 assets 环境的全局对象,您已将其声明为:

在文件中app/extensions.py

from flask.ext.assets import Environment
assets = Environment()

然后,在你的create_app方法的某个地方,你应该初始化环境:

在文件中app/__init__.py

from .extensions import assets

def create_app(): 
    app = Flask(__name__)
    ...
    assets.init_app(app)
    ...
    return app

问题是,当您使用应用程序初始化环境时,注册的捆绑包不会被清除。因此,您应该在 TestCase 中手动执行此操作:

在文件中tests/__init__.py

from app import create_app
from app.extensions import assets

class TestCase(Base): 

    def create_app(self): 
        assets._named_bundles = {} # Clear the bundle list
        return create_app(self)

希望这会有所帮助,干杯

于 2014-01-06T10:35:39.560 回答