对于pytest,我有以下测试类:
class TestConnection(AsyncTestCase):
'''Integration test'''
@gen_test
def test_connecting_to_server(self):
'''Connecting to the TCPserver'''
client = server = None
try:
sock, port = bind_unused_port()
with NullContext():
server = EchoServer()
server.add_socket(sock)
client = IOStream(socket.socket())
#### HERE I WANT TO HAVE THE caplog FIXTURE
with ExpectLog(app_log, '.*decode.*'):
yield client.connect(('localhost', port))
yield client.write(b'hello\n')
# yield client.read_until(b'\n')
yield gen.moment
assert False
finally:
if server is not None:
server.stop()
if client is not None:
client.close()在这个类中,显然ExpectLog没有工作,所以在仔细研究pytest的文档一天之后,我发现可以在方法中插入这个caplog工具,以便访问捕获的日志。如果我有一个测试函数来添加caplog参数,那么它似乎是可行的,但是如何使caplog夹具在像上面这样的测试类的方法中可用呢?
发布于 2018-05-16 15:39:57
虽然不能将固定装置作为参数传递给unittest测试方法,但可以将它们作为实例属性注入。示例:
# spam.py
import logging
def eggs():
logging.getLogger().info('bacon')spam.eggs()测试
# test_spam.py
import logging
import unittest
import pytest
import spam
class SpamTest(unittest.TestCase):
@pytest.fixture(autouse=True)
def inject_fixtures(self, caplog):
self._caplog = caplog
def test_eggs(self):
with self._caplog.at_level(logging.INFO):
spam.eggs()
assert self._caplog.records[0].message == 'bacon'https://stackoverflow.com/questions/50373916
复制相似问题