File size: 24,897 Bytes
efae096 d6be9e0 977d398 4835bd1 d6be9e0 4835bd1 f3c022b efae096 f3c022b 8c9241f efae096 977d398 866b3d4 b6aedf5 5a06dce d6be9e0 9fb60d3 b5c0590 66ac2af d6be9e0 664c52f d6be9e0 9fb60d3 49851a0 9fb60d3 66ac2af 9fb60d3 49851a0 4835bd1 49851a0 4835bd1 9fb60d3 4835bd1 d6be9e0 49851a0 9fb60d3 5a06dce 49851a0 7a9937f 9fb60d3 7a9937f 49851a0 7a9937f 49851a0 7a9937f 49851a0 9fb60d3 66ac2af 49851a0 8f8ef0c 49851a0 8f8ef0c 66ac2af 9fb60d3 49851a0 5a06dce 4835bd1 d6be9e0 5a06dce 8f8ef0c 5a06dce d0a844a 5a06dce 7ea385a 866b3d4 7ea385a 79a8c29 33b9207 0fac780 33b9207 f3263a3 0fac780 6fc14a5 a1ca4b8 977d398 efae096 a1ca4b8 9fb60d3 a51c943 a1ca4b8 977d398 a51c943 5a06dce b5c0590 7ea385a 33b9207 b6aedf5 866b3d4 9fb60d3 977d398 5a06dce 7ea385a 33b9207 0fac780 6f10f85 b6aedf5 866b3d4 977d398 9fb60d3 efae096 da630b4 6f10f85 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 |
import os
import stripe
import requests
import logging
import pytz
from fastapi import APIRouter, HTTPException, Header, Query
from datetime import datetime, timedelta
from dateutil.relativedelta import relativedelta
from typing import List, Dict, Any
from pydantic import BaseModel # ✅ Adicione esta linha
router = APIRouter()
# Configuração das chaves do Stripe e Supabase
stripe.api_key = os.getenv("STRIPE_KEY")
stripe.api_version = "2023-10-16"
SUPABASE_URL = "https://ussxqnifefkgkaumjann.supabase.co"
SUPABASE_KEY = os.getenv("SUPA_KEY")
if not stripe.api_key or not SUPABASE_KEY:
raise ValueError("❌ STRIPE_KEY ou SUPA_KEY não foram definidos no ambiente!")
SUPABASE_HEADERS = {
"apikey": SUPABASE_KEY,
"Authorization": f"Bearer {SUPABASE_KEY}",
"Content-Type": "application/json"
}
logging.basicConfig(level=logging.INFO)
logger = logging.getLogger(__name__)
class UserIDRequest(BaseModel): # ✅ Agora BaseModel está definido corretamente
user_id: str
def verify_token(user_token: str) -> str:
headers = {
"Authorization": f"Bearer {user_token}",
"apikey": SUPABASE_KEY,
"Content-Type": "application/json"
}
response = requests.get(f"{SUPABASE_URL}/auth/v1/user", headers=headers)
if response.status_code == 200:
user_data = response.json()
user_id = user_data.get("id")
if not user_id:
raise HTTPException(status_code=400, detail="Invalid token: User ID not found")
return user_id
else:
raise HTTPException(status_code=401, detail="Invalid or expired token")
def get_account_balance(account_id: str) -> Dict[str, Any]:
try:
balance = stripe.Balance.retrieve(stripe_account=account_id)
available_balance = next((b.amount for b in balance.available if b.currency.upper() == "BRL"), 0)
pending_balance = next((b.amount for b in balance.pending if b.currency.upper() == "BRL"), 0)
return {
"available_balance": available_balance,
"pending_balance": pending_balance,
"currency": "BRL"
}
except Exception as e:
logger.error(f"❌ Error getting account balance: {str(e)}")
return {"available_balance": 0, "pending_balance": 0, "currency": "BRL"}
def get_payout_history(account_id: str, limit: int = 10) -> List[Dict[str, Any]]:
try:
payouts = stripe.Payout.list(
stripe_account=account_id,
limit=limit,
expand=["data.destination"]
)
payout_history = []
for payout in payouts.data:
arrival_date = datetime.fromtimestamp(payout.arrival_date) if payout.arrival_date else None
payout_entry = {
"id": payout.id,
"amount": payout.amount,
"currency": payout.currency,
"status": payout.status,
"type": payout.type,
"method": payout.method,
"created": datetime.fromtimestamp(payout.created).isoformat(),
"arrival_date": arrival_date.isoformat() if arrival_date else None,
"description": payout.description,
"failure_code": payout.failure_code,
"failure_message": payout.failure_message,
}
# Adicionar detalhes da conta bancária, se disponíveis
if hasattr(payout, 'destination') and payout.destination:
bank = payout.destination
payout_entry["bank_details"] = {
"bank_name": getattr(bank, 'bank_name', None),
"last4": getattr(bank, 'last4', None),
"account_holder_name": getattr(bank, 'account_holder_name', None)
}
payout_history.append(payout_entry)
return payout_history
except Exception as e:
logger.error(f"❌ Error getting payout history: {str(e)}")
return []
def get_connected_account_details(account_id: str) -> Dict[str, Any]:
try:
account = stripe.Account.retrieve(account_id)
external_accounts = stripe.Account.list_external_accounts(
account_id,
object="bank_account",
limit=1
)
payout_schedule = account.settings.payouts.schedule
bank_account = {}
if external_accounts and external_accounts.data:
bank = external_accounts.data[0]
bank_account = {
"account_holder_name": bank.account_holder_name,
"bank_name": bank.bank_name,
"last4": bank.last4,
"routing_number": bank.routing_number,
"status": bank.status
}
return {
"id": account.id,
"business_type": account.business_type,
"company": {
"name": account.business_profile.name if hasattr(account, 'business_profile') and hasattr(account.business_profile, 'name') else None,
},
"email": account.email,
"payouts_enabled": account.payouts_enabled,
"charges_enabled": account.charges_enabled,
"payout_schedule": {
"interval": payout_schedule.interval,
"monthly_anchor": payout_schedule.monthly_anchor if hasattr(payout_schedule, 'monthly_anchor') else None,
"weekly_anchor": payout_schedule.weekly_anchor if hasattr(payout_schedule, 'weekly_anchor') else None,
"delay_days": payout_schedule.delay_days
},
"bank_account": bank_account,
"verification_status": account.requirements.currently_due or []
}
except Exception as e:
logger.error(f"❌ Error getting connected account details: {str(e)}")
return {
"id": account_id,
"payouts_enabled": False,
"charges_enabled": False,
"error": str(e)
}
def get_monthly_revenue(account_id: str) -> Dict[str, Any]:
ny_timezone = pytz.timezone('America/New_York')
now_ny = datetime.now(ny_timezone)
monthly_data = {}
total_revenue_last_6_months = 0
for i in range(6):
target_date = now_ny - relativedelta(months=i)
month_num = target_date.month
month_name = target_date.strftime('%b')
year = target_date.year
month_key = f"{year}-{month_num}"
monthly_data[month_key] = {
"month": month_num,
"name": month_name,
"current": (month_num == now_ny.month and year == now_ny.year),
"amount": 0,
"growth": {"status": "", "percentage": 0, "formatted": "0.0%"}
}
start_date = now_ny - relativedelta(months=12)
start_timestamp = int(start_date.timestamp())
try:
transfers = stripe.Transfer.list(
destination=account_id,
created={"gte": start_timestamp},
limit=100
)
for transfer in transfers.data:
transfer_date = datetime.fromtimestamp(transfer.created, ny_timezone)
month_key = f"{transfer_date.year}-{transfer_date.month}"
if month_key in monthly_data:
monthly_data[month_key]["amount"] += transfer.amount
# Adiciona ao total dos últimos 6 meses
total_revenue_last_6_months += transfer.amount
# Convertendo para lista e ordenando por mês
result = list(monthly_data.values())
# Ordenar do mês mais recente para o mais antigo
result.sort(key=lambda x: (now_ny.year * 12 + now_ny.month - (x["month"])) % 12)
# Calcular crescimento baseado no mês anterior
for i in range(len(result)):
current_month_data = result[i]
# Encontrar o mês anterior (próximo item na lista ordenada)
prev_index = i + 1 if i + 1 < len(result) else None
if prev_index is not None:
previous_amount = result[prev_index]["amount"]
else:
previous_amount = 0
current_amount = current_month_data["amount"]
if previous_amount > 0:
growth_percentage = ((current_amount - previous_amount) / previous_amount) * 100
else:
growth_percentage = 100 if current_amount > 0 else 0
# Define o status baseado no valor do crescimento
if growth_percentage > 0:
status = "up"
elif growth_percentage < 0:
status = "down"
else:
status = "neutral"
current_month_data["growth"] = {
"status": status,
"percentage": round(growth_percentage, 1),
"formatted": f"{round(growth_percentage, 1)}%"
}
return {
"monthly_data": result,
"total_last_6_months": total_revenue_last_6_months
}
except Exception as e:
logger.error(f"❌ Error getting monthly revenue: {str(e)}")
return {
"monthly_data": list(monthly_data.values()),
"total_last_6_months": 0
}
def format_subscription_date(created_at_str: str) -> str:
"""Format the subscription date to the requested format: e.g. '13th January 2025'"""
try:
created_at = datetime.fromisoformat(created_at_str.replace('Z', '+00:00'))
# Add suffix to day
day = created_at.day
if 4 <= day <= 20 or 24 <= day <= 30:
suffix = "th"
else:
suffix = {1: "st", 2: "nd", 3: "rd"}.get(day % 10, "th")
# Format the date
return f"{day}{suffix} {created_at.strftime('%B %Y')}"
except Exception as e:
logger.error(f"❌ Error formatting subscription date: {str(e)}")
return "Unknown date"
def get_active_subscribers(user_id: str, page: int) -> Dict[str, Any]:
limit = 3
offset = page * limit
# Ordenar por created_at em ordem decrescente (mais recente primeiro)
url = f"{SUPABASE_URL}/rest/v1/Subscriptions?stylist_id=eq.{user_id}&active=eq.true&order=created_at.desc&limit={limit}&offset={offset}"
response = requests.get(url, headers=SUPABASE_HEADERS)
if response.status_code == 200:
subscribers = response.json()
subscriber_list = []
for sub in subscribers:
customer_id = sub.get("customer_id")
user_data_url = f"{SUPABASE_URL}/rest/v1/User?id=eq.{customer_id}"
user_response = requests.get(user_data_url, headers=SUPABASE_HEADERS)
if user_response.status_code == 200 and user_response.json():
user_info = user_response.json()[0]
subscription_date = format_subscription_date(sub.get("created_at", ""))
subscriber_list.append({
"id": user_info.get("id"),
"name": user_info.get("name"),
"avatar": user_info.get("avatar"),
"blurhash": user_info.get("blurhash"),
"subscription_date": subscription_date
})
has_next_page = len(subscribers) == limit
return {"subscribers": subscriber_list, "has_next_page": has_next_page}
return {"subscribers": [], "has_next_page": False}
def get_total_followers(user_id: str) -> int:
url = f"{SUPABASE_URL}/rest/v1/followers?following_id=eq.{user_id}"
response = requests.get(url, headers=SUPABASE_HEADERS)
if response.status_code == 200:
followers = response.json()
return len(followers)
return 0
def get_total_subscribers(user_id: str) -> int:
url = f"{SUPABASE_URL}/rest/v1/Subscriptions?stylist_id=eq.{user_id}&active=eq.true"
response = requests.get(url, headers=SUPABASE_HEADERS)
if response.status_code == 200:
subscribers = response.json()
return len(subscribers)
return 0
def get_courtesy_consultations(user_id: str) -> Dict[str, Any]:
ny_timezone = pytz.timezone('America/New_York')
now_ny = datetime.now(ny_timezone)
monthly_data = {}
# Inicializar dados para os últimos 6 meses
for i in range(6):
target_date = now_ny - relativedelta(months=i)
month_num = target_date.month
month_name = target_date.strftime('%b')
year = target_date.year
month_key = f"{year}-{month_num}"
monthly_data[month_key] = {
"month": month_num,
"name": month_name,
"current": (month_num == now_ny.month and year == now_ny.year),
"courtesy_count": 0
}
# Calcular data de início (6 meses atrás)
start_date = (now_ny - relativedelta(months=6)).strftime('%Y-%m-%d')
try:
# Consultar agendamentos de cortesia
url = f"{SUPABASE_URL}/rest/v1/schedules?stylist_id=eq.{user_id}&courtesy=eq.true&date=gte.{start_date}"
response = requests.get(url, headers=SUPABASE_HEADERS)
if response.status_code == 200:
schedules = response.json()
# Contar consultas por mês
for schedule in schedules:
# Converter a data para o fuso horário de NY
schedule_date_str = schedule.get("date")
schedule_date = datetime.fromisoformat(schedule_date_str.replace('Z', '+00:00')).astimezone(ny_timezone)
month_key = f"{schedule_date.year}-{schedule_date.month}"
if month_key in monthly_data:
monthly_data[month_key]["courtesy_count"] += 1
# Convertendo para lista e ordenando por mês (do mais recente para o mais antigo)
result = list(monthly_data.values())
result.sort(key=lambda x: (now_ny.year * 12 + now_ny.month - (x["month"])) % 12)
return {
"monthly_courtesy_consultations": result
}
except Exception as e:
logger.error(f"❌ Error getting courtesy consultations: {str(e)}")
return {
"monthly_courtesy_consultations": list(monthly_data.values())
}
def parse_datetime_safely(date_str: str) -> datetime:
"""Parse datetime string safely, handling microseconds overflow and timezone formats"""
try:
original_date_str = date_str
# Remove 'Z' e substitui por '+00:00' se necessário
if date_str.endswith('Z'):
date_str = date_str.replace('Z', '+00:00')
# Normalizar timezone de -04 para -04:00
import re
tz_pattern = r'([+-])(\d{2})$'
match = re.search(tz_pattern, date_str)
if match:
sign, hours = match.groups()
date_str = re.sub(tz_pattern, f'{sign}{hours}:00', date_str)
# Verificar se há microssegundos com mais de 6 dígitos
if '.' in date_str:
# Separar a parte dos microssegundos
parts = date_str.split('.')
if len(parts) == 2:
base_part = parts[0]
microsec_and_tz = parts[1]
# Encontrar onde começa o timezone (+ ou - após os dígitos)
tz_start_idx = -1
for i in range(len(microsec_and_tz)):
if microsec_and_tz[i] in ['+', '-']:
tz_start_idx = i
break
if tz_start_idx > 0:
# Há timezone
microsec_part = microsec_and_tz[:tz_start_idx]
tz_part = microsec_and_tz[tz_start_idx:]
# Limitar microssegundos a 6 dígitos
if len(microsec_part) > 6:
microsec_part = microsec_part[:6]
date_str = f"{base_part}.{microsec_part}{tz_part}"
else:
# Não há timezone, apenas microssegundos
if len(microsec_and_tz) > 6:
microsec_and_tz = microsec_and_tz[:6]
date_str = f"{base_part}.{microsec_and_tz}"
parsed_date = datetime.fromisoformat(date_str)
logger.debug(f"✅ Successfully parsed date '{original_date_str}' -> '{date_str}' -> {parsed_date}")
return parsed_date
except ValueError as e:
logger.warning(f"⚠️ Error parsing date '{original_date_str}': {str(e)}")
# Tentar um parsing mais simples como fallback
try:
# Remover microssegundos completamente e tentar novamente
simple_date = original_date_str.split('.')[0]
# Adicionar timezone padrão se não tiver
if not any(tz in simple_date for tz in ['+', '-', 'Z']):
simple_date += '-04:00'
elif simple_date.endswith('-04'):
simple_date += ':00'
return datetime.fromisoformat(simple_date)
except:
logger.error(f"❌ Failed to parse date '{original_date_str}' with fallback method")
# Último recurso: retornar data atual
return datetime.now(pytz.UTC)
def get_monthly_likes(user_id: str) -> Dict[str, Any]:
ny_timezone = pytz.timezone('America/New_York')
now_ny = datetime.now(ny_timezone)
monthly_data = {}
total_likes_last_6_months = 0
# Inicializar dados para os últimos 6 meses
for i in range(6):
target_date = now_ny - relativedelta(months=i)
month_num = target_date.month
month_name = target_date.strftime('%b')
year = target_date.year
month_key = f"{year}-{month_num}"
monthly_data[month_key] = {
"month": month_num,
"name": month_name,
"current": (month_num == now_ny.month and year == now_ny.year),
"likes_count": 0
}
# Calcular data de início (6 meses atrás)
start_date = (now_ny - relativedelta(months=6)).strftime('%Y-%m-%d')
try:
# Primeiro, obter todos os feed_items do usuário
feeds_url = f"{SUPABASE_URL}/rest/v1/Feeds?user_id=eq.{user_id}"
feeds_response = requests.get(feeds_url, headers=SUPABASE_HEADERS)
if feeds_response.status_code == 200:
feeds = feeds_response.json()
feed_ids = [feed.get("id") for feed in feeds]
if feed_ids:
# Construir a condição para os feed_ids
# (não podemos usar in.() diretamente por limitações da API, então vamos fazer uma string)
feed_ids_str = ','.join([str(id) for id in feed_ids])
# Obter likes para esses feeds no intervalo de tempo
likes_url = f"{SUPABASE_URL}/rest/v1/likes?feed_item_id=in.({feed_ids_str})&created_at=gte.{start_date}"
likes_response = requests.get(likes_url, headers=SUPABASE_HEADERS)
if likes_response.status_code == 200:
likes = likes_response.json()
logger.info(f"📊 Found {len(likes)} likes for user {user_id}")
# Contar likes por mês
for like in likes:
# Converter a data para o fuso horário de NY usando o parse seguro
like_date_str = like.get("created_at")
if like_date_str:
like_date = parse_datetime_safely(like_date_str).astimezone(ny_timezone)
month_key = f"{like_date.year}-{like_date.month}"
logger.debug(f"📅 Like date: {like_date_str} -> {like_date} -> month_key: {month_key}")
if month_key in monthly_data:
monthly_data[month_key]["likes_count"] += 1
total_likes_last_6_months += 1
logger.debug(f"✅ Added like to {month_key}, total now: {monthly_data[month_key]['likes_count']}")
else:
logger.debug(f"⚠️ Month key {month_key} not in range, skipping like from {like_date}")
else:
logger.warning(f"⚠️ Failed to fetch likes: {likes_response.status_code}")
else:
logger.info(f"📭 No feed items found for user {user_id}")
else:
logger.warning(f"⚠️ Failed to fetch feeds: {feeds_response.status_code}")
# Convertendo para lista e ordenando por mês (do mais recente para o mais antigo)
result = list(monthly_data.values())
result.sort(key=lambda x: (now_ny.year * 12 + now_ny.month - (x["month"])) % 12)
return {
"monthly_likes": result,
"total_likes_last_6_months": total_likes_last_6_months
}
except Exception as e:
logger.error(f"❌ Error getting monthly likes: {str(e)}")
return {
"monthly_likes": list(monthly_data.values()),
"total_likes_last_6_months": 0
}
@router.post("/bank_account_dashboard_link")
async def generate_bank_account_dashboard_link(data: UserIDRequest):
try:
user_id = data.user_id # O ID do estilista no Stripe (deve começar com "acct_")
if not user_id.startswith("acct_"):
raise HTTPException(status_code=400, detail="Invalid user ID format. Must be a Stripe connected account (acct_).")
try:
# Criar o login link para a conta do estilista no Stripe
login_link = stripe.Account.create_login_link(user_id)
return {
"status": "success",
"dashboard_link": login_link.url # URL do painel do Stripe para edição
}
except stripe.error.StripeError as e:
logger.error(f"❌ Error creating login link: {str(e)}")
raise HTTPException(status_code=500, detail="Error creating login link for stylist account.")
except Exception as e:
logger.error(f"❌ Error generating bank account dashboard link: {str(e)}")
raise HTTPException(status_code=500, detail="Error generating bank account dashboard link.")
@router.get("/dashboard")
def get_dashboard(user_token: str = Header(None, alias="User-key"), page: int = Query(0, ge=0)):
try:
user_id = verify_token(user_token)
user_data_url = f"{SUPABASE_URL}/rest/v1/User?id=eq.{user_id}"
response = requests.get(user_data_url, headers=SUPABASE_HEADERS)
# Verificar se a resposta contém dados
user_data_response = response.json()
if not user_data_response:
raise HTTPException(status_code=404, detail="User not found")
user_data = user_data_response[0]
stripe_id = user_data.get("stripe_id")
# Verificar se o usuário tem um stripe_id
if not stripe_id:
raise HTTPException(status_code=400, detail="User does not have a Stripe account")
# Obter dados de receita mensal e total dos últimos 6 meses
revenue_data = get_monthly_revenue(stripe_id)
# Obter dados de consultas gratuitas dos últimos 6 meses
courtesy_data = get_courtesy_consultations(user_id)
# Obter dados de likes dos últimos 6 meses
likes_data = get_monthly_likes(user_id)
# Obter detalhes da conta conectada
account_details = get_connected_account_details(stripe_id)
# Obter histórico de repasses (payouts)
payout_history = get_payout_history(stripe_id)
return {
"stripe_id": stripe_id,
"available_balance": get_account_balance(stripe_id),
"monthly_revenue": revenue_data["monthly_data"],
"total_revenue_last_6_months": revenue_data["total_last_6_months"],
"monthly_courtesy_consultations": courtesy_data["monthly_courtesy_consultations"],
"monthly_likes": likes_data["monthly_likes"],
"total_likes_last_6_months": likes_data["total_likes_last_6_months"],
"total_followers": get_total_followers(user_id),
"total_subscribers": get_total_subscribers(user_id),
"account_details": account_details,
"payout_history": payout_history,
**get_active_subscribers(user_id, page)
}
except Exception as e:
logger.error(f"❌ Error: {str(e)}")
raise HTTPException(status_code=500, detail=str(e)) |