Files
spotizerr-dev/routes/utils/credentials.py
2025-01-27 09:38:54 -06:00

178 lines
5.6 KiB
Python

import json
from pathlib import Path
import shutil
def get_credential(service, name):
"""
Retrieves existing credential contents by name.
Args:
service (str): 'spotify' or 'deezer'
name (str): Custom name of the credential to retrieve
Returns:
dict: Credential data as dictionary
Raises:
FileNotFoundError: If the credential doesn't exist
ValueError: For invalid service name
"""
if service not in ['spotify', 'deezer']:
raise ValueError("Service must be 'spotify' or 'deezer'")
creds_dir = Path('./creds') / service / name
file_path = creds_dir / 'credentials.json'
if not file_path.exists():
raise FileNotFoundError(f"Credential '{name}' not found for {service}")
with open(file_path, 'r') as f:
return json.load(f)
def list_credentials(service):
"""
Lists all available credential names for a service
Args:
service (str): 'spotify' or 'deezer'
Returns:
list: Array of credential names
Raises:
ValueError: For invalid service name
"""
if service not in ['spotify', 'deezer']:
raise ValueError("Service must be 'spotify' or 'deezer'")
service_dir = Path('./creds') / service
if not service_dir.exists():
return []
return [d.name for d in service_dir.iterdir() if d.is_dir()]
def create_credential(service, name, data):
"""
Creates a new credential file for the specified service.
Args:
service (str): 'spotify' or 'deezer'
name (str): Custom name for the credential
data (dict): Dictionary containing the credential data
Raises:
ValueError: If service is invalid, data has invalid fields, or missing required fields
FileExistsError: If the credential directory already exists
"""
if service not in ['spotify', 'deezer']:
raise ValueError("Service must be 'spotify' or 'deezer'")
# Validate data structure
required_fields = []
allowed_fields = []
if service == 'spotify':
required_fields = ['username', 'credentials']
allowed_fields = required_fields + ['type']
data['type'] = 'AUTHENTICATION_STORED_SPOTIFY_CREDENTIALS'
else:
required_fields = ['arl']
allowed_fields = required_fields.copy()
# Check for extra fields
extra_fields = set(data.keys()) - set(allowed_fields)
if extra_fields:
raise ValueError(f"Deezer credentials can only contain 'arl'. Extra fields found: {', '.join(extra_fields)}")
for field in required_fields:
if field not in data:
raise ValueError(f"Missing required field for {service}: {field}")
# Create directory
creds_dir = Path('./creds') / service / name
try:
creds_dir.mkdir(parents=True, exist_ok=False)
except FileExistsError:
raise FileExistsError(f"Credential '{name}' already exists for {service}")
# Write credentials file
file_path = creds_dir / 'credentials.json'
with open(file_path, 'w') as f:
json.dump(data, f, indent=4)
def delete_credential(service, name):
"""
Deletes an existing credential directory.
Args:
service (str): 'spotify' or 'deezer'
name (str): Name of the credential to delete
Raises:
FileNotFoundError: If the credential directory does not exist
"""
creds_dir = Path('./creds') / service / name
if not creds_dir.exists():
raise FileNotFoundError(f"Credential '{name}' not found for {service}")
shutil.rmtree(creds_dir)
def edit_credential(service, name, new_data):
"""
Edits an existing credential file.
Args:
service (str): 'spotify' or 'deezer'
name (str): Name of the credential to edit
new_data (dict): Dictionary containing fields to update
Raises:
FileNotFoundError: If the credential does not exist
ValueError: If new_data contains invalid fields or missing required fields after update
"""
if service not in ['spotify', 'deezer']:
raise ValueError("Service must be 'spotify' or 'deezer'")
# Load existing data
creds_dir = Path('./creds') / service / name
file_path = creds_dir / 'credentials.json'
if not file_path.exists():
raise FileNotFoundError(f"Credential '{name}' not found for {service}")
with open(file_path, 'r') as f:
data = json.load(f)
# Validate new_data fields
allowed_fields = []
if service == 'spotify':
allowed_fields = ['username', 'credentials']
else:
allowed_fields = ['arl']
for key in new_data.keys():
if key not in allowed_fields:
raise ValueError(f"Invalid field '{key}' for {service} credentials")
# Update data
data.update(new_data)
# For Deezer: Strip all fields except 'arl'
if service == 'deezer':
if 'arl' not in data:
raise ValueError("Missing 'arl' field for Deezer credential")
data = {'arl': data['arl']}
# Ensure required fields are present
required_fields = []
if service == 'spotify':
required_fields = ['username', 'credentials', 'type']
data['type'] = 'AUTHENTICATION_STORED_SPOTIFY_CREDENTIALS'
else:
required_fields = ['arl']
for field in required_fields:
if field not in data:
raise ValueError(f"Missing required field '{field}' after update for {service}")
# Save updated data
with open(file_path, 'w') as f:
json.dump(data, f, indent=4)