| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175 | 
							- import os
 - from typing import Literal, Optional
 - 
 - import httpx
 - from tenacity import retry, retry_if_exception_type, stop_before_delay, wait_fixed
 - 
 - from extensions.ext_database import db
 - from libs.helper import RateLimiter
 - from models.account import Account, TenantAccountJoin, TenantAccountRole
 - 
 - 
 - class BillingService:
 -     base_url = os.environ.get("BILLING_API_URL", "BILLING_API_URL")
 -     secret_key = os.environ.get("BILLING_API_SECRET_KEY", "BILLING_API_SECRET_KEY")
 - 
 -     compliance_download_rate_limiter = RateLimiter("compliance_download_rate_limiter", 4, 60)
 - 
 -     @classmethod
 -     def get_info(cls, tenant_id: str):
 -         params = {"tenant_id": tenant_id}
 - 
 -         billing_info = cls._send_request("GET", "/subscription/info", params=params)
 -         return billing_info
 - 
 -     @classmethod
 -     def get_knowledge_rate_limit(cls, tenant_id: str):
 -         params = {"tenant_id": tenant_id}
 - 
 -         knowledge_rate_limit = cls._send_request("GET", "/subscription/knowledge-rate-limit", params=params)
 - 
 -         return {
 -             "limit": knowledge_rate_limit.get("limit", 10),
 -             "subscription_plan": knowledge_rate_limit.get("subscription_plan", "sandbox"),
 -         }
 - 
 -     @classmethod
 -     def get_subscription(cls, plan: str, interval: str, prefilled_email: str = "", tenant_id: str = ""):
 -         params = {"plan": plan, "interval": interval, "prefilled_email": prefilled_email, "tenant_id": tenant_id}
 -         return cls._send_request("GET", "/subscription/payment-link", params=params)
 - 
 -     @classmethod
 -     def get_model_provider_payment_link(cls, provider_name: str, tenant_id: str, account_id: str, prefilled_email: str):
 -         params = {
 -             "provider_name": provider_name,
 -             "tenant_id": tenant_id,
 -             "account_id": account_id,
 -             "prefilled_email": prefilled_email,
 -         }
 -         return cls._send_request("GET", "/model-provider/payment-link", params=params)
 - 
 -     @classmethod
 -     def get_invoices(cls, prefilled_email: str = "", tenant_id: str = ""):
 -         params = {"prefilled_email": prefilled_email, "tenant_id": tenant_id}
 -         return cls._send_request("GET", "/invoices", params=params)
 - 
 -     @classmethod
 -     @retry(
 -         wait=wait_fixed(2),
 -         stop=stop_before_delay(10),
 -         retry=retry_if_exception_type(httpx.RequestError),
 -         reraise=True,
 -     )
 -     def _send_request(cls, method: Literal["GET", "POST", "DELETE"], endpoint: str, json=None, params=None):
 -         headers = {"Content-Type": "application/json", "Billing-Api-Secret-Key": cls.secret_key}
 - 
 -         url = f"{cls.base_url}{endpoint}"
 -         response = httpx.request(method, url, json=json, params=params, headers=headers)
 -         if method == "GET" and response.status_code != httpx.codes.OK:
 -             raise ValueError("Unable to retrieve billing information. Please try again later or contact support.")
 -         return response.json()
 - 
 -     @staticmethod
 -     def is_tenant_owner_or_admin(current_user):
 -         tenant_id = current_user.current_tenant_id
 - 
 -         join: Optional[TenantAccountJoin] = (
 -             db.session.query(TenantAccountJoin)
 -             .where(TenantAccountJoin.tenant_id == tenant_id, TenantAccountJoin.account_id == current_user.id)
 -             .first()
 -         )
 - 
 -         if not join:
 -             raise ValueError("Tenant account join not found")
 - 
 -         if not TenantAccountRole.is_privileged_role(TenantAccountRole(join.role)):
 -             raise ValueError("Only team owner or team admin can perform this action")
 - 
 -     @classmethod
 -     def delete_account(cls, account_id: str):
 -         """Delete account."""
 -         params = {"account_id": account_id}
 -         return cls._send_request("DELETE", "/account/", params=params)
 - 
 -     @classmethod
 -     def is_email_in_freeze(cls, email: str) -> bool:
 -         params = {"email": email}
 -         try:
 -             response = cls._send_request("GET", "/account/in-freeze", params=params)
 -             return bool(response.get("data", False))
 -         except Exception:
 -             return False
 - 
 -     @classmethod
 -     def update_account_deletion_feedback(cls, email: str, feedback: str):
 -         """Update account deletion feedback."""
 -         json = {"email": email, "feedback": feedback}
 -         return cls._send_request("POST", "/account/delete-feedback", json=json)
 - 
 -     class EducationIdentity:
 -         verification_rate_limit = RateLimiter(prefix="edu_verification_rate_limit", max_attempts=10, time_window=60)
 -         activation_rate_limit = RateLimiter(prefix="edu_activation_rate_limit", max_attempts=10, time_window=60)
 - 
 -         @classmethod
 -         def verify(cls, account_id: str, account_email: str):
 -             if cls.verification_rate_limit.is_rate_limited(account_email):
 -                 from controllers.console.error import EducationVerifyLimitError
 - 
 -                 raise EducationVerifyLimitError()
 - 
 -             cls.verification_rate_limit.increment_rate_limit(account_email)
 - 
 -             params = {"account_id": account_id}
 -             return BillingService._send_request("GET", "/education/verify", params=params)
 - 
 -         @classmethod
 -         def is_active(cls, account_id: str):
 -             params = {"account_id": account_id}
 -             return BillingService._send_request("GET", "/education/status", params=params)
 - 
 -         @classmethod
 -         def activate(cls, account: Account, token: str, institution: str, role: str):
 -             if cls.activation_rate_limit.is_rate_limited(account.email):
 -                 from controllers.console.error import EducationActivateLimitError
 - 
 -                 raise EducationActivateLimitError()
 - 
 -             cls.activation_rate_limit.increment_rate_limit(account.email)
 -             params = {"account_id": account.id, "curr_tenant_id": account.current_tenant_id}
 -             json = {
 -                 "institution": institution,
 -                 "token": token,
 -                 "role": role,
 -             }
 -             return BillingService._send_request("POST", "/education/", json=json, params=params)
 - 
 -         @classmethod
 -         def autocomplete(cls, keywords: str, page: int = 0, limit: int = 20):
 -             params = {"keywords": keywords, "page": page, "limit": limit}
 -             return BillingService._send_request("GET", "/education/autocomplete", params=params)
 - 
 -     @classmethod
 -     def get_compliance_download_link(
 -         cls,
 -         doc_name: str,
 -         account_id: str,
 -         tenant_id: str,
 -         ip: str,
 -         device_info: str,
 -     ):
 -         limiter_key = f"{account_id}:{tenant_id}"
 -         if cls.compliance_download_rate_limiter.is_rate_limited(limiter_key):
 -             from controllers.console.error import CompilanceRateLimitError
 - 
 -             raise CompilanceRateLimitError()
 - 
 -         json = {
 -             "doc_name": doc_name,
 -             "account_id": account_id,
 -             "tenant_id": tenant_id,
 -             "ip_address": ip,
 -             "device_info": device_info,
 -         }
 -         res = cls._send_request("POST", "/compliance/download", json=json)
 -         cls.compliance_download_rate_limiter.increment_rate_limit(limiter_key)
 -         return res
 
 
  |