flask http-auth and unittesting



嗨!

我有一个使用 HTTP Basic 身份验证保护的路由,该身份验证由 Flask-HTTPAuth 实现。如果我使用 curl,一切正常(我可以访问路由),但是在单元测试时,即使我提供了正确的用户名和密码,也无法访问路由。

以下是我的测试模块中的相关代码片段:

class TestClient(object):
    def __init__(self, app):
        self.client = app.test_client()
    def send(self, url, method, data=None, headers={}):
        if data:
            data = json.dumps(data)
        rv = method(url, data=data, headers=headers)
        return rv, json.loads(rv.data.decode('utf-8'))
    def delete(self, url, headers={}):
        return self.send(url, self.client.delete, headers)
class TestCase(unittest.TestCase):
    def setUp(self):
        app.config.from_object('test_config')
        self.app = app
        self.app_context = self.app.app_context()
        self.app_context.push()
        db.create_all()
        self.client = TestClient(self.app)
    def test_delete_user(self):
        # create new user
        data = {'username': 'john', 'password': 'doe'}
        self.client.post('/users', data=data)
        # delete previously created user
        headers = {}
        headers['Authorization'] = 'Basic ' + b64encode((data['username'] + ':' + data['password'])
                                                        .encode('utf-8')).decode('utf-8')
        headers['Content-Type'] = 'application/json'
        headers['Accept'] = 'application/json'
        rv, json = self.client.delete('/users', headers=headers)
        self.assertTrue(rv.status_code == 200) # Returns 401 instead

以下是 Flask-HTTPAuth 所需的回调方法:

auth = HTTPBasicAuth()
@auth.verify_password
def verify_password(username, password):
    # THIS METHOD NEVER GETS CALLED
    user = User.query.filter_by(username=username).first()
    if not user or not user.verify_password(password):
        return False
    g.user = user
    return True
@auth.error_handler
def unauthorized():
    response = jsonify({'status': 401, 'error': 'unauthorized', 'message': 'Please authenticate to access this API.'})
    response.status_code = 401
    return response

我的任何路线:

@app.route('/users', methods=['DELETE'])
@auth.login_required
def delete_user():
    db.session.delete(g.user)
    db.session.commit()
    return jsonify({})

单元测试引发以下异常:

Traceback (most recent call last):
  File "test_api.py", line 89, in test_delete_user
    self.assertTrue(rv.status_code == 200) # Returns 401 instead
AssertionError: False is not true

我想再次强调,当我使用与测试客户端提供的完全相同的参数运行 curl 时,一切正常,但是当我运行测试时,verify_password方法甚至不会被调用。

非常感谢您的帮助!

下面是如何使用pytest和内置的monkeypatch夹具完成此操作的示例。

如果我在some_flask_app有这个 API 函数:

from flask_httpauth import HTTPBasicAuth
app = Flask(__name__)
auth = HTTPBasicAuth()
@app.route('/api/v1/version')
@auth.login_required
def api_get_version():
    return jsonify({'version': get_version()})

我可以创建一个夹具,返回烧瓶测试客户端并修补 HTTPBasicAuth 中的身份验证函数以始终返回True

import pytest
from some_flask_app import app, auth
@pytest.fixture(name='client')
def initialize_authorized_test_client(monkeypatch):
    app.testing = True
    client = app.test_client()
    monkeypatch.setattr(auth, 'authenticate', lambda x, y: True)
    yield client
    app.testing = False

def test_settings_tracking(client):
    r = client.get("/api/v1/version")
    assert r.status_code == 200

你会喜欢这个。

您的send方法:

def send(self, url, method, data=None, headers={}):
    pass

您的delete方法:

def delete(self, url, headers={}):
    return self.send(url, self.client.delete, headers)

请注意,您将headers作为第三个位置参数传递,因此它data进入send()

相关内容

  • 没有找到相关文章

最新更新