Coverage for src/kwai/core/settings.py: 97%
102 statements
« prev ^ index » next coverage.py v7.7.1, created at 2024-01-01 00:00 +0000
« prev ^ index » next coverage.py v7.7.1, created at 2024-01-01 00:00 +0000
1"""Module for the settings of this application."""
3import os
4import tomllib
6from functools import lru_cache
7from typing import Annotated, Any, Literal, Optional, Union
9from anyio import Path
10from pydantic import BaseModel, Field
13ENV_SETTINGS_FILE = "KWAI_SETTINGS_FILE"
16class SettingsException(Exception):
17 """Raised when a problem occurred while loading the settings."""
20class ApplicationSettingsModel(BaseModel):
21 """Settings that apply to all applications."""
23 default: bool = False # Set to true for selecting the default application
24 vite_server: str | None = None # Only required in development.
25 variables: dict[str, Any] | None = None
28class AdminApplicationSettings(ApplicationSettingsModel):
29 """Settings for the admin application."""
31 name: Literal["admin"]
34class AuthenticationApplicationSettings(ApplicationSettingsModel):
35 """Settings for the auth application."""
37 name: Literal["auth"]
40class AuthorApplicationSettings(ApplicationSettingsModel):
41 """Settings for the author application."""
43 name: Literal["author"]
46class ClubApplicationSettings(ApplicationSettingsModel):
47 """Settings for the club application."""
49 name: Literal["club"]
52class CoachApplicationSettings(ApplicationSettingsModel):
53 """Settings for the portal application."""
55 name: Literal["coach"]
58class PortalApplicationSettings(ApplicationSettingsModel):
59 """Settings for the portal application."""
61 name: Literal["portal"]
64Application = Annotated[
65 Union[
66 AdminApplicationSettings,
67 AuthenticationApplicationSettings,
68 AuthorApplicationSettings,
69 ClubApplicationSettings,
70 CoachApplicationSettings,
71 PortalApplicationSettings,
72 ],
73 Field(discriminator="name"),
74]
77class FrontendSettings(BaseModel):
78 """Settings for the frontend."""
80 test: bool = False
81 path: str
82 apps: list[Application]
85class FilesSettings(BaseModel):
86 """Settings for files (upload)."""
88 path: str
91class AdminSettings(BaseModel):
92 """Settings for the administrator of the website."""
94 name: str
95 email: str
98class ContactSettings(BaseModel):
99 """Settings for the contact of the club."""
101 street: str
102 city: str
103 email: str
106class WebsiteSettings(BaseModel):
107 """Settings about the website."""
109 url: str
110 email: str
111 name: str
112 copyright: Optional[str] = None
113 admin: Optional[AdminSettings] = None
114 contact: Optional[ContactSettings] = None
117class DatabaseSettings(BaseModel):
118 """Settings for the database connection."""
120 host: str
121 name: str
122 user: str
123 password: str
126class CORSSettings(BaseModel):
127 """Settings for configuring CORS."""
129 origins: list[str] = Field(default_factory=list)
130 methods: list[str] = Field(default_factory=lambda: ["*"])
131 headers: list[str] = Field(default_factory=lambda: ["*"])
134class LoggerSettings(BaseModel):
135 """Settings for the logger."""
137 file: os.PathLike[str] = Field(default=Path("kwai.log"))
138 level: str = "DEBUG"
139 retention: str = "7 days"
140 rotation: str = "1 day"
143class EmailSettings(BaseModel):
144 """Settings for sending emails."""
146 host: str
147 port: int
148 ssl: bool = True
149 tls: bool = True
150 user: str | None = None
151 password: str | None = None
152 address: str = Field(alias="from")
155class RedisSettings(BaseModel):
156 """Settings for Redis."""
158 host: str = "127.0.0.1"
159 port: int = 6379
160 password: str | None = None
161 logger: LoggerSettings | None = None
164class GoogleSSOSettings(BaseModel):
165 """Settings for Google SSO."""
167 client_id: str
168 client_secret: str
171class SecuritySettings(BaseModel):
172 """Setting or security."""
174 access_token_expires_in: int = 60 # minutes
175 refresh_token_expires_in: int = 43200 # 30 days
176 jwt_algorithm: str = "HS256"
177 jwt_secret: str
178 jwt_refresh_secret: str
180 google: GoogleSSOSettings | None = None
183class Settings(BaseModel):
184 """Class with settings."""
186 frontend: FrontendSettings
188 files: FilesSettings
190 security: SecuritySettings
192 logger: LoggerSettings | None = None
194 cors: CORSSettings | None = None
196 db: DatabaseSettings
198 website: WebsiteSettings
200 email: EmailSettings
202 redis: RedisSettings
205@lru_cache
206def get_settings() -> Settings:
207 """Dependency function for creating the Settings instance.
209 The settings are cached with lru_cache, which means the file is only loaded ounce.
211 :raises:
212 core.settings.SettingsException: Raised when the env variable is not set, or
213 when the file
214 can't be read.
215 """
216 if ENV_SETTINGS_FILE in os.environ:
217 settings_file = os.environ.get(ENV_SETTINGS_FILE, "")
218 try:
219 with open(settings_file, mode="rb") as file_handle:
220 return Settings.model_validate(tomllib.load(file_handle))
221 except OSError as exc:
222 raise SettingsException(f"Could not load {settings_file}") from exc
223 raise SettingsException(
224 f"{ENV_SETTINGS_FILE} should be set as environment variable"
225 )