| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138 | # -*- coding:utf-8 -*-from datetime import datetimefrom functools import wrapsfrom flask import request, current_appfrom flask_login import user_logged_infrom flask_restful import Resourcefrom werkzeug.exceptions import NotFound, Unauthorizedfrom libs.login import _get_userfrom extensions.ext_database import dbfrom models.account import Tenant, TenantAccountJoin, Accountfrom models.model import ApiToken, Appfrom services.billing_service import BillingServicedef validate_app_token(view=None):    def decorator(view):        @wraps(view)        def decorated(*args, **kwargs):            api_token = validate_and_get_api_token('app')            app_model = db.session.query(App).filter(App.id == api_token.app_id).first()            if not app_model:                raise NotFound()            if app_model.status != 'normal':                raise NotFound()            if not app_model.enable_api:                raise NotFound()            return view(app_model, None, *args, **kwargs)        return decorated    if view:        return decorator(view)    # if view is None, it means that the decorator is used without parentheses    # use the decorator as a function for method_decorators    return decoratordef cloud_edition_billing_resource_check(resource: str,                                         api_token_type: str,                                         error_msg: str = "You have reached the limit of your subscription."):    def interceptor(view):        def decorated(*args, **kwargs):            if current_app.config['EDITION'] == 'CLOUD':                api_token = validate_and_get_api_token(api_token_type)                billing_info = BillingService.get_info(api_token.tenant_id)                members = billing_info['members']                apps = billing_info['apps']                vector_space = billing_info['vector_space']                if resource == 'members' and 0 < members['limit'] <= members['size']:                    raise Unauthorized(error_msg)                elif resource == 'apps' and 0 < apps['limit'] <= apps['size']:                    raise Unauthorized(error_msg)                elif resource == 'vector_space' and 0 < vector_space['limit'] <= vector_space['size']:                    raise Unauthorized(error_msg)                else:                    return view(*args, **kwargs)            return view(*args, **kwargs)        return decorated    return interceptordef validate_dataset_token(view=None):    def decorator(view):        @wraps(view)        def decorated(*args, **kwargs):            api_token = validate_and_get_api_token('dataset')            tenant_account_join = db.session.query(Tenant, TenantAccountJoin) \                .filter(Tenant.id == api_token.tenant_id) \                .filter(TenantAccountJoin.tenant_id == Tenant.id) \                .filter(TenantAccountJoin.role == 'owner') \                .one_or_none()            if tenant_account_join:                tenant, ta = tenant_account_join                account = Account.query.filter_by(id=ta.account_id).first()                # Login admin                if account:                    account.current_tenant = tenant                    current_app.login_manager._update_request_context_with_user(account)                    user_logged_in.send(current_app._get_current_object(), user=_get_user())                else:                    raise Unauthorized("Tenant owner account is not exist.")            else:                raise Unauthorized("Tenant is not exist.")            return view(api_token.tenant_id, *args, **kwargs)        return decorated    if view:        return decorator(view)    # if view is None, it means that the decorator is used without parentheses    # use the decorator as a function for method_decorators    return decoratordef validate_and_get_api_token(scope=None):    """    Validate and get API token.    """    auth_header = request.headers.get('Authorization')    if auth_header is None or ' ' not in auth_header:        raise Unauthorized("Authorization header must be provided and start with 'Bearer'")    auth_scheme, auth_token = auth_header.split(None, 1)    auth_scheme = auth_scheme.lower()    if auth_scheme != 'bearer':        raise Unauthorized("Authorization scheme must be 'Bearer'")    api_token = db.session.query(ApiToken).filter(        ApiToken.token == auth_token,        ApiToken.type == scope,    ).first()    if not api_token:        raise Unauthorized("Access token is invalid")    api_token.last_used_at = datetime.utcnow()    db.session.commit()    return api_tokenclass AppApiResource(Resource):    method_decorators = [validate_app_token]class DatasetApiResource(Resource):    method_decorators = [validate_dataset_token]
 |