4

我对使用 Python WebTest 进行功能测试完全陌生,请多多包涵

我正在查看https://webtest.readthedocs.org/en/latest/webtest.html,所以我按照建议尝试了代码以提出请求:

    app.get('/path', [params], [headers], [extra_environ], ...)

好的,对我来说看起来很简单。我在 myapp 文件夹中创建了一个名为 test_demo.py 的文件:

    from webtest import TestApp

    class MyTests():
        def test_admin_login(self):
           resp = self.TestApp.get('/admin')
           print (resp.request)

现在这是我坚持的地方,我应该如何运行这个 test_demo.py?我试过输入 bash

    $ bin/python MyCart/mycart/test_demo.py test_admin_login

但它没有显示任何结果。

我敢打赌我搞错了,但文档没有多大帮助,或者我只是很慢。

4

1 回答 1

6

哎呀,你错过了几个步骤。

你的程序没有做任何事情,因为你没有告诉它做任何事情,你只是定义了一个类。所以让我们告诉它做点什么。我们将使用unittest包使事情变得更加自动化。

import unittest
from webtest import TestApp

class MyTests(unittest.TestCase):
    def test_admin_login(self):
       resp = self.TestApp.get('/admin')
       print (resp.request)

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

运行它,我们看到:

E
======================================================================
ERROR: test_admin_login (__main__.MyTests)
----------------------------------------------------------------------
Traceback (most recent call last):
  File "test_foo.py", line 6, in test_admin_login
    resp = self.TestApp.get('/admin')
AttributeError: 'MyTests' object has no attribute 'TestApp'

----------------------------------------------------------------------
Ran 1 test in 0.000s

FAILED (errors=1)

好的,所以我们需要一个应用程序来测试。去哪里买?您通常需要在您的mainvia中创建的 WSGI 应用程序config.make_wsgi_app()。最简单的方法是加载它,就像pserve development.ini运行应用程序时一样。我们可以通过pyramid.paster.get_app().

import unittest
from pyramid.paster import get_app
from webtest import TestApp

class MyTests(unittest.TestCase):
    def test_admin_login(self):
        app = get_app('testing.ini')
        test_app = TestApp(app)
        resp = test_app.get('/admin')
        self.assertEqual(resp.status_code, 200)

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

现在只需要一个类似于您的 .INI 文件development.ini,但用于测试目的。您可以复制development.ini,直到您需要设置任何仅用于测试的设置。

unittest希望这为您提供了一个了解有关该软件包的更多信息的起点。

于 2013-03-06T16:17:15.387 回答