1

我正在使用 peewee ORM 和 sanic(sanic-crud) 作为应用服务器构建 CRUD REST API。一切正常。我为此写了几个单元测试用例。

但是,我在运行单元测试时遇到了问题。问题是 unittests 启动了 sanic 应用程序服务器并停在那里。它根本没有运行单元测试用例。但是,当我手动按 Ctrl+C 时,sanic 服务器会终止并开始执行单元测试。因此,这意味着应该有一种方法可以启动 sanic 服务器并继续运行单元测试并在最后终止服务器。

有人可以取悦我为 sanic 应用程序编写单元测试用例的正确方法吗?

我也遵循了官方文档,但没有运气。 http://sanic.readthedocs.io/en/latest/sanic/testing.html

我试过以下

from restapi import app # the execution stalled here i guess
import unittest
import asyncio
import aiohttp

class AutoRestTests(unittest.TestCase):
    ''' Unit testcases for REST APIs '''

    def setUp(self):
        self.loop = asyncio.new_event_loop()
        asyncio.set_event_loop(None)

    def test_get_metrics_all(self):
        @asyncio.coroutine
        def get_all():
            res = app.test_client.get('/metrics')
            assert res.status == 201
        self.loop.run_until_complete(get_all())

从restapi.py

app = Sanic(__name__)
generate_crud(app, [Metrics, ...])
app.run(host='0.0.0.0', port=1337, workers=4, debug=True)
4

1 回答 1

10

最后通过将 app.run 语句移动到主块来运行单元测试

# tiny app server starts here
app = Sanic(__name__)
generate_crud(app, [Metrics, ...])
if __name__ == '__main__':
    app.run(host='0.0.0.0', port=1337, debug=True)
        # workers=4, log_config=LOGGING)

from restapi import app
import json
import unittest

class AutoRestTests(unittest.TestCase):
    ''' Unit testcases for REST APIs '''

    def test_get_metrics_all(self):
        request, response = app.test_client.get('/metrics')
        self.assertEqual(response.status, 200)
        data = json.loads(response.text)
        self.assertEqual(data['metric_name'], 'vCPU')

if __name__ == '__main__':
    unittest.main()
于 2017-05-18T10:18:37.770 回答