Restructured 13 Django apps from flat/mixed organization into 5 logical
domain packages following cookiecutter-django conventions:
- identity/: core (tenant/domain models, middleware, mixins), users
- scheduling/: schedule, contracts, analytics
- communication/: notifications, credits, mobile, messaging
- commerce/: payments, tickets
- platform/: admin, api
Key changes:
- Moved all apps to smoothschedule/smoothschedule/{domain}/{app}/
- Updated all import paths across the codebase
- Updated settings (base.py, multitenancy.py, test.py)
- Updated URL configuration in config/urls.py
- Updated middleware and permission paths
- Preserved app_label in AppConfig for migration compatibility
- Updated CLAUDE.md documentation with new structure
🤖 Generated with [Claude Code](https://claude.com/claude-code)
Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
464 lines
19 KiB
Python
464 lines
19 KiB
Python
# ruff: noqa: ERA001, E501
|
|
"""Base settings to build other settings files upon."""
|
|
|
|
import ssl
|
|
from pathlib import Path
|
|
|
|
import environ
|
|
|
|
BASE_DIR = Path(__file__).resolve(strict=True).parent.parent.parent
|
|
# smoothschedule/
|
|
APPS_DIR = BASE_DIR / "smoothschedule"
|
|
env = environ.Env()
|
|
|
|
READ_DOT_ENV_FILE = env.bool("DJANGO_READ_DOT_ENV_FILE", default=False)
|
|
if READ_DOT_ENV_FILE:
|
|
# OS environment variables take precedence over variables from .env
|
|
env.read_env(str(BASE_DIR / ".env"))
|
|
|
|
# GENERAL
|
|
# ------------------------------------------------------------------------------
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#debug
|
|
DEBUG = env.bool("DJANGO_DEBUG", False)
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#secret-key
|
|
SECRET_KEY = env(
|
|
"DJANGO_SECRET_KEY",
|
|
default="JETIHIJaLl2niIyj134Crg2S2dTURSzyXtd02XPicYcjaK5lJb1otLmNHqs6ZVs0", # DEVELOPMENT DEFAULT ONLY
|
|
)
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#allowed-hosts
|
|
ALLOWED_HOSTS = env.list(
|
|
"DJANGO_ALLOWED_HOSTS",
|
|
default=["localhost", "0.0.0.0", "127.0.0.1", ".lvh.me", "lvh.me", "smoothschedule.com"],
|
|
)
|
|
# Local time zone. Choices are
|
|
# http://en.wikipedia.org/wiki/List_of_tz_zones_by_name
|
|
# though not all of them may be available with every OS.
|
|
# In Windows, this must be set to your system time zone.
|
|
TIME_ZONE = "UTC"
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#language-code
|
|
LANGUAGE_CODE = "en-us"
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#languages
|
|
# from django.utils.translation import gettext_lazy as _
|
|
# LANGUAGES = [
|
|
# ('en', _('English')),
|
|
# ('fr-fr', _('French')),
|
|
# ('pt-br', _('Portuguese')),
|
|
# ]
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#site-id
|
|
SITE_ID = 1
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#use-i18n
|
|
USE_I18N = True
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#use-tz
|
|
USE_TZ = True
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#locale-paths
|
|
LOCALE_PATHS = [str(BASE_DIR / "locale")]
|
|
|
|
# DATABASES
|
|
# ------------------------------------------------------------------------------
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#databases
|
|
DATABASES = {"default": env.db("DATABASE_URL")}
|
|
DATABASES["default"]["ATOMIC_REQUESTS"] = True
|
|
DATABASES["default"]["CONN_MAX_AGE"] = env.int("DJANGO_CONN_MAX_AGE", default=0)
|
|
# https://docs.djangoproject.com/en/stable/ref/settings/#std:setting-DEFAULT_AUTO_FIELD
|
|
DEFAULT_AUTO_FIELD = "django.db.models.BigAutoField"
|
|
|
|
# URLS
|
|
# ------------------------------------------------------------------------------
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#root-urlconf
|
|
ROOT_URLCONF = "config.urls"
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#wsgi-application
|
|
WSGI_APPLICATION = "config.wsgi.application"
|
|
|
|
# APPS
|
|
# ------------------------------------------------------------------------------
|
|
DJANGO_APPS = [
|
|
"django.contrib.auth",
|
|
"django.contrib.contenttypes",
|
|
"django.contrib.sessions",
|
|
"django.contrib.sites",
|
|
"django.contrib.messages",
|
|
"django.contrib.staticfiles",
|
|
"django.contrib.admin",
|
|
"django.forms",
|
|
]
|
|
THIRD_PARTY_APPS = [
|
|
"crispy_forms",
|
|
"crispy_bootstrap5",
|
|
"allauth",
|
|
"allauth.account",
|
|
"allauth.mfa",
|
|
"allauth.socialaccount",
|
|
"django_celery_beat",
|
|
"rest_framework",
|
|
"rest_framework.authtoken",
|
|
"corsheaders",
|
|
"drf_spectacular",
|
|
"channels", # New: Django Channels for WebSockets
|
|
]
|
|
|
|
LOCAL_APPS = [
|
|
# Identity Domain
|
|
"smoothschedule.identity.users",
|
|
"smoothschedule.identity.core",
|
|
|
|
# Scheduling Domain
|
|
"smoothschedule.scheduling.schedule",
|
|
"smoothschedule.scheduling.contracts",
|
|
"smoothschedule.scheduling.analytics",
|
|
|
|
# Communication Domain
|
|
"smoothschedule.communication.notifications",
|
|
"smoothschedule.communication.credits", # SMS/calling credits (was comms_credits)
|
|
"smoothschedule.communication.mobile", # Field employee app (was field_mobile)
|
|
"smoothschedule.communication.messaging", # Twilio conversations (was communication)
|
|
|
|
# Commerce Domain
|
|
"smoothschedule.commerce.payments",
|
|
"smoothschedule.commerce.tickets",
|
|
|
|
# Platform Domain
|
|
"smoothschedule.platform.admin", # Platform settings (was platform_admin)
|
|
"smoothschedule.platform.api", # Public API v1 (was public_api)
|
|
]
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#installed-apps
|
|
INSTALLED_APPS = DJANGO_APPS + THIRD_PARTY_APPS + LOCAL_APPS
|
|
|
|
# MIGRATIONS
|
|
# ------------------------------------------------------------------------------
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#migration-modules
|
|
|
|
# AUTHENTICATION
|
|
# ------------------------------------------------------------------------------
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#authentication-backends
|
|
AUTHENTICATION_BACKENDS = [
|
|
"allauth.account.auth_backends.AuthenticationBackend",
|
|
]
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#auth-user-model
|
|
AUTH_USER_MODEL = "users.User"
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#login-redirect-url
|
|
LOGIN_REDIRECT_URL = "users:redirect"
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#login-url
|
|
LOGIN_URL = "account_login"
|
|
|
|
|
|
|
|
|
|
# MIDDLEWARE
|
|
# ------------------------------------------------------------------------------
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#middleware
|
|
MIDDLEWARE = [
|
|
"django.middleware.security.SecurityMiddleware",
|
|
"corsheaders.middleware.CorsMiddleware",
|
|
"whitenoise.middleware.WhiteNoiseMiddleware",
|
|
"django.middleware.locale.LocaleMiddleware",
|
|
"django.middleware.common.CommonMiddleware",
|
|
"django.middleware.csrf.CsrfViewMiddleware",
|
|
"django.middleware.clickjacking.XFrameOptionsMiddleware",
|
|
"allauth.account.middleware.AccountMiddleware",
|
|
]
|
|
|
|
# STATIC
|
|
# ------------------------------------------------------------------------------
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#static-root
|
|
STATIC_ROOT = str(BASE_DIR / "staticfiles")
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#static-url
|
|
STATIC_URL = "/static/"
|
|
STATICFILES_DIRS = [str(APPS_DIR / "static")]
|
|
STATICFILES_FINDERS = [
|
|
]
|
|
|
|
# MEDIA
|
|
# ------------------------------------------------------------------------------
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#media-root
|
|
MEDIA_ROOT = str(APPS_DIR / "media")
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#media-url
|
|
MEDIA_URL = "/media/"
|
|
|
|
# TEMPLATES
|
|
# ------------------------------------------------------------------------------
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#templates
|
|
TEMPLATES = [
|
|
{
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#std:setting-TEMPLATES-BACKEND
|
|
"BACKEND": "django.template.backends.django.DjangoTemplates",
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#dirs
|
|
"DIRS": [str(APPS_DIR / "templates")],
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#app-dirs
|
|
"APP_DIRS": True,
|
|
"OPTIONS": {
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#template-context-processors
|
|
"context_processors": [
|
|
"django.template.context_processors.debug",
|
|
"django.template.context_processors.request",
|
|
"django.template.context_processors.i18n",
|
|
"django.template.context_processors.media",
|
|
"django.template.context_processors.static",
|
|
"django.template.context_processors.tz",
|
|
"smoothschedule.identity.users.context_processors.allauth_settings",
|
|
],
|
|
},
|
|
},
|
|
]
|
|
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#form-renderer
|
|
FORM_RENDERER = "django.forms.renderers.TemplatesSetting"
|
|
|
|
# http://django-crispy-forms.readthedocs.io/en/latest/install.html#template-packs
|
|
CRISPY_TEMPLATE_PACK = "bootstrap5"
|
|
CRISPY_ALLOWED_TEMPLATE_PACKS = "bootstrap5"
|
|
|
|
# FIXTURES
|
|
# ------------------------------------------------------------------------------
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#fixture-dirs
|
|
FIXTURE_DIRS = (str(APPS_DIR / "fixtures"),)
|
|
|
|
# SECURITY - Base settings (HttpOnly cookies for all environments)
|
|
# ------------------------------------------------------------------------------
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#session-cookie-httponly
|
|
SESSION_COOKIE_HTTPONLY = True
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#csrf-cookie-httponly
|
|
CSRF_COOKIE_HTTPONLY = True
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#x-frame-options
|
|
X_FRAME_OPTIONS = "DENY"
|
|
|
|
# FRONTEND URLS
|
|
# -------------------------------------------------------------------------------
|
|
FRONTEND_URL = env("FRONTEND_URL", default="http://localhost:5173")
|
|
PLATFORM_BASE_URL = env("PLATFORM_BASE_URL", default="http://platform.lvh.me:5173")
|
|
|
|
|
|
# ADMIN
|
|
# ------------------------------------------------------------------------------
|
|
# Django Admin URL.
|
|
ADMIN_URL = "admin/"
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#admins
|
|
ADMINS = [("""Smooth Schedule Team""", "admin@smoothschedule.com")]
|
|
# https://docs.djangoproject.com/en/dev/ref/settings/#managers
|
|
MANAGERS = ADMINS
|
|
# https://cookiecutter-django.readthedocs.io/en/latest/settings.html#other-environment-settings
|
|
# Force the `admin` sign in process to go through the `django-allauth` workflow
|
|
DJANGO_ADMIN_FORCE_ALLAUTH = env.bool("DJANGO_ADMIN_FORCE_ALLAUTH", default=False)
|
|
|
|
# LOGGING - Base structure (extended by multitenancy.py, overridden by local.py/production.py)
|
|
# ------------------------------------------------------------------------------
|
|
# Minimal structure here - actual handlers defined in environment-specific settings
|
|
LOGGING = {
|
|
"version": 1,
|
|
"disable_existing_loggers": False,
|
|
"formatters": {},
|
|
"handlers": {
|
|
"console": {
|
|
"level": "DEBUG",
|
|
"class": "logging.StreamHandler",
|
|
},
|
|
},
|
|
}
|
|
|
|
REDIS_URL = env("REDIS_URL", default="redis://redis:6379/0")
|
|
REDIS_SSL = REDIS_URL.startswith("rediss://")
|
|
|
|
# Celery
|
|
# ------------------------------------------------------------------------------
|
|
if USE_TZ:
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#std:setting-timezone
|
|
CELERY_TIMEZONE = TIME_ZONE
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#std:setting-broker_url
|
|
CELERY_BROKER_URL = REDIS_URL
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#redis-backend-use-ssl
|
|
CELERY_BROKER_USE_SSL = {"ssl_cert_reqs": ssl.CERT_NONE} if REDIS_SSL else None
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#std:setting-result_backend
|
|
CELERY_RESULT_BACKEND = REDIS_URL
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#redis-backend-use-ssl
|
|
CELERY_REDIS_BACKEND_USE_SSL = CELERY_BROKER_USE_SSL
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#result-extended
|
|
CELERY_RESULT_EXTENDED = True
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#result-backend-always-retry
|
|
# https://github.com/celery/celery/pull/6122
|
|
CELERY_RESULT_BACKEND_ALWAYS_RETRY = True
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#result-backend-max-retries
|
|
CELERY_RESULT_BACKEND_MAX_RETRIES = 10
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#std:setting-accept_content
|
|
CELERY_ACCEPT_CONTENT = ["json"]
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#std:setting-task_serializer
|
|
CELERY_TASK_SERIALIZER = "json"
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#std:setting-result_serializer
|
|
CELERY_RESULT_SERIALIZER = "json"
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#task-time-limit
|
|
# TODO: set to whatever value is adequate in your circumstances
|
|
CELERY_TASK_TIME_LIMIT = 5 * 60
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#task-soft-time-limit
|
|
# TODO: set to whatever value is adequate in your circumstances
|
|
CELERY_TASK_SOFT_TIME_LIMIT = 60
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#beat-scheduler
|
|
CELERY_BEAT_SCHEDULER = "django_celery_beat.schedulers:DatabaseScheduler"
|
|
|
|
# Celery Beat Schedule (for reference - actual schedule managed in database)
|
|
# These tasks are created via data migration in core app
|
|
# CELERY_BEAT_SCHEDULE = {
|
|
# 'quota-check-all-tenants': {
|
|
# 'task': 'core.tasks.check_all_tenant_quotas',
|
|
# 'schedule': crontab(hour=2, minute=0), # Daily at 2 AM
|
|
# },
|
|
# 'quota-send-reminders': {
|
|
# 'task': 'core.tasks.send_quota_reminder_emails',
|
|
# 'schedule': crontab(hour=8, minute=0), # Daily at 8 AM
|
|
# },
|
|
# 'quota-process-expired': {
|
|
# 'task': 'core.tasks.process_expired_quotas',
|
|
# 'schedule': crontab(hour=3, minute=0), # Daily at 3 AM
|
|
# },
|
|
# 'quota-cleanup-old': {
|
|
# 'task': 'core.tasks.cleanup_old_resolved_overages',
|
|
# 'schedule': crontab(day_of_week=0, hour=4, minute=0), # Weekly on Sunday 4 AM
|
|
# },
|
|
# }
|
|
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#worker-send-task-events
|
|
CELERY_WORKER_SEND_TASK_EVENTS = True
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#std-setting-task_send_sent_event
|
|
CELERY_TASK_SEND_SENT_EVENT = True
|
|
# https://docs.celeryq.dev/en/stable/userguide/configuration.html#worker-hijack-root-logger
|
|
CELERY_WORKER_HIJACK_ROOT_LOGGER = False
|
|
# django-allauth
|
|
# ------------------------------------------------------------------------------
|
|
ACCOUNT_ALLOW_REGISTRATION = env.bool("DJANGO_ACCOUNT_ALLOW_REGISTRATION", True)
|
|
# https://docs.allauth.org/en/latest/account/configuration.html
|
|
ACCOUNT_LOGIN_METHODS = {"username"}
|
|
# https://docs.allauth.org/en/latest/account/configuration.html
|
|
ACCOUNT_SIGNUP_FIELDS = ["email*", "username*", "password1*", "password2*"]
|
|
# https://docs.allauth.org/en/latest/account/configuration.html
|
|
ACCOUNT_EMAIL_VERIFICATION = "mandatory"
|
|
# https://docs.allauth.org/en/latest/account/configuration.html
|
|
ACCOUNT_ADAPTER = "smoothschedule.identity.users.adapters.AccountAdapter"
|
|
# https://docs.allauth.org/en/latest/account/forms.html
|
|
ACCOUNT_FORMS = {"signup": "smoothschedule.identity.users.forms.UserSignupForm"}
|
|
# https://docs.allauth.org/en/latest/socialaccount/configuration.html
|
|
SOCIALACCOUNT_ADAPTER = "smoothschedule.identity.users.adapters.SocialAccountAdapter"
|
|
# https://docs.allauth.org/en/latest/socialaccount/configuration.html
|
|
SOCIALACCOUNT_FORMS = {"signup": "smoothschedule.identity.users.forms.UserSocialSignupForm"}
|
|
|
|
# django-rest-framework
|
|
# -------------------------------------------------------------------------------
|
|
# django-rest-framework - https://www.django-rest-framework.org/api-guide/settings/
|
|
REST_FRAMEWORK = {
|
|
# TokenAuthentication must come first so API requests using Token header
|
|
# are authenticated without CSRF. SessionAuthentication enforces CSRF
|
|
# when it processes requests with session cookies.
|
|
"DEFAULT_AUTHENTICATION_CLASSES": (
|
|
"rest_framework.authentication.TokenAuthentication",
|
|
"rest_framework.authentication.SessionAuthentication",
|
|
),
|
|
"DEFAULT_PERMISSION_CLASSES": ("rest_framework.permissions.IsAuthenticated",),
|
|
"DEFAULT_SCHEMA_CLASS": "drf_spectacular.openapi.AutoSchema",
|
|
}
|
|
|
|
# django-cors-headers - https://github.com/adamchainz/django-cors-headers#setup
|
|
# CORS_URLS_REGEX removed to allow CORS on all paths (API endpoints now at root level via api.* subdomain)
|
|
from corsheaders.defaults import default_headers
|
|
|
|
# CORS allowed origins (configurable via environment variables)
|
|
# WARNING: CORS_ALLOW_ALL_ORIGINS should only be used for testing!
|
|
CORS_ALLOW_ALL_ORIGINS = env.bool("DJANGO_CORS_ALLOW_ALL_ORIGINS", default=False)
|
|
|
|
# For development: set in .env as comma-separated values
|
|
# For production: set DJANGO_CORS_ALLOWED_ORIGINS env var
|
|
CORS_ALLOWED_ORIGINS = env.list(
|
|
"DJANGO_CORS_ALLOWED_ORIGINS",
|
|
default=[
|
|
"http://localhost:3000",
|
|
"http://localhost:5173",
|
|
"http://127.0.0.1:5173",
|
|
"http://lvh.me:5173",
|
|
"http://lvh.me:5174",
|
|
],
|
|
)
|
|
|
|
# CORS allowed origin regexes (for wildcard subdomains, etc.)
|
|
# Production: configure via DJANGO_CORS_ALLOWED_ORIGIN_REGEXES
|
|
_cors_regexes = env(
|
|
"DJANGO_CORS_ALLOWED_ORIGIN_REGEXES",
|
|
default="^http(s)?://.*\\.lvh\\.me(:\\d+)?$", # Allow all *.lvh.me subdomains
|
|
)
|
|
CORS_ALLOWED_ORIGIN_REGEXES = [
|
|
regex.strip() for regex in _cors_regexes.split(",") if regex.strip()
|
|
]
|
|
|
|
CORS_ALLOW_CREDENTIALS = True
|
|
CORS_ALLOW_HEADERS = list(default_headers) + [
|
|
"x-business-subdomain",
|
|
"x-sandbox-mode",
|
|
]
|
|
|
|
# CSRF Trusted Origins - configurable via environment variables
|
|
# For local development, typically includes lvh.me subdomains
|
|
# For production, should include your domain and wildcard subdomains
|
|
CSRF_TRUSTED_ORIGINS = env.list(
|
|
"DJANGO_CSRF_TRUSTED_ORIGINS",
|
|
default=[
|
|
"http://localhost:5173",
|
|
"http://127.0.0.1:5173",
|
|
"http://lvh.me:5173",
|
|
"http://*.lvh.me:5173",
|
|
"http://*.lvh.me:5174",
|
|
],
|
|
)
|
|
|
|
# By Default swagger ui is available only to admin user(s). You can change permission classes to change that
|
|
# See more configuration options at https://drf-spectacular.readthedocs.io/en/latest/settings.html#settings
|
|
SPECTACULAR_SETTINGS = {
|
|
"TITLE": "Smooth Schedule API",
|
|
"DESCRIPTION": "Documentation of API endpoints of Smooth Schedule",
|
|
"VERSION": "1.0.0",
|
|
"SERVE_PERMISSIONS": ["rest_framework.permissions.IsAdminUser"],
|
|
"SCHEMA_PATH_PREFIX": "/api/",
|
|
}
|
|
|
|
# Django Channels
|
|
# ------------------------------------------------------------------------------
|
|
ASGI_APPLICATION = "config.asgi.application"
|
|
CHANNEL_LAYERS = {
|
|
"default": {
|
|
"BACKEND": "channels_redis.pubsub.RedisPubSubChannelLayer",
|
|
"CONFIG": {
|
|
"hosts": [REDIS_URL],
|
|
},
|
|
},
|
|
}
|
|
|
|
# Your stuff...
|
|
# ------------------------------------------------------------------------------
|
|
|
|
# Twilio (for SMS 2FA)
|
|
# ------------------------------------------------------------------------------
|
|
TWILIO_ACCOUNT_SID = env("TWILIO_ACCOUNT_SID", default="")
|
|
TWILIO_AUTH_TOKEN = env("TWILIO_AUTH_TOKEN", default="")
|
|
TWILIO_PHONE_NUMBER = env("TWILIO_PHONE_NUMBER", default="")
|
|
|
|
# Stripe (for payments)
|
|
# ------------------------------------------------------------------------------
|
|
STRIPE_PUBLISHABLE_KEY = env("STRIPE_PUBLISHABLE_KEY", default="")
|
|
STRIPE_SECRET_KEY = env("STRIPE_SECRET_KEY", default="")
|
|
STRIPE_WEBHOOK_SECRET = env("STRIPE_WEBHOOK_SECRET", default="")
|
|
|
|
# dj-stripe configuration
|
|
STRIPE_LIVE_SECRET_KEY = env("STRIPE_SECRET_KEY", default="")
|
|
STRIPE_TEST_SECRET_KEY = env("STRIPE_SECRET_KEY", default="")
|
|
STRIPE_LIVE_MODE = env.bool("STRIPE_LIVE_MODE", default=False)
|
|
DJSTRIPE_WEBHOOK_SECRET = env("STRIPE_WEBHOOK_SECRET", default="")
|
|
DJSTRIPE_USE_NATIVE_JSONFIELD = True
|
|
DJSTRIPE_FOREIGN_KEY_TO_FIELD = "id"
|
|
|
|
# OAuth for Email Integration (IMAP/SMTP with XOAUTH2)
|
|
# ------------------------------------------------------------------------------
|
|
# Google OAuth (Gmail, Google Workspace)
|
|
# Create credentials at: https://console.cloud.google.com/apis/credentials
|
|
GOOGLE_OAUTH_CLIENT_ID = env("GOOGLE_OAUTH_CLIENT_ID", default="")
|
|
GOOGLE_OAUTH_CLIENT_SECRET = env("GOOGLE_OAUTH_CLIENT_SECRET", default="")
|
|
|
|
# Microsoft OAuth (Outlook, Office 365)
|
|
# Create app at: https://portal.azure.com/#blade/Microsoft_AAD_RegisteredApps/ApplicationsListBlade
|
|
MICROSOFT_OAUTH_CLIENT_ID = env("MICROSOFT_OAUTH_CLIENT_ID", default="")
|
|
MICROSOFT_OAUTH_CLIENT_SECRET = env("MICROSOFT_OAUTH_CLIENT_SECRET", default="")
|
|
MICROSOFT_OAUTH_TENANT_ID = env("MICROSOFT_OAUTH_TENANT_ID", default="common")
|
|
|