我想在为一个视图
编写单元测试时模拟validate_token
装饰器
#views.py
from third_part.module import vaidate_token
from setting import config
class myViews:
@validate_token([config['issuer'], config['secret_key']])
def get_data():
#Do stuff
return json.loads(data)
这里validate_token是一个thirtd_party模块,用于授权请求,令牌由第三方发布,所以我不想为我的测试执行validate_token装饰器
下面是我的示例测试代码。
test_views.py
@patch('views.validate_token', lambda x: x)
def test_get_data(self):
endpoint = '/app/get_data'
res = self.client.get(endpoint)
assert res.status_code==200
我在试运行时试图嘲笑 但它没有按预期工作,它给出401错误。
我如何模拟/修补装饰器进行测试 这里遗失的任何东西
提前致谢。
答案 0 :(得分:5)
这里有一个可以帮助你的例子。下面的文件结构。
app.py
from flask import Flask
from third_part.example import validate_token
app = Flask(__name__)
@app.route('/')
@validate_token()
def index():
return 'hi'
if __name__ == '__main__':
app.run(debug=True)
/third_part/example.py
from functools import wraps
def validate_token():
def validate(func):
@wraps(func)
def wrapper(*args, **kwargs):
raise Exception('Token error. Just for example')
return func(*args, **kwargs)
return wrapper
return validate
tests.py:
from app import app
app.testing = True
def test_index():
with app.test_client() as client:
client.get('/')
运行我们的tests.py
(只需确保装饰器工作):
@wraps(func)
def wrapper(*args, **kwargs):
> raise Exception('Token error. Just for example')
E Exception: Token error. Just for example
第一种方式如何跳过装饰器(使用patch
)。 tests.py:
from functools import wraps
from mock import patch
def mock_decorator():
def decorator(f):
@wraps(f)
def decorated_function(*args, **kwargs):
return f(*args, **kwargs)
return decorated_function
return decorator
patch('third_part.example.validate_token', mock_decorator).start()
# !important thing - import of app after patch()
from app import app
app.testing = True
def test_index():
with app.test_client() as client:
client.get('/')
第二种方式(不含patch
)。 tests.py:
from functools import wraps
from third_part import example
def mock_decorator():
def decorator(f):
@wraps(f)
def decorated_function(*args, **kwargs):
return f(*args, **kwargs)
return decorated_function
return decorator
# !important thing - import of app after replace
example.validate_token = mock_decorator
from app import app
app.testing = True
def test_index():
with app.test_client() as client:
client.get('/')
运行我们的test.py(以两种方式):
tests.py . [100%]
=========================== 1 passed in 0.09 seconds ===========================
总结。如您所见,非常重要的是更换功能时。顺便说一句,您尝试修补validate_token
模块的views
,而不是third_part.module
希望这有帮助。