2022-05-27 13:28:26 +02:00
|
|
|
from typing import Dict, Tuple, Union
|
|
|
|
|
2022-05-27 13:34:32 +02:00
|
|
|
from flask import Blueprint, Response, request
|
2022-05-27 13:28:26 +02:00
|
|
|
|
|
|
|
from fittrackee import db
|
2022-05-27 15:51:40 +02:00
|
|
|
from fittrackee.oauth2.server import require_auth
|
2022-05-27 13:28:26 +02:00
|
|
|
from fittrackee.responses import HttpResponse, InvalidPayloadErrorResponse
|
|
|
|
from fittrackee.users.models import User
|
|
|
|
|
|
|
|
from .client import create_oauth_client
|
2022-05-27 13:34:32 +02:00
|
|
|
from .server import authorization_server
|
2022-05-27 13:28:26 +02:00
|
|
|
|
|
|
|
oauth_blueprint = Blueprint('oauth', __name__)
|
|
|
|
|
|
|
|
EXPECTED_METADATA_KEYS = [
|
|
|
|
'client_name',
|
|
|
|
'client_uri',
|
|
|
|
'redirect_uris',
|
|
|
|
'scope',
|
|
|
|
]
|
|
|
|
|
|
|
|
|
|
|
|
@oauth_blueprint.route('/oauth/apps', methods=['POST'])
|
2022-05-27 15:51:40 +02:00
|
|
|
@require_auth()
|
2022-05-27 13:28:26 +02:00
|
|
|
def create_client(auth_user: User) -> Union[HttpResponse, Tuple[Dict, int]]:
|
|
|
|
client_metadata = request.get_json()
|
|
|
|
if not client_metadata:
|
|
|
|
return InvalidPayloadErrorResponse(
|
|
|
|
message='OAuth client metadata missing'
|
|
|
|
)
|
|
|
|
|
|
|
|
missing_keys = [
|
|
|
|
key
|
|
|
|
for key in EXPECTED_METADATA_KEYS
|
|
|
|
if key not in client_metadata.keys()
|
|
|
|
]
|
|
|
|
if missing_keys:
|
|
|
|
return InvalidPayloadErrorResponse(
|
|
|
|
message=(
|
|
|
|
'OAuth client metadata missing keys: '
|
|
|
|
f'{", ".join(missing_keys)}'
|
|
|
|
)
|
|
|
|
)
|
|
|
|
|
|
|
|
new_client = create_oauth_client(client_metadata, auth_user)
|
|
|
|
db.session.add(new_client)
|
|
|
|
db.session.commit()
|
|
|
|
return (
|
|
|
|
{
|
|
|
|
'status': 'created',
|
|
|
|
'data': {'client': new_client.serialize()},
|
|
|
|
},
|
|
|
|
201,
|
|
|
|
)
|
2022-05-27 13:34:32 +02:00
|
|
|
|
|
|
|
|
|
|
|
@oauth_blueprint.route('/oauth/authorize', methods=['POST'])
|
2022-05-27 15:51:40 +02:00
|
|
|
@require_auth()
|
2022-05-27 13:34:32 +02:00
|
|
|
def authorize(auth_user: User) -> Response:
|
|
|
|
data = request.form
|
|
|
|
if not data or 'client_id' not in data or 'response_type' not in data:
|
|
|
|
return InvalidPayloadErrorResponse()
|
|
|
|
|
|
|
|
authorization_server.get_consent_grant(end_user=auth_user)
|
|
|
|
return authorization_server.create_authorization_response(
|
|
|
|
grant_user=auth_user
|
|
|
|
)
|
2022-05-27 14:08:07 +02:00
|
|
|
|
|
|
|
|
|
|
|
@oauth_blueprint.route('/oauth/token', methods=['POST'])
|
|
|
|
def issue_token() -> Response:
|
|
|
|
return authorization_server.create_token_response()
|
2022-05-27 14:46:03 +02:00
|
|
|
|
|
|
|
|
|
|
|
@oauth_blueprint.route('/oauth/revoke', methods=['POST'])
|
|
|
|
def revoke_token() -> Response:
|
|
|
|
return authorization_server.create_endpoint_response('revocation')
|