How to test Python 3.4 asyncio code?

前端 未结 10 1275
遇见更好的自我
遇见更好的自我 2020-12-02 05:38

What\'s the best way to write unit tests for code using the Python 3.4 asyncio library? Assume I want to test a TCP client (SocketConnection):

10条回答
  •  死守一世寂寞
    2020-12-02 06:15

    Use this class instead of unittest.TestCase base class:

    import asyncio
    import unittest
    
    
    class AioTestCase(unittest.TestCase):
    
        # noinspection PyPep8Naming
        def __init__(self, methodName='runTest', loop=None):
            self.loop = loop or asyncio.get_event_loop()
            self._function_cache = {}
            super(AioTestCase, self).__init__(methodName=methodName)
    
        def coroutine_function_decorator(self, func):
            def wrapper(*args, **kw):
                return self.loop.run_until_complete(func(*args, **kw))
            return wrapper
    
        def __getattribute__(self, item):
            attr = object.__getattribute__(self, item)
            if asyncio.iscoroutinefunction(attr):
                if item not in self._function_cache:
                    self._function_cache[item] = self.coroutine_function_decorator(attr)
                return self._function_cache[item]
            return attr
    
    
    class TestMyCase(AioTestCase):
    
        async def test_dispatch(self):
            self.assertEqual(1, 1)
    

    EDIT 1:

    Please note the @Nitay answer about nested tests.

提交回复
热议问题