commit e214116e406bd657cd423a0de0333001a59877d6 Author: Cory Dransfeldt Date: Thu Mar 27 16:46:02 2025 -0700 feat: initial commit diff --git a/.editorconfig b/.editorconfig new file mode 100644 index 0000000..d415404 --- /dev/null +++ b/.editorconfig @@ -0,0 +1,9 @@ +root = true + +[*] +indent_style = space +indent_size = 2 +end_of_line = lf +insert_final_newline = true +trim_trailing_whitespace = true +charset = utf-8 diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..6e1310e --- /dev/null +++ b/.gitignore @@ -0,0 +1,12 @@ +# build output +.cache +node_modules +vendor +generated +dist + +# local dependencies +.env + +# system files +.DS_Store diff --git a/.markdownlint.json b/.markdownlint.json new file mode 100644 index 0000000..02edc12 --- /dev/null +++ b/.markdownlint.json @@ -0,0 +1,7 @@ +{ + "default": true, + "MD013": false, + "MD033": false, + "MD041": false, + "MD047": false +} \ No newline at end of file diff --git a/.npmrc b/.npmrc new file mode 100644 index 0000000..be83489 --- /dev/null +++ b/.npmrc @@ -0,0 +1,2 @@ +save-exact=true +cache=~/.npm \ No newline at end of file diff --git a/.nvmrc b/.nvmrc new file mode 100644 index 0000000..8fdd954 --- /dev/null +++ b/.nvmrc @@ -0,0 +1 @@ +22 \ No newline at end of file diff --git a/README.md b/README.md new file mode 100644 index 0000000..33cdd35 --- /dev/null +++ b/README.md @@ -0,0 +1,42 @@ +## Local dev setup + +`npm run setup` + +This will generate the required `.env` file, `apache` configs, commands and php extensions to install and enable on the server (if needed). + +## Local dev workflow + +1. `npm start` +2. Open `http://localhost:8080` + +To debug and develop php components, run `npm run php`. This will start the PHP server on `http://localhost:8000` and inject required environment variables from `.env`. It will also serve the static 11ty files from `dist`, so you can test the full site locally while leaving 11ty running to generate updates to files it watches. + +## Commands + +- `npm run start`: starts 11ty. +- `npm run start:quick`: starts 11ty a bit quicker (provided it's already been built). +- `npm run build`: builds static site output. +- `npm run debug`: runs 11ty with additional debug output. +- `npm run php`: starts a PHP server for local development. +- `npm run update:deps`: checks for dependency updates and updates 11ty. +- `npm run setup`: populates `.env` from 1Password and installs dependencies using `npm` and `composer`. +- `npm run clean`: removes the `dist` and `.cache` folders. +- `npm run clean:cache`: removes the `.cache` folder. +- `npm run clean:dist`: removes the `dist` folder. + +## Required environment variables + +```plaintext +POSTGREST_URL # client + server +POSTGREST_API_KEY # client + server +MASTODON_ACCESS_TOKEN # server +MASTODON_SYNDICATION_TOKEN # server +FORWARDEMAIL_API_KEY # server +BOOK_IMPORT_TOKEN # server +WATCHING_IMPORT_TOKEN # server +TMDB_API_KEY # server +NAVIDROME_SCROBBLE_TOKEN # server +NAVIDROME_API_URL # server +NAVIDROME_API_TOKEN # server +ARTIST_IMPORT_TOKEN # server +``` diff --git a/api/Classes/ApiHandler.php b/api/Classes/ApiHandler.php new file mode 100644 index 0000000..9f42b30 --- /dev/null +++ b/api/Classes/ApiHandler.php @@ -0,0 +1,72 @@ +loadEnvironment(); + } + + private function loadEnvironment(): void + { + $this->postgrestUrl = + $_ENV["POSTGREST_URL"] ?? getenv("POSTGREST_URL") ?: ""; + $this->postgrestApiKey = + $_ENV["POSTGREST_API_KEY"] ?? getenv("POSTGREST_API_KEY") ?: ""; + } + + protected function ensureCliAccess(): void + { + if (php_sapi_name() !== "cli" && $_SERVER["REQUEST_METHOD"] !== "POST") { + $this->redirectNotFound(); + } + } + + protected function redirectNotFound(): void + { + header("Location: /404", true, 302); + exit(); + } + + protected function fetchFromPostgREST( + string $endpoint, + string $query = "", + string $method = "GET", + ?array $body = null + ): array { + $url = "{$this->postgrestUrl}/{$endpoint}?{$query}"; + $options = [ + "headers" => [ + "Content-Type" => "application/json", + "Authorization" => "Bearer {$this->postgrestApiKey}", + ], + ]; + + if ($method === "POST" && $body) $options["json"] = $body; + + $response = (new Client())->request($method, $url, $options); + + return json_decode($response->getBody(), true) ?? []; + } + + protected function sendResponse(string $message, int $statusCode): void + { + http_response_code($statusCode); + header("Content-Type: application/json"); + echo json_encode(["message" => $message]); + exit(); + } + + protected function sendErrorResponse(string $message, int $statusCode): void + { + $this->sendResponse($message, $statusCode); + } +} diff --git a/api/Classes/BaseHandler.php b/api/Classes/BaseHandler.php new file mode 100644 index 0000000..d69989d --- /dev/null +++ b/api/Classes/BaseHandler.php @@ -0,0 +1,129 @@ +loadEnvironment(); + } + + private function loadEnvironment(): void + { + $this->postgrestUrl = + $_ENV["POSTGREST_URL"] ?? getenv("POSTGREST_URL") ?: ""; + $this->postgrestApiKey = + $_ENV["POSTGREST_API_KEY"] ?? getenv("POSTGREST_API_KEY") ?: ""; + } + + protected function makeRequest( + string $method, + string $endpoint, + array $options = [] + ): array { + $client = new Client(); + $url = rtrim($this->postgrestUrl, "/") . "/" . ltrim($endpoint, "/"); + + try { + $response = $client->request( + $method, + $url, + array_merge($options, [ + "headers" => [ + "Authorization" => "Bearer {$this->postgrestApiKey}", + "Content-Type" => "application/json", + ], + ]) + ); + + $responseBody = $response->getBody()->getContents(); + + if (empty($responseBody)) return []; + + $responseData = json_decode($responseBody, true); + + if (json_last_error() !== JSON_ERROR_NONE) throw new \Exception("Invalid JSON response: {$responseBody}"); + + return $responseData; + } catch (RequestException $e) { + $response = $e->getResponse(); + $statusCode = $response ? $response->getStatusCode() : "N/A"; + $responseBody = $response + ? $response->getBody()->getContents() + : "No response body"; + + throw new \Exception( + "Request to {$url} failed with status {$statusCode}. Response: {$responseBody}" + ); + } catch (\Exception $e) { + throw new \Exception("Request to {$url} failed: " . $e->getMessage()); + } + } + + protected function sendResponse(array $data, int $statusCode = 200): void + { + http_response_code($statusCode); + header("Content-Type: application/json"); + echo json_encode($data); + exit(); + } + + protected function sendErrorResponse( + string $message, + int $statusCode = 500 + ): void { + $this->sendResponse(["error" => $message], $statusCode); + } + + protected function fetchFromApi(string $endpoint, string $query): array + { + $client = new Client(); + $url = + rtrim($this->postgrestUrl, "/") . + "/" . + ltrim($endpoint, "/") . + "?" . + $query; + + try { + $response = $client->request("GET", $url, [ + "headers" => [ + "Content-Type" => "application/json", + "Authorization" => "Bearer {$this->postgrestApiKey}", + ], + ]); + + if ($response->getStatusCode() !== 200) throw new Exception("API call to {$url} failed with status code " . $response->getStatusCode()); + + return json_decode($response->getBody(), true); + } catch (RequestException $e) { + throw new Exception("Error fetching from API: " . $e->getMessage()); + } + } + + protected function initializeCache(): void + { + if (class_exists("Redis")) { + $redis = new \Redis(); + try { + $redis->connect("127.0.0.1", 6379); + $this->cache = $redis; + } catch (Exception $e) { + error_log("Redis connection failed: " . $e->getMessage()); + $this->cache = null; + } + } else { + $this->cache = null; + } + } +} diff --git a/api/Utils/init.php b/api/Utils/init.php new file mode 100644 index 0000000..f4b13e9 --- /dev/null +++ b/api/Utils/init.php @@ -0,0 +1,3 @@ + diff --git a/api/Utils/media.php b/api/Utils/media.php new file mode 100644 index 0000000..1455394 --- /dev/null +++ b/api/Utils/media.php @@ -0,0 +1,14 @@ + diff --git a/api/artist-import.php b/api/artist-import.php new file mode 100644 index 0000000..234425d --- /dev/null +++ b/api/artist-import.php @@ -0,0 +1,207 @@ +ensureCliAccess(); + $this->loadEnvironment(); + } + + private function loadEnvironment(): void + { + $this->postgrestUrl = getenv("POSTGREST_URL"); + $this->postgrestApiKey = getenv("POSTGREST_API_KEY"); + $this->artistImportToken = getenv("ARTIST_IMPORT_TOKEN"); + $this->navidromeApiUrl = getenv("NAVIDROME_API_URL"); + $this->navidromeAuthToken = getenv("NAVIDROME_API_TOKEN"); + } + + public function handleRequest(): void + { + $input = json_decode(file_get_contents("php://input"), true); + + if (!$input) $this->sendJsonResponse("error", "Invalid or missing JSON body", 400); + + $providedToken = $input["token"] ?? null; + $artistId = $input["artistId"] ?? null; + + if (!$providedToken || $providedToken !== $this->artistImportToken) { + $this->sendJsonResponse("error", "Unauthorized access", 401); + } + + if (!$artistId) $this->sendJsonResponse("error", "Artist ID is required", 400); + + try { + $artistData = $this->fetchNavidromeArtist($artistId); + $artistExists = $this->processArtist($artistData); + + if ($artistExists) $this->processAlbums($artistId, $artistData->name); + + $this->sendJsonResponse("message", "Artist and albums synced successfully", 200); + } catch (Exception $e) { + $this->sendJsonResponse("error", "Error: " . $e->getMessage(), 500); + } + } + + private function sendJsonResponse(string $key, string $message, int $statusCode): void + { + http_response_code($statusCode); + header("Content-Type: application/json"); + echo json_encode([$key => $message]); + exit(); + } + + private function fetchNavidromeArtist(string $artistId) + { + $client = new Client(); + $response = $client->get("{$this->navidromeApiUrl}/api/artist/{$artistId}", [ + "headers" => [ + "x-nd-authorization" => "Bearer {$this->navidromeAuthToken}", + "Accept" => "application/json" + ] + ]); + + return json_decode($response->getBody(), false); + } + + private function fetchNavidromeAlbums(string $artistId): array + { + $client = new Client(); + $response = $client->get("{$this->navidromeApiUrl}/api/album", [ + "query" => [ + "_end" => 0, + "_order" => "ASC", + "_sort" => "max_year", + "_start" => 0, + "artist_id" => $artistId + ], + "headers" => [ + "x-nd-authorization" => "Bearer {$this->navidromeAuthToken}", + "Accept" => "application/json" + ] + ]); + + return json_decode($response->getBody(), true); + } + + private function processArtist(object $artistData): bool + { + $artistName = $artistData->name ?? ""; + + if (!$artistName) throw new Exception("Artist name is missing from Navidrome data."); + + $existingArtist = $this->getArtistByName($artistName); + + if ($existingArtist) return true; + + $artistKey = sanitizeMediaString($artistName); + $slug = "/music/artists/{$artistKey}"; + $description = strip_tags($artistData->biography) ?? ""; + $genre = $this->resolveGenreId($artistData->genres[0]->name ?? ""); + $starred = $artistData->starred ?? false; + + $artistPayload = [ + "name_string" => $artistName, + "slug" => $slug, + "description" => $description, + "tentative" => true, + "art" => $this->placeholderImageId, + "favorite" => $starred, + "genres" => $genre, + ]; + + $this->saveArtist($artistPayload); + + return true; + } + + private function processAlbums(string $artistId, string $artistName): void + { + $artist = $this->getArtistByName($artistName); + + if (!$artist) throw new Exception("Artist not found in the database."); + + $existingAlbums = $this->getExistingAlbums($artist["id"]); + $existingAlbumKeys = array_column($existingAlbums, "key"); + $navidromeAlbums = $this->fetchNavidromeAlbums($artistId); + + foreach ($navidromeAlbums as $album) { + $albumName = $album["name"]; + $releaseYear = $album["date"]; + $artistKey = sanitizeMediaString($artistName); + $albumKey = $artistKey . "-" . sanitizeMediaString($albumName); + + if (in_array($albumKey, $existingAlbumKeys)) { + error_log("Skipping existing album: " . $albumName); + continue; + } + + try { + $albumPayload = [ + "name" => $albumName, + "key" => $albumKey, + "release_year" => $releaseYear, + "artist" => $artist["id"], + "artist_name" => $artistName, + "art" => $this->placeholderImageId, + "tentative" => true, + ]; + + $this->saveAlbum($albumPayload); + } catch (Exception $e) { + error_log("Error adding album '{$albumName}': " . $e->getMessage()); + } + } + } + + private function getArtistByName(string $nameString): ?array + { + $query = "name_string=eq." . urlencode($nameString); + $response = $this->fetchFromPostgREST("artists", $query, "GET"); + + return $response[0] ?? null; + } + + private function saveArtist(array $artistPayload): void + { + $this->fetchFromPostgREST("artists", "", "POST", $artistPayload); + } + + private function saveAlbum(array $albumPayload): void + { + $this->fetchFromPostgREST("albums", "", "POST", $albumPayload); + } + + private function resolveGenreId(string $genreName): ?string + { + $genres = $this->fetchFromPostgREST("genres", "name=eq." . urlencode(strtolower($genreName)), "GET"); + + if (!empty($genres)) return $genres[0]["id"]; + + return null; + } + + private function getExistingAlbums(string $artistId): array + { + return $this->fetchFromPostgREST("albums", "artist=eq." . urlencode($artistId), "GET"); + } +} + +$handler = new ArtistImportHandler(); +$handler->handleRequest(); diff --git a/api/book-import.php b/api/book-import.php new file mode 100644 index 0000000..026c19e --- /dev/null +++ b/api/book-import.php @@ -0,0 +1,116 @@ +ensureCliAccess(); + $this->loadEnvironment(); + } + + private function loadEnvironment(): void + { + $this->postgrestUrl = $_ENV["POSTGREST_URL"] ?? getenv("POSTGREST_URL"); + $this->postgrestApiKey = + $_ENV["POSTGREST_API_KEY"] ?? getenv("POSTGREST_API_KEY"); + $this->bookImportToken = + $_ENV["BOOK_IMPORT_TOKEN"] ?? getenv("BOOK_IMPORT_TOKEN"); + } + + public function handleRequest(): void + { + $input = json_decode(file_get_contents("php://input"), true); + + if (!$input) $this->sendErrorResponse("Invalid or missing JSON body", 400); + + $providedToken = $input["token"] ?? null; + $isbn = $input["isbn"] ?? null; + + if (!$providedToken || $providedToken !== $this->bookImportToken) $this->sendErrorResponse("Unauthorized access", 401); + + if (!$isbn) $this->sendErrorResponse("isbn parameter is required", 400); + + try { + $bookData = $this->fetchBookData($isbn); + $this->processBook($bookData); + + $this->sendResponse("Book imported successfully", 200); + } catch (Exception $e) { + $this->sendErrorResponse("Error: " . $e->getMessage(), 500); + } + } + + private function fetchBookData(string $isbn): array + { + $client = new Client(); + $response = $client->get("https://openlibrary.org/api/books", [ + "query" => [ + "bibkeys" => "ISBN:{$isbn}", + "format" => "json", + "jscmd" => "data", + ], + "headers" => ["Accept" => "application/json"], + ]); + + $data = json_decode($response->getBody(), true); + $bookKey = "ISBN:{$isbn}"; + + if (empty($data[$bookKey])) throw new Exception("Book data not found for ISBN: {$isbn}"); + + return $data[$bookKey]; + } + + private function processBook(array $bookData): void + { + $isbn = + $bookData["identifiers"]["isbn_13"][0] ?? + ($bookData["identifiers"]["isbn_10"][0] ?? null); + $title = $bookData["title"] ?? null; + $author = $bookData["authors"][0]["name"] ?? null; + $description = $bookData["description"] ?? ($bookData["notes"] ?? ""); + + if (!$isbn || !$title || !$author) throw new Exception("Missing essential book data (title, author, or ISBN)."); + + $existingBook = $this->getBookByISBN($isbn); + + if ($existingBook) throw new Exception("Book with ISBN {$isbn} already exists."); + + $bookPayload = [ + "isbn" => $isbn, + "title" => $title, + "author" => $author, + "description" => $description, + "read_status" => "want to read", + "slug" => "/books/" . $isbn, + ]; + + $this->saveBook($bookPayload); + } + + private function saveBook(array $bookPayload): void + { + $this->fetchFromPostgREST("books", "", "POST", $bookPayload); + } + + private function getBookByISBN(string $isbn): ?array + { + $query = "isbn=eq." . urlencode($isbn); + $response = $this->fetchFromPostgREST("books", $query, "GET"); + + return $response[0] ?? null; + } +} + +$handler = new BookImportHandler(); +$handler->handleRequest(); diff --git a/api/contact.php b/api/contact.php new file mode 100644 index 0000000..dc0b682 --- /dev/null +++ b/api/contact.php @@ -0,0 +1,228 @@ +httpClient = $httpClient ?? new Client(); + $this->loadEnvironment(); + } + + private function loadEnvironment(): void + { + $this->postgrestUrl = $_ENV["POSTGREST_URL"] ?? getenv("POSTGREST_URL"); + $this->postgrestApiKey = + $_ENV["POSTGREST_API_KEY"] ?? getenv("POSTGREST_API_KEY"); + $this->forwardEmailApiKey = + $_ENV["FORWARDEMAIL_API_KEY"] ?? getenv("FORWARDEMAIL_API_KEY"); + } + + public function handleRequest(): void + { + try { + $this->validateReferer(); + $this->checkRateLimit(); + $this->enforceHttps(); + + $contentType = $_SERVER["CONTENT_TYPE"] ?? ""; + $formData = null; + + if (strpos($contentType, "application/json") !== false) { + $rawBody = file_get_contents("php://input"); + $formData = json_decode($rawBody, true); + if (!$formData || !isset($formData["data"])) { + throw new Exception("Invalid JSON payload."); + } + $formData = $formData["data"]; + } elseif ( + strpos($contentType, "application/x-www-form-urlencoded") !== false + ) { + $formData = $_POST; + } else { + $this->sendErrorResponse( + "Unsupported Content-Type. Use application/json or application/x-www-form-urlencoded.", + 400 + ); + } + + if (!empty($formData["hp_name"])) $this->sendErrorResponse("Invalid submission.", 400); + + $name = htmlspecialchars( + trim($formData["name"] ?? ""), + ENT_QUOTES, + "UTF-8" + ); + $email = filter_var($formData["email"] ?? "", FILTER_VALIDATE_EMAIL); + $message = htmlspecialchars( + trim($formData["message"] ?? ""), + ENT_QUOTES, + "UTF-8" + ); + + if (empty($name)) $this->sendErrorResponse("Name is required.", 400); + if (!$email) $this->sendErrorResponse("Valid email is required.", 400); + if (empty($message)) $this->sendErrorResponse("Message is required.", 400); + if (strlen($name) > 100) $this->sendErrorResponse( + "Name is too long. Max 100 characters allowed.", + 400 + ); + if (strlen($message) > 1000) $this->sendErrorResponse( + "Message is too long. Max 1000 characters allowed.", + 400 + ); + if ($this->isBlockedDomain($email)) $this->sendErrorResponse("Submission from blocked domain.", 400); + + $contactData = [ + "name" => $name, + "email" => $email, + "message" => $message, + "replied" => false, + ]; + + $this->saveToDatabase($contactData); + $this->sendNotificationEmail($contactData); + $this->sendRedirect("/contact/success"); + } catch (Exception $e) { + error_log("Error handling contact form submission: " . $e->getMessage()); + $this->sendErrorResponse($e->getMessage(), 400); + } + } + + private function validateReferer(): void + { + $referer = $_SERVER["HTTP_REFERER"] ?? ""; + $allowedDomain = "coryd.dev"; + if (!str_contains($referer, $allowedDomain)) throw new Exception("Invalid submission origin."); + } + + private function checkRateLimit(): void + { + $ipAddress = $_SERVER["REMOTE_ADDR"] ?? "unknown"; + $cacheFile = sys_get_temp_dir() . "/rate_limit_" . md5($ipAddress); + $rateLimitDuration = 60; + $maxRequests = 5; + + if (file_exists($cacheFile)) { + $data = json_decode(file_get_contents($cacheFile), true); + if ( + $data["timestamp"] + $rateLimitDuration > time() && + $data["count"] >= $maxRequests + ) { + header("Location: /429", true, 302); + exit(); + } + $data["count"]++; + } else { + $data = ["count" => 1, "timestamp" => time()]; + } + + file_put_contents($cacheFile, json_encode($data)); + } + + private function enforceHttps(): void + { + if (empty($_SERVER["HTTPS"]) || $_SERVER["HTTPS"] !== "on") throw new Exception("Secure connection required. Use HTTPS."); + } + + private function isBlockedDomain(string $email): bool + { + $domain = substr(strrchr($email, "@"), 1); + if (!$domain) return false; + + $response = $this->httpClient->get( + "{$this->postgrestUrl}/blocked_domains", + [ + "headers" => [ + "Content-Type" => "application/json", + "Authorization" => "Bearer {$this->postgrestApiKey}", + ], + "query" => [ + "domain_name" => "eq.{$domain}", + "limit" => 1, + ], + ] + ); + + $blockedDomains = json_decode($response->getBody(), true); + + return !empty($blockedDomains); + } + + private function saveToDatabase(array $contactData): void + { + $response = $this->httpClient->post("{$this->postgrestUrl}/contacts", [ + "headers" => [ + "Content-Type" => "application/json", + "Authorization" => "Bearer {$this->postgrestApiKey}", + ], + "json" => $contactData, + ]); + + if ($response->getStatusCode() >= 400) { + $errorResponse = json_decode($response->getBody(), true); + throw new Exception( + "PostgREST error: " . ($errorResponse["message"] ?? "Unknown error") + ); + } + } + + private function sendNotificationEmail(array $contactData): void + { + $authHeader = "Basic " . base64_encode("{$this->forwardEmailApiKey}:"); + $emailSubject = "Contact form submission"; + $emailText = sprintf( + "Name: %s\nEmail: %s\nMessage: %s\n", + $contactData["name"], + $contactData["email"], + $contactData["message"] + ); + $response = $this->httpClient->post( + "https://api.forwardemail.net/v1/emails", + [ + "headers" => [ + "Content-Type" => "application/x-www-form-urlencoded", + "Authorization" => $authHeader, + ], + "form_params" => [ + "from" => "coryd.dev ", + "to" => "hi@coryd.dev", + "subject" => $emailSubject, + "text" => $emailText, + "replyTo" => $contactData["email"], + ], + ] + ); + + if ($response->getStatusCode() >= 400) throw new Exception("Failed to send email notification."); + } + + private function sendRedirect(string $path): void + { + $protocol = (!empty($_SERVER['HTTPS']) && $_SERVER['HTTPS'] !== 'off') ? "https" : "http"; + $host = $_SERVER['HTTP_HOST']; + $redirectUrl = "{$protocol}://{$host}{$path}"; + + header("Location: $redirectUrl", true, 302); + exit(); + } +} + +try { + $handler = new ContactHandler(); + $handler->handleRequest(); +} catch (Exception $e) { + error_log("Contact form error: " . $e->getMessage()); + echo json_encode(["error" => $e->getMessage()]); + http_response_code(500); +} diff --git a/api/mastodon.php b/api/mastodon.php new file mode 100644 index 0000000..06959bd --- /dev/null +++ b/api/mastodon.php @@ -0,0 +1,279 @@ +ensureCliAccess(); + $this->loadEnvironment(); + $this->validateAuthorization(); + $this->httpClient = $httpClient ?: new Client(); + } + + private function loadEnvironment(): void + { + $this->postgrestUrl = + getenv("POSTGREST_URL") ?: $_ENV["POSTGREST_URL"] ?? ""; + $this->postgrestApiKey = + getenv("POSTGREST_API_KEY") ?: $_ENV["POSTGREST_API_KEY"] ?? ""; + $this->mastodonAccessToken = + getenv("MASTODON_ACCESS_TOKEN") ?: $_ENV["MASTODON_ACCESS_TOKEN"] ?? ""; + $this->rssFeedUrl = "https://www.coryd.dev/feeds/syndication.xml"; + $this->baseUrl = "https://www.coryd.dev"; + } + + private function validateAuthorization(): void + { + $authHeader = $_SERVER["HTTP_AUTHORIZATION"] ?? ""; + $expectedToken = "Bearer " . getenv("MASTODON_SYNDICATION_TOKEN"); + + if ($authHeader !== $expectedToken) { + http_response_code(401); + echo json_encode(["error" => "Unauthorized."]); + exit(); + } + } + + public function handlePost(): void + { + if (!$this->isDatabaseAvailable()) { + echo "Database is unavailable. Exiting.\n"; + return; + } + + $latestItems = $this->fetchRSSFeed($this->rssFeedUrl); + + foreach (array_reverse($latestItems) as $item) { + $existingPost = $this->fetchFromPostgREST("mastodon_posts", "link=eq." . urlencode($item["link"])); + + if (!empty($existingPost)) continue; + + $content = $this->truncateContent( + $item["title"], + str_replace(array("\n", "\r"), '', strip_tags($item["description"])), + $item["link"], + 500 + ); + $timestamp = date("Y-m-d H:i:s"); + + if (!$this->storeInDatabase($item["link"], $timestamp)) { + echo "Skipping post: database write failed for {$item["link"]}\n"; + continue; + } + + $mastodonPostUrl = $this->postToMastodon($content, $item["image"] ?? null); + + if ($mastodonPostUrl) { + if (strpos($item["link"], $this->baseUrl . "/posts") !== false) { + $slug = str_replace($this->baseUrl, "", $item["link"]); + $this->updatePostWithMastodonUrl($slug, $mastodonPostUrl); + echo "Posted and stored URL: {$item["link"]}\n"; + } + } else { + echo "Failed to post to Mastodon. Skipping database update.\n"; + } + } + + echo "RSS processed successfully.\n"; + } + + private function fetchRSSFeed(string $rssFeedUrl): array + { + $rssText = file_get_contents($rssFeedUrl); + + if (!$rssText) throw new Exception("Failed to fetch RSS feed."); + + $rss = new \SimpleXMLElement($rssText); + $items = []; + + foreach ($rss->channel->item as $item) { + $imageUrl = null; + + if ($item->enclosure && isset($item->enclosure['url'])) $imageUrl = (string) $item->enclosure['url']; + + $items[] = [ + "title" => (string) $item->title, + "link" => (string) $item->link, + "description" => (string) $item->description, + "image" => $imageUrl, + ]; + } + + return $items; + } + + private function uploadImageToMastodon(string $imageUrl): ?string + { + $headers = [ + "Authorization" => "Bearer {$this->mastodonAccessToken}" + ]; + + $tempFile = tempnam(sys_get_temp_dir(), "mastodon_img"); + file_put_contents($tempFile, file_get_contents($imageUrl)); + + $response = $this->httpClient->request("POST", "https://follow.coryd.dev/api/v2/media", [ + "headers" => $headers, + "multipart" => [ + [ + "name" => "file", + "contents" => fopen($tempFile, "r"), + "filename" => basename($imageUrl) + ] + ] + ]); + + unlink($tempFile); + + $statusCode = $response->getStatusCode(); + + if ($statusCode !== 200) throw new Exception("Image upload failed with status $statusCode."); + + $responseBody = json_decode($response->getBody()->getContents(), true); + + return $responseBody["id"] ?? null; + } + + private function postToMastodon(string $content, ?string $imageUrl = null): ?string + { + $headers = [ + "Authorization" => "Bearer {$this->mastodonAccessToken}", + "Content-Type" => "application/json", + ]; + + $mediaIds = []; + + if ($imageUrl) { + try { + $mediaId = $this->uploadImageToMastodon($imageUrl); + if ($mediaId) $mediaIds[] = $mediaId; + } catch (Exception $e) { + echo "Image upload failed: " . $e->getMessage() . "\n"; + } + } + + $postData = ["status" => $content]; + + if (!empty($mediaIds)) $postData["media_ids"] = $mediaIds; + + $response = $this->httpRequest( + self::MASTODON_API_STATUS, + "POST", + $headers, + $postData + ); + + return $response["url"] ?? null; + } + + private function storeInDatabase(string $link, string $timestamp): bool + { + $data = [ + "link" => $link, + "created_at" => $timestamp, + ]; + + try { + $this->fetchFromPostgREST("mastodon_posts", "", "POST", $data); + return true; + } catch (Exception $e) { + echo "Error storing post in database: " . $e->getMessage() . "\n"; + return false; + } + } + + private function isDatabaseAvailable(): bool + { + try { + $response = $this->fetchFromPostgREST("mastodon_posts", "limit=1"); + return is_array($response); + } catch (Exception $e) { + echo "Database check failed: " . $e->getMessage() . "\n"; + return false; + } + } + + private function updatePostWithMastodonUrl( + string $slug, + string $mastodonPostUrl + ): void { + $data = ["mastodon_url" => $mastodonPostUrl]; + + $this->fetchFromPostgREST("posts", "slug=eq.{$slug}&mastodon_url=is.null", "PATCH", $data); + } + + private function truncateContent( + string $title, + string $description, + string $link, + int $maxLength + ): string { + $baseLength = strlen("$title\n\n$link"); + $availableSpace = $maxLength - $baseLength - 4; + + if (strlen($description) > $availableSpace) { + $description = substr($description, 0, $availableSpace); + $description = preg_replace('/\s+\S*$/', "", $description) . "..."; + } + + return "$title\n\n$description\n\n$link"; + } + + private function httpRequest( + string $url, + string $method = "GET", + array $headers = [], + ?array $data = null + ): array { + $options = ["headers" => $headers]; + + if ($data) $options["json"] = $data; + + $response = $this->httpClient->request($method, $url, $options); + $statusCode = $response->getStatusCode(); + + if ($statusCode >= 400) throw new Exception("HTTP error $statusCode: " . $response->getBody()); + + $responseBody = $response->getBody()->getContents(); + + if (empty($responseBody)) return []; + + $decodedResponse = json_decode($responseBody, true); + + if (!is_array($decodedResponse)) return []; + + return $decodedResponse; + } + + private function getPostgRESTHeaders(): array + { + return [ + "Authorization" => "Bearer {$this->postgrestApiKey}", + "Content-Type" => "application/json", + ]; + } +} + +try { + $handler = new MastodonPostHandler(); + $handler->handlePost(); +} catch (Exception $e) { + http_response_code(500); + echo json_encode(["error" => $e->getMessage()]); +} diff --git a/api/playing.php b/api/playing.php new file mode 100644 index 0000000..2e41507 --- /dev/null +++ b/api/playing.php @@ -0,0 +1,82 @@ +initializeCache(); + } + + public function handleRequest(): void + { + try { + $cachedData = $this->cache ? $this->cache->get("latest_listen") : null; + if ($cachedData) { + $this->sendResponse(json_decode($cachedData, true)); + return; + } + + $data = $this->makeRequest("GET", "optimized_latest_listen?select=*"); + + if (!is_array($data) || empty($data[0])) { + $this->sendResponse(["message" => "No recent tracks found"], 404); + return; + } + + $latestListen = $this->formatLatestListen($data[0]); + + if ($this->cache) $this->cache->set( + "latest_listen", + json_encode($latestListen), + $this->cacheTTL + ); + + $this->sendResponse($latestListen); + } catch (Exception $e) { + error_log("LatestListenHandler Error: " . $e->getMessage()); + $this->sendErrorResponse( + "Internal Server Error: " . $e->getMessage(), + 500 + ); + } + } + + private function formatLatestListen(array $latestListen): array + { + $emoji = + $latestListen["artist_emoji"] ?? ($latestListen["genre_emoji"] ?? "🎧"); + $trackName = htmlspecialchars( + $latestListen["track_name"] ?? "Unknown Track", + ENT_QUOTES, + "UTF-8" + ); + $artistName = htmlspecialchars( + $latestListen["artist_name"] ?? "Unknown Artist", + ENT_QUOTES, + "UTF-8" + ); + $url = htmlspecialchars($latestListen["url"] ?? "/", ENT_QUOTES, "UTF-8"); + + return [ + "content" => sprintf( + '%s %s by %s', + $emoji, + $trackName, + $url, + $artistName + ), + ]; + } +} + +$handler = new LatestListenHandler(); +$handler->handleRequest(); diff --git a/api/scrobble.php b/api/scrobble.php new file mode 100644 index 0000000..6dfa5c0 --- /dev/null +++ b/api/scrobble.php @@ -0,0 +1,279 @@ +ensureCliAccess(); + $this->loadEnvironment(); + $this->validateAuthorization(); + } + + private function loadEnvironment(): void + { + $this->postgrestApiUrl = getenv("POSTGREST_URL"); + $this->postgrestApiToken = getenv("POSTGREST_API_KEY"); + $this->navidromeApiUrl = getenv("NAVIDROME_API_URL"); + $this->navidromeAuthToken = getenv("NAVIDROME_API_TOKEN"); + $this->forwardEmailApiKey = getenv("FORWARDEMAIL_API_KEY"); + } + + private function validateAuthorization(): void + { + $authHeader = $_SERVER["HTTP_AUTHORIZATION"] ?? ""; + $expectedToken = "Bearer " . getenv("NAVIDROME_SCROBBLE_TOKEN"); + + if ($authHeader !== $expectedToken) { + http_response_code(401); + echo json_encode(["error" => "Unauthorized."]); + exit(); + } + } + + public function runScrobbleCheck(): void + { + $recentTracks = $this->fetchRecentlyPlayed(); + + if (empty($recentTracks)) return; + + foreach ($recentTracks as $track) { + if ($this->isTrackAlreadyScrobbled($track)) continue; + + $this->handleTrackScrobble($track); + } + } + + private function fetchRecentlyPlayed(): array + { + $client = new Client(); + try { + $response = $client->request("GET", "{$this->navidromeApiUrl}/api/song", [ + "query" => [ + "_end" => 20, + "_order" => "DESC", + "_sort" => "play_date", + "_start" => 0, + "recently_played" => "true" + ], + "headers" => [ + "x-nd-authorization" => "Bearer {$this->navidromeAuthToken}", + "Accept" => "application/json" + ] + ]); + + $data = json_decode($response->getBody()->getContents(), true); + return $data ?? []; + } catch (\Exception $e) { + error_log("Error fetching tracks: " . $e->getMessage()); + return []; + } + } + + private function isTrackAlreadyScrobbled(array $track): bool + { + $playDate = strtotime($track["playDate"]); + $existingListen = $this->fetchFromPostgREST("listens", "listened_at=eq.{$playDate}&limit=1"); + + return !empty($existingListen); + } + + private function handleTrackScrobble(array $track): void + { + $artistData = $this->getOrCreateArtist($track["artist"]); + + if (empty($artistData)) { + error_log("Failed to retrieve or create artist: " . $track["artist"]); + return; + } + + $albumData = $this->getOrCreateAlbum($track["album"], $artistData); + + if (empty($albumData)) { + error_log("Failed to retrieve or create album: " . $track["album"]); + return; + } + + $this->insertListen($track, $albumData["key"]); + } + + private function getOrCreateArtist(string $artistName): array + { + if (!$this->isDatabaseAvailable()) { + error_log("Skipping artist insert: database is unavailable."); + return []; + } + + if (isset($this->artistCache[$artistName])) return $this->artistCache[$artistName]; + + $encodedArtist = rawurlencode($artistName); + $existingArtist = $this->fetchFromPostgREST("artists", "name_string=eq.{$encodedArtist}&limit=1"); + + if (!empty($existingArtist)) { + $this->artistCache[$artistName] = $existingArtist[0]; + return $existingArtist[0]; + } + + $this->fetchFromPostgREST("artists", "", "POST", [ + "mbid" => null, + "art" => "4cef75db-831f-4f5d-9333-79eaa5bb55ee", + "name" => $artistName, + "slug" => "/music", + "tentative" => true, + "total_plays" => 0 + ]); + + + $this->sendFailureEmail("New tentative artist record", "A new tentative artist record was inserted:\n\nArtist: $artistName"); + + $artistData = $this->fetchFromPostgREST("artists", "name_string=eq.{$encodedArtist}&limit=1"); + + $this->artistCache[$artistName] = $artistData[0] ?? []; + + return $this->artistCache[$artistName]; + } + + private function getOrCreateAlbum(string $albumName, array $artistData): array + { + if (!$this->isDatabaseAvailable()) { + error_log("Skipping album insert: database is unavailable."); + return []; + } + + $albumKey = $this->generateAlbumKey($artistData["name_string"], $albumName); + + if (isset($this->albumCache[$albumKey])) return $this->albumCache[$albumKey]; + + $encodedAlbumKey = rawurlencode($albumKey); + $existingAlbum = $this->fetchFromPostgREST("albums", "key=eq.{$encodedAlbumKey}&limit=1"); + + if (!empty($existingAlbum)) { + $this->albumCache[$albumKey] = $existingAlbum[0]; + return $existingAlbum[0]; + } + + $artistId = $artistData["id"] ?? null; + + if (!$artistId) { + error_log("Artist ID missing for album creation: " . $albumName); + return []; + } + + $this->fetchFromPostgREST("albums", "", "POST", [ + "mbid" => null, + "art" => "4cef75db-831f-4f5d-9333-79eaa5bb55ee", + "key" => $albumKey, + "name" => $albumName, + "tentative" => true, + "total_plays" => 0, + "artist" => $artistId + ]); + + $this->sendFailureEmail("New tentative album record", "A new tentative album record was inserted:\n\nAlbum: $albumName\nKey: $albumKey"); + + $albumData = $this->fetchFromPostgREST("albums", "key=eq.{$encodedAlbumKey}&limit=1"); + + $this->albumCache[$albumKey] = $albumData[0] ?? []; + + return $this->albumCache[$albumKey]; + } + + private function insertListen(array $track, string $albumKey): void + { + $playDate = strtotime($track["playDate"]); + + $this->fetchFromPostgREST("listens", "", "POST", [ + "artist_name" => $track["artist"], + "album_name" => $track["album"], + "track_name" => $track["title"], + "listened_at" => $playDate, + "album_key" => $albumKey + ]); + } + + private function generateAlbumKey(string $artistName, string $albumName): string + { + $artistKey = sanitizeMediaString($artistName); + $albumKey = sanitizeMediaString($albumName); + + return "{$artistKey}-{$albumKey}"; + } + + private function sendFailureEmail(string $subject, string $message): void + { + if (!$this->isDatabaseAvailable()) { + error_log("Skipping email: database is unavailable."); + return; + } + + $authHeader = "Basic " . base64_encode($this->forwardEmailApiKey . ":"); + $client = new Client([ + "base_uri" => "https://api.forwardemail.net/", + ]); + + try { + $response = $client->post("v1/emails", [ + "headers" => [ + "Authorization" => $authHeader, + "Content-Type" => "application/x-www-form-urlencoded", + ], + "form_params" => [ + "from" => "coryd.dev ", + "to" => "hi@coryd.dev", + "subject" => $subject, + "text" => $message, + ], + ]); + + } catch (\GuzzleHttp\Exception\RequestException $e) { + error_log("Request Exception: " . $e->getMessage()); + if ($e->hasResponse()) { + $errorResponse = (string) $e->getResponse()->getBody(); + error_log("Error Response: " . $errorResponse); + } + } catch (\Exception $e) { + error_log("General Exception: " . $e->getMessage()); + } + } + + private function isDatabaseAvailable(): bool + { + try { + $response = $this->fetchFromPostgREST("listens", "limit=1"); + return is_array($response); + } catch (Exception $e) { + error_log("Database check failed: " . $e->getMessage()); + return false; + } + } +} + +try { + $handler = new NavidromeScrobbleHandler(); + $handler->runScrobbleCheck(); +} catch (Exception $e) { + http_response_code(500); + echo json_encode(["error" => $e->getMessage()]); +} diff --git a/api/search.php b/api/search.php new file mode 100644 index 0000000..42b77e6 --- /dev/null +++ b/api/search.php @@ -0,0 +1,162 @@ +initializeCache(); + } + + public function handleRequest(): void + { + try { + $query = $this->validateAndSanitizeQuery($_GET["q"] ?? null); + $types = $this->validateAndSanitizeTypes($_GET["type"] ?? ""); + $page = isset($_GET["page"]) ? intval($_GET["page"]) : 1; + $pageSize = isset($_GET["pageSize"]) ? intval($_GET["pageSize"]) : 10; + $offset = ($page - 1) * $pageSize; + $cacheKey = $this->generateCacheKey($query, $types, $page, $pageSize); + $results = []; + + $results = + $this->getCachedResults($cacheKey) ?? + $this->fetchSearchResults($query, $types, $pageSize, $offset); + + if (empty($results) || empty($results["data"])) { + $this->sendResponse(["results" => [], "total" => 0, "page" => $page, "pageSize" => $pageSize], 200); + return; + } + + $this->cacheResults($cacheKey, $results); + + $this->sendResponse( + [ + "results" => $results["data"], + "total" => $results["total"], + "page" => $page, + "pageSize" => $pageSize, + ], + 200 + ); + } catch (Exception $e) { + error_log("Search API Error: " . $e->getMessage()); + $this->sendErrorResponse("Invalid request. Please check your query and try again.", 400); + } + } + + private function validateAndSanitizeQuery(?string $query): string + { + if (empty($query) || !is_string($query)) throw new Exception("Invalid 'q' parameter. Must be a non-empty string."); + + $query = trim($query); + + if (strlen($query) > 255) throw new Exception( + "Invalid 'q' parameter. Exceeds maximum length of 255 characters." + ); + + if (!preg_match('/^[a-zA-Z0-9\s\-_\'"]+$/', $query)) throw new Exception( + "Invalid 'q' parameter. Contains unsupported characters." + ); + + $query = preg_replace("/\s+/", " ", $query); + + return $query; + } + + private function validateAndSanitizeTypes(string $rawTypes): ?array + { + $allowedTypes = ["post", "artist", "genre", "book", "movie", "show"]; + + if (empty($rawTypes)) return null; + + $types = array_map( + fn($type) => strtolower( + trim(htmlspecialchars($type, ENT_QUOTES, "UTF-8")) + ), + explode(",", $rawTypes) + ); + $invalidTypes = array_diff($types, $allowedTypes); + + if (!empty($invalidTypes)) throw new Exception( + "Invalid 'type' parameter. Unsupported types: " . + implode(", ", $invalidTypes) + ); + + return $types; + } + + private function fetchSearchResults( + string $query, + ?array $types, + int $pageSize, + int $offset + ): array { + $typesParam = + $types && count($types) > 0 ? "%7B" . implode(",", $types) . "%7D" : ""; + $endpoint = "rpc/search_optimized_index"; + $queryString = + "search_query=" . + urlencode($query) . + "&page_size={$pageSize}&page_offset={$offset}" . + ($typesParam ? "&types={$typesParam}" : ""); + + $data = $this->makeRequest("GET", "{$endpoint}?{$queryString}"); + + $total = count($data) > 0 ? $data[0]["total_count"] : 0; + $results = array_map(function ($item) { + unset($item["total_count"]); + return $item; + }, $data); + + return ["data" => $results, "total" => $total]; + } + + private function generateCacheKey( + string $query, + ?array $types, + int $page, + int $pageSize + ): string { + $typesKey = $types ? implode(",", $types) : "all"; + return sprintf( + "search:%s:types:%s:page:%d:pageSize:%d", + md5($query), + $typesKey, + $page, + $pageSize + ); + } + + private function getCachedResults(string $cacheKey): ?array + { + if ($this->cache instanceof \Redis) { + $cachedData = $this->cache->get($cacheKey); + return $cachedData ? json_decode($cachedData, true) : null; + } elseif (is_array($this->cache)) { + return $this->cache[$cacheKey] ?? null; + } + return null; + } + + private function cacheResults(string $cacheKey, array $results): void + { + if ($this->cache instanceof \Redis) { + $this->cache->set($cacheKey, json_encode($results)); + $this->cache->expire($cacheKey, $this->cacheTTL); + } elseif (is_array($this->cache)) { + $this->cache[$cacheKey] = $results; + } + } +} + +$handler = new SearchHandler(); +$handler->handleRequest(); diff --git a/api/seasons-import.php b/api/seasons-import.php new file mode 100644 index 0000000..cb3b733 --- /dev/null +++ b/api/seasons-import.php @@ -0,0 +1,205 @@ +ensureCliAccess(); + $this->loadEnvironment(); + $this->authenticateRequest(); + } + + private function loadEnvironment(): void + { + $this->postgrestUrl = getenv("POSTGREST_URL") ?: $_ENV["POSTGREST_URL"]; + $this->postgrestApiKey = getenv("POSTGREST_API_KEY") ?: $_ENV["POSTGREST_API_KEY"]; + $this->tmdbApiKey = getenv("TMDB_API_KEY") ?: $_ENV["TMDB_API_KEY"]; + $this->seasonsImportToken = getenv("SEASONS_IMPORT_TOKEN") ?: $_ENV["SEASONS_IMPORT_TOKEN"]; + } + + private function authenticateRequest(): void + { + if ($_SERVER["REQUEST_METHOD"] !== "POST") { + http_response_code(405); + echo json_encode(["error" => "Method Not Allowed"]); + exit(); + } + + $authHeader = $_SERVER["HTTP_AUTHORIZATION"] ?? ""; + if (!preg_match('/Bearer\s+(.+)/', $authHeader, $matches)) { + http_response_code(401); + echo json_encode(["error" => "Unauthorized"]); + exit(); + } + + $providedToken = trim($matches[1]); + if ($providedToken !== $this->seasonsImportToken) { + http_response_code(403); + echo json_encode(["error" => "Forbidden"]); + exit(); + } + } + + public function importSeasons(): void + { + $ongoingShows = $this->fetchOngoingShows(); + + if (empty($ongoingShows)) { + http_response_code(200); + echo json_encode(["message" => "No ongoing shows to update"]); + return; + } + + foreach ($ongoingShows as $show) { + $this->processShowSeasons($show); + } + + http_response_code(200); + echo json_encode(["message" => "Season import completed"]); + } + + private function fetchOngoingShows(): array + { + return $this->fetchFromPostgREST("optimized_shows", "ongoing=eq.true", "GET"); + } + + private function processShowSeasons(array $show): void + { + $tmdbId = $show["tmdb_id"] ?? null; + $showId = $show["id"] ?? null; + + if (!$tmdbId || !$showId) return; + + $tmdbShowData = $this->fetchShowDetails($tmdbId); + $seasons = $tmdbShowData["seasons"] ?? []; + $status = $tmdbShowData["status"] ?? "Unknown"; + + if (empty($seasons) && !$this->shouldKeepOngoing($status)) { + $this->disableOngoingStatus($showId); + return; + } + + foreach ($seasons as $season) { + $this->processSeasonEpisodes($showId, $tmdbId, $season); + } + } + + private function shouldKeepOngoing(string $status): bool + { + $validStatuses = ["Returning Series", "In Production"]; + return in_array($status, $validStatuses); + } + + private function fetchShowDetails(string $tmdbId): array + { + $client = new Client(); + $url = "https://api.themoviedb.org/3/tv/{$tmdbId}?api_key={$this->tmdbApiKey}&append_to_response=seasons"; + + try { + $response = $client->get($url, ["headers" => ["Accept" => "application/json"]]); + return json_decode($response->getBody(), true) ?? []; + } catch (\Exception $e) { + return []; + } + } + + private function fetchWatchedEpisodes(int $showId): array + { + $watchedEpisodes = $this->fetchFromPostgREST( + "optimized_last_watched_episodes", + "show_id=eq.{$showId}&order=last_watched_at.desc&limit=1", + "GET" + ); + + if (empty($watchedEpisodes)) return []; + + $lastWatched = $watchedEpisodes[0] ?? null; + + if ($lastWatched) return [ + "season_number" => (int) $lastWatched["season_number"], + "episode_number" => (int) $lastWatched["episode_number"] + ]; + + return []; + } + + private function processSeasonEpisodes(int $showId, string $tmdbId, array $season): void + { + $seasonNumber = $season["season_number"] ?? null; + + if ($seasonNumber === null || $seasonNumber == 0) return; + + $episodes = $this->fetchSeasonEpisodes($tmdbId, $seasonNumber); + + if (empty($episodes)) return; + + $watchedEpisodes = $this->fetchWatchedEpisodes($showId); + $lastWatchedSeason = $watchedEpisodes["season_number"] ?? null; + $lastWatchedEpisode = $watchedEpisodes["episode_number"] ?? null; + $scheduledEpisodes = $this->fetchFromPostgREST( + "optimized_scheduled_episodes", + "show_id=eq.{$showId}&season_number=eq.{$seasonNumber}", + "GET" + ); + $scheduledEpisodeNumbers = array_column($scheduledEpisodes, "episode_number"); + + foreach ($episodes as $episode) { + $episodeNumber = $episode["episode_number"] ?? null; + + if ($episodeNumber === null) continue; + if (in_array($episodeNumber, $scheduledEpisodeNumbers)) continue; + if ($lastWatchedSeason !== null && $seasonNumber < $lastWatchedSeason) return; + if ($seasonNumber == $lastWatchedSeason && $episodeNumber <= $lastWatchedEpisode) continue; + + $this->addEpisodeToSchedule($showId, $seasonNumber, $episode); + } + } + + private function fetchSeasonEpisodes(string $tmdbId, int $seasonNumber): array + { + $client = new Client(); + $url = "https://api.themoviedb.org/3/tv/{$tmdbId}/season/{$seasonNumber}?api_key={$this->tmdbApiKey}"; + + try { + $response = $client->get($url, ["headers" => ["Accept" => "application/json"]]); + return json_decode($response->getBody(), true)["episodes"] ?? []; + } catch (\Exception $e) { + return []; + } + } + + private function addEpisodeToSchedule(int $showId, int $seasonNumber, array $episode): void + { + $airDate = $episode["air_date"] ?? null; + + if (!$airDate) return; + + $currentDate = date("Y-m-d"); + $status = ($airDate && $airDate < $currentDate) ? "aired" : "upcoming"; + + $payload = [ + "show_id" => $showId, + "season_number" => $seasonNumber, + "episode_number" => $episode["episode_number"], + "air_date" => $airDate, + "status" => $status, + ]; + + $this->fetchFromPostgREST("scheduled_episodes", "", "POST", $payload); + } +} + +$handler = new SeasonImportHandler(); +$handler->importSeasons(); diff --git a/api/watching-import.php b/api/watching-import.php new file mode 100644 index 0000000..1c3ea06 --- /dev/null +++ b/api/watching-import.php @@ -0,0 +1,176 @@ +ensureCliAccess(); + $this->loadEnvironment(); + } + + private function loadEnvironment(): void + { + $this->postgrestUrl = $_ENV["POSTGREST_URL"] ?? getenv("POSTGREST_URL"); + $this->postgrestApiKey = + $_ENV["POSTGREST_API_KEY"] ?? getenv("POSTGREST_API_KEY"); + $this->tmdbApiKey = $_ENV["TMDB_API_KEY"] ?? getenv("TMDB_API_KEY"); + $this->tmdbImportToken = + $_ENV["WATCHING_IMPORT_TOKEN"] ?? getenv("WATCHING_IMPORT_TOKEN"); + } + + public function handleRequest(): void + { + $input = json_decode(file_get_contents("php://input"), true); + + if (!$input) $this->sendErrorResponse("Invalid or missing JSON body", 400); + + $providedToken = $input["token"] ?? null; + + if (!$providedToken || $providedToken !== $this->tmdbImportToken) $this->sendErrorResponse("Unauthorized access", 401); + + $tmdbId = $input["tmdb_id"] ?? null; + $mediaType = $input["media_type"] ?? null; + + if (!$tmdbId || !$mediaType) $this->sendErrorResponse("tmdb_id and media_type are required", 400); + + try { + $mediaData = $this->fetchTMDBData($tmdbId, $mediaType); + $this->processMedia($mediaData, $mediaType); + $this->sendResponse("Media imported successfully", 200); + } catch (Exception $e) { + $this->sendErrorResponse("Error: " . $e->getMessage(), 500); + } + } + + private function fetchTMDBData(string $tmdbId, string $mediaType): array + { + $client = new Client(); + $url = "https://api.themoviedb.org/3/{$mediaType}/{$tmdbId}"; + + $response = $client->get($url, [ + "query" => ["api_key" => $this->tmdbApiKey], + "headers" => ["Accept" => "application/json"], + ]); + + $data = json_decode($response->getBody(), true); + + if (empty($data)) throw new Exception("No data found for TMDB ID: {$tmdbId}"); + + return $data; + } + + private function processMedia(array $mediaData, string $mediaType): void + { + $id = $mediaData["id"]; + $title = $mediaType === "movie" ? $mediaData["title"] : $mediaData["name"]; + $year = + $mediaData["release_date"] ?? ($mediaData["first_air_date"] ?? null); + $year = $year ? substr($year, 0, 4) : null; + $description = $mediaData["overview"] ?? ""; + $tags = array_map( + fn($genre) => strtolower(trim($genre["name"])), + $mediaData["genres"] + ); + $slug = + $mediaType === "movie" + ? "/watching/movies/{$id}" + : "/watching/shows/{$id}"; + $payload = [ + "title" => $title, + "year" => $year, + "description" => $description, + "tmdb_id" => $id, + "slug" => $slug, + ]; + $response = $this->fetchFromPostgREST( + $mediaType === "movie" ? "movies" : "shows", + "", + "POST", + $payload + ); + + if (empty($response["id"])) { + $queryResponse = $this->fetchFromPostgREST( + $mediaType === "movie" ? "movies" : "shows", + "tmdb_id=eq.{$id}", + "GET" + ); + $response = $queryResponse[0] ?? []; + } + + if (!empty($response["id"])) { + $mediaId = $response["id"]; + $existingTagMap = $this->getTagIds($tags); + $updatedTagMap = $this->insertMissingTags($tags, $existingTagMap); + $this->associateTagsWithMedia( + $mediaType, + $mediaId, + array_values($updatedTagMap) + ); + } + } + + private function getTagIds(array $tags): array + { + $existingTagMap = []; + foreach ($tags as $tag) { + $query = "name=ilike." . urlencode($tag); + $existingTags = $this->fetchFromPostgREST("tags", $query, "GET"); + + if (!empty($existingTags[0]["id"])) $existingTagMap[strtolower($tag)] = $existingTags[0]["id"]; + } + return $existingTagMap; + } + + private function insertMissingTags(array $tags, array $existingTagMap): array + { + $newTags = array_diff($tags, array_keys($existingTagMap)); + foreach ($newTags as $newTag) { + try { + $response = $this->fetchFromPostgREST("tags", "", "POST", [ + "name" => $newTag, + ]); + if (!empty($response["id"])) $existingTagMap[$newTag] = $response["id"]; + } catch (Exception $e) { + $queryResponse = $this->fetchFromPostgREST( + "tags", + "name=eq.{$newTag}", + "GET" + ); + if (!empty($queryResponse[0]["id"])) $existingTagMap[$newTag] = $queryResponse[0]["id"]; + } + } + return $existingTagMap; + } + + private function associateTagsWithMedia( + string $mediaType, + int $mediaId, + array $tagIds + ): void { + $junctionTable = $mediaType === "movie" ? "movies_tags" : "shows_tags"; + $mediaColumn = $mediaType === "movie" ? "movies_id" : "shows_id"; + + foreach ($tagIds as $tagId) { + $this->fetchFromPostgREST($junctionTable, "", "POST", [ + $mediaColumn => $mediaId, + "tags_id" => $tagId, + ]); + } + } +} + +$handler = new WatchingImportHandler(); +$handler->handleRequest(); diff --git a/composer.json b/composer.json new file mode 100644 index 0000000..5e7777b --- /dev/null +++ b/composer.json @@ -0,0 +1,28 @@ +{ + "name": "coryd/coryd-dev", + "description": "PHP APIs and server-rendered pages for my personal site.", + "type": "project", + "require": { + "php": "^8.1", + "guzzlehttp/guzzle": "^7.9", + "kaoken/markdown-it-php": "^14.1", + "sokil/php-isocodes": "^4.2", + "sokil/php-isocodes-db-only": "^4.0" + }, + "scripts": { + "start": [ + "@php -S localhost:8000 -t dist" + ] + }, + "autoload": { + "psr-4": { + "App\\": "src/" + } + }, + "config": { + "optimize-autoloader": true, + "sort-packages": true + }, + "minimum-stability": "stable", + "license": "MIT" +} diff --git a/composer.lock b/composer.lock new file mode 100644 index 0000000..a6f256d --- /dev/null +++ b/composer.lock @@ -0,0 +1,768 @@ +{ + "_readme": [ + "This file locks the dependencies of your project to a known state", + "Read more about it at https://getcomposer.org/doc/01-basic-usage.md#installing-dependencies", + "This file is @generated automatically" + ], + "content-hash": "6f62ebb63bb51c04310e829e19beeab5", + "packages": [ + { + "name": "guzzlehttp/guzzle", + "version": "7.9.3", + "source": { + "type": "git", + "url": "https://github.com/guzzle/guzzle.git", + "reference": "7b2f29fe81dc4da0ca0ea7d42107a0845946ea77" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/guzzle/guzzle/zipball/7b2f29fe81dc4da0ca0ea7d42107a0845946ea77", + "reference": "7b2f29fe81dc4da0ca0ea7d42107a0845946ea77", + "shasum": "" + }, + "require": { + "ext-json": "*", + "guzzlehttp/promises": "^1.5.3 || ^2.0.3", + "guzzlehttp/psr7": "^2.7.0", + "php": "^7.2.5 || ^8.0", + "psr/http-client": "^1.0", + "symfony/deprecation-contracts": "^2.2 || ^3.0" + }, + "provide": { + "psr/http-client-implementation": "1.0" + }, + "require-dev": { + "bamarni/composer-bin-plugin": "^1.8.2", + "ext-curl": "*", + "guzzle/client-integration-tests": "3.0.2", + "php-http/message-factory": "^1.1", + "phpunit/phpunit": "^8.5.39 || ^9.6.20", + "psr/log": "^1.1 || ^2.0 || ^3.0" + }, + "suggest": { + "ext-curl": "Required for CURL handler support", + "ext-intl": "Required for Internationalized Domain Name (IDN) support", + "psr/log": "Required for using the Log middleware" + }, + "type": "library", + "extra": { + "bamarni-bin": { + "bin-links": true, + "forward-command": false + } + }, + "autoload": { + "files": [ + "src/functions_include.php" + ], + "psr-4": { + "GuzzleHttp\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Graham Campbell", + "email": "hello@gjcampbell.co.uk", + "homepage": "https://github.com/GrahamCampbell" + }, + { + "name": "Michael Dowling", + "email": "mtdowling@gmail.com", + "homepage": "https://github.com/mtdowling" + }, + { + "name": "Jeremy Lindblom", + "email": "jeremeamia@gmail.com", + "homepage": "https://github.com/jeremeamia" + }, + { + "name": "George Mponos", + "email": "gmponos@gmail.com", + "homepage": "https://github.com/gmponos" + }, + { + "name": "Tobias Nyholm", + "email": "tobias.nyholm@gmail.com", + "homepage": "https://github.com/Nyholm" + }, + { + "name": "Márk Sági-Kazár", + "email": "mark.sagikazar@gmail.com", + "homepage": "https://github.com/sagikazarmark" + }, + { + "name": "Tobias Schultze", + "email": "webmaster@tubo-world.de", + "homepage": "https://github.com/Tobion" + } + ], + "description": "Guzzle is a PHP HTTP client library", + "keywords": [ + "client", + "curl", + "framework", + "http", + "http client", + "psr-18", + "psr-7", + "rest", + "web service" + ], + "support": { + "issues": "https://github.com/guzzle/guzzle/issues", + "source": "https://github.com/guzzle/guzzle/tree/7.9.3" + }, + "funding": [ + { + "url": "https://github.com/GrahamCampbell", + "type": "github" + }, + { + "url": "https://github.com/Nyholm", + "type": "github" + }, + { + "url": "https://tidelift.com/funding/github/packagist/guzzlehttp/guzzle", + "type": "tidelift" + } + ], + "time": "2025-03-27T13:37:11+00:00" + }, + { + "name": "guzzlehttp/promises", + "version": "2.2.0", + "source": { + "type": "git", + "url": "https://github.com/guzzle/promises.git", + "reference": "7c69f28996b0a6920945dd20b3857e499d9ca96c" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/guzzle/promises/zipball/7c69f28996b0a6920945dd20b3857e499d9ca96c", + "reference": "7c69f28996b0a6920945dd20b3857e499d9ca96c", + "shasum": "" + }, + "require": { + "php": "^7.2.5 || ^8.0" + }, + "require-dev": { + "bamarni/composer-bin-plugin": "^1.8.2", + "phpunit/phpunit": "^8.5.39 || ^9.6.20" + }, + "type": "library", + "extra": { + "bamarni-bin": { + "bin-links": true, + "forward-command": false + } + }, + "autoload": { + "psr-4": { + "GuzzleHttp\\Promise\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Graham Campbell", + "email": "hello@gjcampbell.co.uk", + "homepage": "https://github.com/GrahamCampbell" + }, + { + "name": "Michael Dowling", + "email": "mtdowling@gmail.com", + "homepage": "https://github.com/mtdowling" + }, + { + "name": "Tobias Nyholm", + "email": "tobias.nyholm@gmail.com", + "homepage": "https://github.com/Nyholm" + }, + { + "name": "Tobias Schultze", + "email": "webmaster@tubo-world.de", + "homepage": "https://github.com/Tobion" + } + ], + "description": "Guzzle promises library", + "keywords": [ + "promise" + ], + "support": { + "issues": "https://github.com/guzzle/promises/issues", + "source": "https://github.com/guzzle/promises/tree/2.2.0" + }, + "funding": [ + { + "url": "https://github.com/GrahamCampbell", + "type": "github" + }, + { + "url": "https://github.com/Nyholm", + "type": "github" + }, + { + "url": "https://tidelift.com/funding/github/packagist/guzzlehttp/promises", + "type": "tidelift" + } + ], + "time": "2025-03-27T13:27:01+00:00" + }, + { + "name": "guzzlehttp/psr7", + "version": "2.7.1", + "source": { + "type": "git", + "url": "https://github.com/guzzle/psr7.git", + "reference": "c2270caaabe631b3b44c85f99e5a04bbb8060d16" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/guzzle/psr7/zipball/c2270caaabe631b3b44c85f99e5a04bbb8060d16", + "reference": "c2270caaabe631b3b44c85f99e5a04bbb8060d16", + "shasum": "" + }, + "require": { + "php": "^7.2.5 || ^8.0", + "psr/http-factory": "^1.0", + "psr/http-message": "^1.1 || ^2.0", + "ralouphie/getallheaders": "^3.0" + }, + "provide": { + "psr/http-factory-implementation": "1.0", + "psr/http-message-implementation": "1.0" + }, + "require-dev": { + "bamarni/composer-bin-plugin": "^1.8.2", + "http-interop/http-factory-tests": "0.9.0", + "phpunit/phpunit": "^8.5.39 || ^9.6.20" + }, + "suggest": { + "laminas/laminas-httphandlerrunner": "Emit PSR-7 responses" + }, + "type": "library", + "extra": { + "bamarni-bin": { + "bin-links": true, + "forward-command": false + } + }, + "autoload": { + "psr-4": { + "GuzzleHttp\\Psr7\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Graham Campbell", + "email": "hello@gjcampbell.co.uk", + "homepage": "https://github.com/GrahamCampbell" + }, + { + "name": "Michael Dowling", + "email": "mtdowling@gmail.com", + "homepage": "https://github.com/mtdowling" + }, + { + "name": "George Mponos", + "email": "gmponos@gmail.com", + "homepage": "https://github.com/gmponos" + }, + { + "name": "Tobias Nyholm", + "email": "tobias.nyholm@gmail.com", + "homepage": "https://github.com/Nyholm" + }, + { + "name": "Márk Sági-Kazár", + "email": "mark.sagikazar@gmail.com", + "homepage": "https://github.com/sagikazarmark" + }, + { + "name": "Tobias Schultze", + "email": "webmaster@tubo-world.de", + "homepage": "https://github.com/Tobion" + }, + { + "name": "Márk Sági-Kazár", + "email": "mark.sagikazar@gmail.com", + "homepage": "https://sagikazarmark.hu" + } + ], + "description": "PSR-7 message implementation that also provides common utility methods", + "keywords": [ + "http", + "message", + "psr-7", + "request", + "response", + "stream", + "uri", + "url" + ], + "support": { + "issues": "https://github.com/guzzle/psr7/issues", + "source": "https://github.com/guzzle/psr7/tree/2.7.1" + }, + "funding": [ + { + "url": "https://github.com/GrahamCampbell", + "type": "github" + }, + { + "url": "https://github.com/Nyholm", + "type": "github" + }, + { + "url": "https://tidelift.com/funding/github/packagist/guzzlehttp/psr7", + "type": "tidelift" + } + ], + "time": "2025-03-27T12:30:47+00:00" + }, + { + "name": "kaoken/markdown-it-php", + "version": "14.1.0.0", + "source": { + "type": "git", + "url": "https://github.com/kaoken/markdown-it-php.git", + "reference": "938f2b6cf71e490f9cd77dce58e79a91df13e33b" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/kaoken/markdown-it-php/zipball/938f2b6cf71e490f9cd77dce58e79a91df13e33b", + "reference": "938f2b6cf71e490f9cd77dce58e79a91df13e33b", + "shasum": "" + }, + "require": { + "ext-json": "*", + "ext-mbstring": "*", + "php": ">=7.4.0" + }, + "require-dev": { + "ext-pthreads": "*", + "symfony/yaml": "5.0.*" + }, + "type": "library", + "autoload": { + "psr-4": { + "Kaoken\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "kaoken", + "homepage": "https://github.com/kaoken/markdown-it-php" + } + ], + "description": "PHP version makdown-it", + "keywords": [ + "markdown", + "markdown-it" + ], + "support": { + "issues": "https://github.com/kaoken/markdown-it-php/issues", + "source": "https://github.com/kaoken/markdown-it-php/tree/14.1.0.0" + }, + "time": "2024-03-23T05:33:58+00:00" + }, + { + "name": "psr/http-client", + "version": "1.0.3", + "source": { + "type": "git", + "url": "https://github.com/php-fig/http-client.git", + "reference": "bb5906edc1c324c9a05aa0873d40117941e5fa90" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/php-fig/http-client/zipball/bb5906edc1c324c9a05aa0873d40117941e5fa90", + "reference": "bb5906edc1c324c9a05aa0873d40117941e5fa90", + "shasum": "" + }, + "require": { + "php": "^7.0 || ^8.0", + "psr/http-message": "^1.0 || ^2.0" + }, + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "1.0.x-dev" + } + }, + "autoload": { + "psr-4": { + "Psr\\Http\\Client\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "PHP-FIG", + "homepage": "https://www.php-fig.org/" + } + ], + "description": "Common interface for HTTP clients", + "homepage": "https://github.com/php-fig/http-client", + "keywords": [ + "http", + "http-client", + "psr", + "psr-18" + ], + "support": { + "source": "https://github.com/php-fig/http-client" + }, + "time": "2023-09-23T14:17:50+00:00" + }, + { + "name": "psr/http-factory", + "version": "1.1.0", + "source": { + "type": "git", + "url": "https://github.com/php-fig/http-factory.git", + "reference": "2b4765fddfe3b508ac62f829e852b1501d3f6e8a" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/php-fig/http-factory/zipball/2b4765fddfe3b508ac62f829e852b1501d3f6e8a", + "reference": "2b4765fddfe3b508ac62f829e852b1501d3f6e8a", + "shasum": "" + }, + "require": { + "php": ">=7.1", + "psr/http-message": "^1.0 || ^2.0" + }, + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "1.0.x-dev" + } + }, + "autoload": { + "psr-4": { + "Psr\\Http\\Message\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "PHP-FIG", + "homepage": "https://www.php-fig.org/" + } + ], + "description": "PSR-17: Common interfaces for PSR-7 HTTP message factories", + "keywords": [ + "factory", + "http", + "message", + "psr", + "psr-17", + "psr-7", + "request", + "response" + ], + "support": { + "source": "https://github.com/php-fig/http-factory" + }, + "time": "2024-04-15T12:06:14+00:00" + }, + { + "name": "psr/http-message", + "version": "2.0", + "source": { + "type": "git", + "url": "https://github.com/php-fig/http-message.git", + "reference": "402d35bcb92c70c026d1a6a9883f06b2ead23d71" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/php-fig/http-message/zipball/402d35bcb92c70c026d1a6a9883f06b2ead23d71", + "reference": "402d35bcb92c70c026d1a6a9883f06b2ead23d71", + "shasum": "" + }, + "require": { + "php": "^7.2 || ^8.0" + }, + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.0.x-dev" + } + }, + "autoload": { + "psr-4": { + "Psr\\Http\\Message\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "PHP-FIG", + "homepage": "https://www.php-fig.org/" + } + ], + "description": "Common interface for HTTP messages", + "homepage": "https://github.com/php-fig/http-message", + "keywords": [ + "http", + "http-message", + "psr", + "psr-7", + "request", + "response" + ], + "support": { + "source": "https://github.com/php-fig/http-message/tree/2.0" + }, + "time": "2023-04-04T09:54:51+00:00" + }, + { + "name": "ralouphie/getallheaders", + "version": "3.0.3", + "source": { + "type": "git", + "url": "https://github.com/ralouphie/getallheaders.git", + "reference": "120b605dfeb996808c31b6477290a714d356e822" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/ralouphie/getallheaders/zipball/120b605dfeb996808c31b6477290a714d356e822", + "reference": "120b605dfeb996808c31b6477290a714d356e822", + "shasum": "" + }, + "require": { + "php": ">=5.6" + }, + "require-dev": { + "php-coveralls/php-coveralls": "^2.1", + "phpunit/phpunit": "^5 || ^6.5" + }, + "type": "library", + "autoload": { + "files": [ + "src/getallheaders.php" + ] + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Ralph Khattar", + "email": "ralph.khattar@gmail.com" + } + ], + "description": "A polyfill for getallheaders.", + "support": { + "issues": "https://github.com/ralouphie/getallheaders/issues", + "source": "https://github.com/ralouphie/getallheaders/tree/develop" + }, + "time": "2019-03-08T08:55:37+00:00" + }, + { + "name": "sokil/php-isocodes", + "version": "4.2.1", + "source": { + "type": "git", + "url": "https://github.com/sokil/php-isocodes.git", + "reference": "6f2b7fb168840983c74804e7f5cb59cfc427bbbd" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/sokil/php-isocodes/zipball/6f2b7fb168840983c74804e7f5cb59cfc427bbbd", + "reference": "6f2b7fb168840983c74804e7f5cb59cfc427bbbd", + "shasum": "" + }, + "require": { + "ext-json": "*", + "php": ">=7.1" + }, + "require-dev": { + "ext-gettext": "*", + "infection/infection": ">=0.11.5", + "php-coveralls/php-coveralls": "^2.1", + "phpmd/phpmd": "@stable", + "phpunit/phpunit": ">=7.5.20", + "sokil/php-isocodes-db-i18n": "^4.0.0", + "squizlabs/php_codesniffer": "^3.4", + "symfony/translation": "^4.4.17|^5.2", + "vimeo/psalm": "^4.3" + }, + "suggest": { + "ext-gettext": "Required for gettext translation driver", + "phpbench/phpbench": "Required to run benchmarks", + "sokil/php-isocodes-db-i18n": "If frequent database updates is not necessary, and database with localization is required.", + "sokil/php-isocodes-db-only": "If frequent database updates is not necessary, and only database without localization is required.", + "symfony/translation": "Translation driver by Symfont project" + }, + "type": "library", + "autoload": { + "psr-4": { + "Sokil\\IsoCodes\\": [ + "src/" + ] + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Dmytro Sokil", + "email": "dmytro.sokil@gmail.com" + } + ], + "description": "ISO country, subdivision, language, currency and script definitions and their translations. Based on pythons pycountry and Debian's iso-codes.", + "support": { + "issues": "https://github.com/sokil/php-isocodes/issues", + "source": "https://github.com/sokil/php-isocodes/tree/4.2.1" + }, + "time": "2024-12-11T09:35:28+00:00" + }, + { + "name": "sokil/php-isocodes-db-only", + "version": "4.0.7", + "source": { + "type": "git", + "url": "https://github.com/sokil/php-isocodes-db-only.git", + "reference": "4b8978dea994de6b03fe892108248a914e42b3a5" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/sokil/php-isocodes-db-only/zipball/4b8978dea994de6b03fe892108248a914e42b3a5", + "reference": "4b8978dea994de6b03fe892108248a914e42b3a5", + "shasum": "" + }, + "require": { + "ext-json": "*", + "php": ">=7.1" + }, + "require-dev": { + "phpunit/phpunit": "^9.5", + "sokil/php-isocodes": "^4.1.1" + }, + "type": "library", + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Dmytro Sokil", + "email": "dmytro.sokil@gmail.com" + } + ], + "description": "Database for ISO country, subdivision, language, currency and script definitions and their translations. Based on pythons pycountry and Debian's iso-codes.", + "support": { + "issues": "https://github.com/sokil/php-isocodes-db-only/issues", + "source": "https://github.com/sokil/php-isocodes-db-only/tree/4.0.7" + }, + "time": "2024-02-02T08:24:43+00:00" + }, + { + "name": "symfony/deprecation-contracts", + "version": "v3.5.1", + "source": { + "type": "git", + "url": "https://github.com/symfony/deprecation-contracts.git", + "reference": "74c71c939a79f7d5bf3c1ce9f5ea37ba0114c6f6" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/deprecation-contracts/zipball/74c71c939a79f7d5bf3c1ce9f5ea37ba0114c6f6", + "reference": "74c71c939a79f7d5bf3c1ce9f5ea37ba0114c6f6", + "shasum": "" + }, + "require": { + "php": ">=8.1" + }, + "type": "library", + "extra": { + "thanks": { + "url": "https://github.com/symfony/contracts", + "name": "symfony/contracts" + }, + "branch-alias": { + "dev-main": "3.5-dev" + } + }, + "autoload": { + "files": [ + "function.php" + ] + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Nicolas Grekas", + "email": "p@tchwork.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "A generic function and convention to trigger deprecation notices", + "homepage": "https://symfony.com", + "support": { + "source": "https://github.com/symfony/deprecation-contracts/tree/v3.5.1" + }, + "funding": [ + { + "url": "https://symfony.com/sponsor", + "type": "custom" + }, + { + "url": "https://github.com/fabpot", + "type": "github" + }, + { + "url": "https://tidelift.com/funding/github/packagist/symfony/symfony", + "type": "tidelift" + } + ], + "time": "2024-09-25T14:20:29+00:00" + } + ], + "packages-dev": [], + "aliases": [], + "minimum-stability": "stable", + "stability-flags": {}, + "prefer-stable": false, + "prefer-lowest": false, + "platform": { + "php": "^8.1" + }, + "platform-dev": {}, + "plugin-api-version": "2.6.0" +} diff --git a/config/collections/index.js b/config/collections/index.js new file mode 100644 index 0000000..e13dd5a --- /dev/null +++ b/config/collections/index.js @@ -0,0 +1,41 @@ +import ics from "ics"; + +export const albumReleasesCalendar = (collection) => { + const collectionData = collection.getAll()[0]; + const { data } = collectionData; + const { albumReleases: { all }, globals: { url } } = data; + + if (!all || all.length === 0) return ""; + + const events = all + .map((album) => { + const date = new Date(album.release_date); + + if (isNaN(date.getTime())) return null; + + const albumUrl = album.url?.includes("http") ? album.url : `${url}${album.url}`; + const artistUrl = album.artist.url?.includes("http") ? album.artust.url : `${url}${album.artist.url}`; + + return { + start: [date.getFullYear(), date.getMonth() + 1, date.getDate()], + startInputType: "local", + startOutputType: "local", + title: `Release: ${album.artist.name} - ${album.title}`, + description: `Check out this new album release: ${albumUrl}. Read more about ${album.artist.name} at ${artistUrl}`, + url: albumUrl, + uid: `${album.release_timestamp}-${album.artist.name}-${album.title}`, + }; + }) + .filter((event) => event !== null); + + const { error, value } = ics.createEvents(events, { + calName: "Album releases calendar • coryd.dev", + }); + + if (error) { + console.error("Error creating events: ", error); + return ""; + } + + return value; +}; diff --git a/config/events/minify-js.js b/config/events/minify-js.js new file mode 100644 index 0000000..12ae379 --- /dev/null +++ b/config/events/minify-js.js @@ -0,0 +1,31 @@ +import fs from "fs"; +import path from "path"; +import { minify } from "terser"; + +export const minifyJsComponents = async () => { + const scriptsDir = "dist/assets/scripts"; + + const minifyJsFilesInDir = async (dir) => { + const files = fs.readdirSync(dir); + for (const fileName of files) { + const filePath = path.join(dir, fileName); + const stat = fs.statSync(filePath); + + if (stat.isDirectory()) { + await minifyJsFilesInDir(filePath); + } else if (fileName.endsWith(".js")) { + const fileContent = fs.readFileSync(filePath, "utf8"); + const minified = await minify(fileContent); + if (minified.error) { + console.error(`Error minifying ${filePath}:`, minified.error); + } else { + fs.writeFileSync(filePath, minified.code); + } + } else { + console.log(`No .js files to minify in ${filePath}`); + } + } + }; + + await minifyJsFilesInDir(scriptsDir); +}; diff --git a/config/filters/dates.js b/config/filters/dates.js new file mode 100644 index 0000000..18df101 --- /dev/null +++ b/config/filters/dates.js @@ -0,0 +1,21 @@ +export default { + stringToRFC822Date: (dateString) => { + const date = new Date(dateString); + + if (isNaN(date.getTime())) return ""; + + const options = { + timeZone: "America/Los_Angeles", + weekday: "short", + day: "2-digit", + month: "short", + year: "numeric", + hour: "2-digit", + minute: "2-digit", + second: "2-digit", + timeZoneName: "short", + }; + + return new Intl.DateTimeFormat("en-US", options).format(date); + }, +}; diff --git a/config/filters/feeds.js b/config/filters/feeds.js new file mode 100644 index 0000000..a82bfb3 --- /dev/null +++ b/config/filters/feeds.js @@ -0,0 +1,28 @@ +import { JSDOM } from "jsdom"; + +export default { + convertRelativeLinks: (htmlContent, domain) => { + if (!htmlContent || !domain) return htmlContent; + + const dom = new JSDOM(htmlContent); + const document = dom.window.document; + + document.querySelectorAll("a[href]").forEach(link => { + let href = link.getAttribute("href"); + + if (href.startsWith("#")) { + link.remove(); + return; + } + + if (!href.startsWith("http://") && !href.startsWith("https://")) + link.setAttribute("href", `${domain.replace(/\/$/, '')}/${href.replace(/^\/+/, '')}`); + }); + + return document.body.innerHTML; + }, + generatePermalink: (url, baseUrl) => { + if (url?.includes("http") || !baseUrl) return url + return `${baseUrl}${url}` + } +} diff --git a/config/filters/general.js b/config/filters/general.js new file mode 100644 index 0000000..811c739 --- /dev/null +++ b/config/filters/general.js @@ -0,0 +1,24 @@ +import truncateHtml from "truncate-html"; +import { shuffleArray } from "../utilities/index.js"; + +export default { + encodeAmp: (string) => { + if (!string) return; + const pattern = /&(?!(?:[a-zA-Z]+|#[0-9]+|#x[0-9a-fA-F]+);)/g; + const replacement = "&"; + return string.replace(pattern, replacement); + }, + replaceQuotes: (string) => string.replace(/"/g, """), + htmlTruncate: (content, limit = 50) => + truncateHtml(content, limit, { + byWords: true, + ellipsis: "...", + }), + shuffleArray, + pluralize: (count, string, trailing) => { + const countStr = String(count).replace(/,/g, ""); + if (parseInt(countStr, 10) === 1) return string; + return `${string}s${trailing ? `${trailing}` : ''}`; + }, + jsonEscape: (string) => JSON.stringify(string), +}; diff --git a/config/filters/index.js b/config/filters/index.js new file mode 100644 index 0000000..54e6a18 --- /dev/null +++ b/config/filters/index.js @@ -0,0 +1,13 @@ +import dates from "./dates.js"; +import feeds from "./feeds.js" +import general from "./general.js"; +import media from "./media.js"; +import navigation from "./navigation.js"; + +export default { + ...dates, + ...feeds, + ...general, + ...media, + ...navigation, +}; diff --git a/config/filters/media.js b/config/filters/media.js new file mode 100644 index 0000000..a8ee3ae --- /dev/null +++ b/config/filters/media.js @@ -0,0 +1,43 @@ +export default { + filterBooksByStatus: (books, status) => + books.filter((book) => book.status === status), + findFavoriteBooks: (books) => + books.filter((book) => book.favorite === true), + bookYearLinks: (years) => + years + .sort((a, b) => b.value - a.value) + .map( + (year, index) => + `${year.value}${ + index < years.length - 1 ? " • " : "" + }` + ) + .join(""), + mediaLinks: (data, type, count = 10) => { + if (!data || !type) return ""; + + const dataSlice = data.slice(0, count); + if (dataSlice.length === 0) return null; + + const buildLink = (item) => { + switch (type) { + case "genre": + return `${item.genre_name}`; + case "artist": + return `${item.name}`; + case "book": + return `${item.title}`; + default: + return ""; + } + }; + + if (dataSlice.length === 1) return buildLink(dataSlice[0]); + + const links = dataSlice.map(buildLink); + const allButLast = links.slice(0, -1).join(", "); + const last = links[links.length - 1]; + + return `${allButLast} and ${last}`; + }, +}; diff --git a/config/filters/navigation.js b/config/filters/navigation.js new file mode 100644 index 0000000..587d26f --- /dev/null +++ b/config/filters/navigation.js @@ -0,0 +1,5 @@ +export default { + isLinkActive: (category, page) => + page.includes(category) && + page.split("/").filter((a) => a !== "").length <= 1, +}; diff --git a/config/plugins/css-config.js b/config/plugins/css-config.js new file mode 100644 index 0000000..50fe022 --- /dev/null +++ b/config/plugins/css-config.js @@ -0,0 +1,33 @@ +import fs from "node:fs/promises"; +import path from "node:path"; +import postcss from "postcss"; +import postcssImport from "postcss-import"; +import postcssImportExtGlob from "postcss-import-ext-glob"; +import autoprefixer from "autoprefixer"; +import cssnano from "cssnano"; + +export const cssConfig = (eleventyConfig) => { + eleventyConfig.addTemplateFormats("css"); + eleventyConfig.addExtension("css", { + outputFileExtension: "css", + compile: async (inputContent, inputPath) => { + const outputPath = "dist/assets/css/index.css"; + + if (inputPath.endsWith("index.css")) { + return async () => { + let result = await postcss([ + postcssImportExtGlob, + postcssImport, + autoprefixer, + cssnano, + ]).process(inputContent, { from: inputPath }); + + await fs.mkdir(path.dirname(outputPath), { recursive: true }); + await fs.writeFile(outputPath, result.css); + + return result.css; + }; + } + }, + }); +}; diff --git a/config/plugins/index.js b/config/plugins/index.js new file mode 100644 index 0000000..754afe3 --- /dev/null +++ b/config/plugins/index.js @@ -0,0 +1,4 @@ +import { cssConfig } from "./css-config.js"; +import { markdownLib } from "./markdown.js"; + +export default { cssConfig, markdownLib }; diff --git a/config/plugins/markdown.js b/config/plugins/markdown.js new file mode 100644 index 0000000..0fc9fe2 --- /dev/null +++ b/config/plugins/markdown.js @@ -0,0 +1,25 @@ +import markdownIt from "markdown-it"; +import markdownItAnchor from "markdown-it-anchor"; +import markdownItFootnote from "markdown-it-footnote"; +import markdownItLinkAttributes from "markdown-it-link-attributes"; +import markdownItPrism from "markdown-it-prism"; + +export const markdownLib = markdownIt({ html: true, linkify: true }) + .use(markdownItAnchor, { + level: [1, 2], + permalink: markdownItAnchor.permalink.headerLink({ + safariReaderFix: true, + }), + }) + .use(markdownItLinkAttributes, [ + { + matcher(href) { + return href.match(/^https?:\/\//); + }, + attrs: { + rel: "noopener", + }, + }, + ]) + .use(markdownItFootnote) + .use(markdownItPrism); diff --git a/config/utilities/index.js b/config/utilities/index.js new file mode 100644 index 0000000..63f0a5a --- /dev/null +++ b/config/utilities/index.js @@ -0,0 +1,10 @@ +export const shuffleArray = (array) => { + const shuffled = [...array]; + for (let i = shuffled.length - 1; i > 0; i--) { + let j = Math.floor(Math.random() * (i + 1)); + let temp = shuffled[i]; + shuffled[i] = shuffled[j]; + shuffled[j] = temp; + } + return shuffled; +}; diff --git a/eleventy.config.js b/eleventy.config.js new file mode 100644 index 0000000..e3607ad --- /dev/null +++ b/eleventy.config.js @@ -0,0 +1,59 @@ +import { createRequire } from "module"; +import "dotenv/config"; +import filters from "./config/filters/index.js"; +import tablerIcons from "@cdransf/eleventy-plugin-tabler-icons"; +import { minifyJsComponents } from "./config/events/minify-js.js"; +import { albumReleasesCalendar } from "./config/collections/index.js"; +import plugins from "./config/plugins/index.js"; + +const require = createRequire(import.meta.url); +const appVersion = require("./package.json").version; + +export default async function (eleventyConfig) { + eleventyConfig.addPlugin(tablerIcons); + eleventyConfig.addPlugin(plugins.cssConfig); + + eleventyConfig.setQuietMode(true); + eleventyConfig.configureErrorReporting({ allowMissingExtensions: true }); + eleventyConfig.setLiquidOptions({ jsTruthy: true }); + + eleventyConfig.watchIgnores.add("queries/**"); + + eleventyConfig.addPassthroughCopy("src/assets"); + eleventyConfig.addPassthroughCopy("api"); + eleventyConfig.addPassthroughCopy("vendor"); + eleventyConfig.addPassthroughCopy("server"); + eleventyConfig.addPassthroughCopy({ + "node_modules/minisearch/dist/umd/index.js": + "assets/scripts/components/minisearch.js", + "node_modules/youtube-video-element/dist/youtube-video-element.js": + "assets/scripts/components/youtube-video-element.js", + }); + + eleventyConfig.addCollection("albumReleasesCalendar", albumReleasesCalendar); + + eleventyConfig.setLibrary("md", plugins.markdownLib); + + eleventyConfig.addLiquidFilter("markdown", (content) => { + if (!content) return; + return plugins.markdownLib.render(content); + }); + + Object.keys(filters).forEach((filterName) => { + eleventyConfig.addLiquidFilter(filterName, filters[filterName]); + }); + + eleventyConfig.addShortcode("appVersion", () => appVersion); + + eleventyConfig.on("afterBuild", minifyJsComponents); + + return { + dir: { + input: "src", + includes: "includes", + layouts: "layouts", + data: "data", + output: "dist", + } + }; +} diff --git a/nixpacks.toml b/nixpacks.toml new file mode 100644 index 0000000..4580bb6 --- /dev/null +++ b/nixpacks.toml @@ -0,0 +1,15 @@ +[phases.setup] +aptPkgs = [ + "curl", + "wget", + "zip", + "unzip", + "php-cli", + "php-mbstring", + "openssh-client", + "rsync", + "jq" +] +cmds = [ + "curl -sS https://getcomposer.org/installer | php && mv composer.phar /usr/bin/composer && chmod +x /usr/bin/composer", +] diff --git a/package-lock.json b/package-lock.json new file mode 100644 index 0000000..3640ae4 --- /dev/null +++ b/package-lock.json @@ -0,0 +1,5216 @@ +{ + "name": "coryd.dev", + "version": "1.0.0", + "lockfileVersion": 3, + "requires": true, + "packages": { + "": { + "name": "coryd.dev", + "version": "1.0.0", + "license": "MIT", + "dependencies": { + "minisearch": "^7.1.2", + "youtube-video-element": "^1.5.1" + }, + "devDependencies": { + "@11ty/eleventy": "v3.0.0", + "@11ty/eleventy-fetch": "5.0.2", + "@cdransf/eleventy-plugin-tabler-icons": "^2.11.0", + "autoprefixer": "^10.4.21", + "cssnano": "^7.0.6", + "dotenv": "16.4.7", + "ics": "^3.8.1", + "jsdom": "26.0.0", + "markdown-it": "^14.1.0", + "markdown-it-anchor": "^9.2.0", + "markdown-it-footnote": "^4.0.0", + "markdown-it-link-attributes": "4.0.1", + "markdown-it-prism": "^2.3.1", + "postcss": "^8.5.3", + "postcss-import": "^16.1.0", + "postcss-import-ext-glob": "^2.1.1", + "rimraf": "^6.0.1", + "terser": "^5.39.0", + "truncate-html": "^1.2.1" + }, + "engines": { + "node": "22.x" + } + }, + "node_modules/@11ty/dependency-tree": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/@11ty/dependency-tree/-/dependency-tree-3.0.1.tgz", + "integrity": "sha512-aZizxcL4Z/clm3KPRx8i9ohW9R2gLssXfUSy7qQmQRXb4CUOyvmqk2gKeJqRmXIfMi2bB9w03SgtN5v1YwqpiA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@11ty/eleventy-utils": "^1.0.2" + } + }, + "node_modules/@11ty/dependency-tree-esm": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/@11ty/dependency-tree-esm/-/dependency-tree-esm-1.0.2.tgz", + "integrity": "sha512-dM0ncKfMMWyz+xxujrB5xO4sf8DJygkmzb8OyXWP5AYY0kLMGrumYTf+YKyQHsoZli2rfjxrlEYLEXOt0utUqA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@11ty/eleventy-utils": "^1.0.3", + "acorn": "^8.14.0", + "dependency-graph": "^1.0.0", + "normalize-path": "^3.0.0" + } + }, + "node_modules/@11ty/eleventy": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/@11ty/eleventy/-/eleventy-3.0.0.tgz", + "integrity": "sha512-0P0ZsJXVW2QiNdhd7z+GYy6n+ivh0enx1DRdua5ta6NlzY2AhbkeWBY6U+FKA8lPS3H4+XsTpfLLfIScpPZLaQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@11ty/dependency-tree": "^3.0.1", + "@11ty/dependency-tree-esm": "^1.0.0", + "@11ty/eleventy-dev-server": "^2.0.4", + "@11ty/eleventy-plugin-bundle": "^3.0.0", + "@11ty/eleventy-utils": "^1.0.3", + "@11ty/lodash-custom": "^4.17.21", + "@11ty/posthtml-urls": "^1.0.0", + "@11ty/recursive-copy": "^3.0.0", + "@sindresorhus/slugify": "^2.2.1", + "bcp-47-normalize": "^2.3.0", + "chardet": "^2.0.0", + "chokidar": "^3.6.0", + "cross-spawn": "^7.0.3", + "debug": "^4.3.7", + "dependency-graph": "^1.0.0", + "entities": "^5.0.0", + "fast-glob": "^3.3.2", + "filesize": "^10.1.6", + "graceful-fs": "^4.2.11", + "gray-matter": "^4.0.3", + "is-glob": "^4.0.3", + "iso-639-1": "^3.1.3", + "js-yaml": "^4.1.0", + "kleur": "^4.1.5", + "liquidjs": "^10.17.0", + "luxon": "^3.5.0", + "markdown-it": "^14.1.0", + "micromatch": "^4.0.8", + "minimist": "^1.2.8", + "moo": "^0.5.2", + "node-retrieve-globals": "^6.0.0", + "normalize-path": "^3.0.0", + "nunjucks": "^3.2.4", + "please-upgrade-node": "^3.2.0", + "posthtml": "^0.16.6", + "posthtml-match-helper": "^2.0.2", + "semver": "^7.6.3", + "slugify": "^1.6.6" + }, + "bin": { + "eleventy": "cmd.cjs" + }, + "engines": { + "node": ">=18" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/11ty" + } + }, + "node_modules/@11ty/eleventy-dev-server": { + "version": "2.0.8", + "resolved": "https://registry.npmjs.org/@11ty/eleventy-dev-server/-/eleventy-dev-server-2.0.8.tgz", + "integrity": "sha512-15oC5M1DQlCaOMUq4limKRYmWiGecDaGwryr7fTE/oM9Ix8siqMvWi+I8VjsfrGr+iViDvWcH/TVI6D12d93mA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@11ty/eleventy-utils": "^2.0.1", + "chokidar": "^3.6.0", + "debug": "^4.4.0", + "finalhandler": "^1.3.1", + "mime": "^3.0.0", + "minimist": "^1.2.8", + "morphdom": "^2.7.4", + "please-upgrade-node": "^3.2.0", + "send": "^1.1.0", + "ssri": "^11.0.0", + "urlpattern-polyfill": "^10.0.0", + "ws": "^8.18.1" + }, + "bin": { + "eleventy-dev-server": "cmd.js" + }, + "engines": { + "node": ">=18" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/11ty" + } + }, + "node_modules/@11ty/eleventy-dev-server/node_modules/@11ty/eleventy-utils": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/@11ty/eleventy-utils/-/eleventy-utils-2.0.1.tgz", + "integrity": "sha512-hicG0vPyqfLvgHJQLtoh3XAj6wUbLX4yY2se8bQLdhCIcxK46mt4zDpgcrYVP3Sjx4HPifQOdwRfOEECoUcyXQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/11ty" + } + }, + "node_modules/@11ty/eleventy-fetch": { + "version": "5.0.2", + "resolved": "https://registry.npmjs.org/@11ty/eleventy-fetch/-/eleventy-fetch-5.0.2.tgz", + "integrity": "sha512-yu7oZ5iv7zvFDawSYcN19cz7ddJB7OXPGZ47z/MzYmLa2LkpJm0KnZW2xGwpKvVrXd+tyb96ts6AqlkJT/ibwQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@rgrove/parse-xml": "^4.2.0", + "debug": "^4.3.7", + "flat-cache": "^6.1.1", + "graceful-fs": "^4.2.11", + "p-queue": "6.6.2" + }, + "engines": { + "node": ">=18" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/11ty" + } + }, + "node_modules/@11ty/eleventy-plugin-bundle": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/@11ty/eleventy-plugin-bundle/-/eleventy-plugin-bundle-3.0.1.tgz", + "integrity": "sha512-mskptUoN7PY+rv7DCH3ZwnvMc9aFBGEHHBjmlu+WGde6ySaa43qsLqjseX6RRijDILxp3EiYQ9XnDmmsSnoqIw==", + "dev": true, + "license": "MIT", + "dependencies": { + "debug": "^4.4.0", + "posthtml-match-helper": "^2.0.3" + }, + "engines": { + "node": ">=18" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/11ty" + } + }, + "node_modules/@11ty/eleventy-utils": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/@11ty/eleventy-utils/-/eleventy-utils-1.0.3.tgz", + "integrity": "sha512-nULO91om7vQw4Y/UBjM8i7nJ1xl+/nyK4rImZ41lFxiY2d+XUz7ChAj1CDYFjrLZeu0utAYJTZ45LlcHTkUG4g==", + "dev": true, + "license": "MIT", + "dependencies": { + "normalize-path": "^3.0.0" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/11ty" + } + }, + "node_modules/@11ty/lodash-custom": { + "version": "4.17.21", + "resolved": "https://registry.npmjs.org/@11ty/lodash-custom/-/lodash-custom-4.17.21.tgz", + "integrity": "sha512-Mqt6im1xpb1Ykn3nbcCovWXK3ggywRJa+IXIdoz4wIIK+cvozADH63lexcuPpGS/gJ6/m2JxyyXDyupkMr5DHw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=14" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/11ty" + } + }, + "node_modules/@11ty/posthtml-urls": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@11ty/posthtml-urls/-/posthtml-urls-1.0.1.tgz", + "integrity": "sha512-6EFN/yYSxC/OzYXpq4gXDyDMlX/W+2MgCvvoxf11X1z76bqkqFJ8eep5RiBWfGT5j0323a1pwpelcJJdR46MCw==", + "dev": true, + "license": "MIT", + "dependencies": { + "evaluate-value": "^2.0.0", + "http-equiv-refresh": "^2.0.1", + "list-to-array": "^1.1.0", + "parse-srcset": "^1.0.2" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/@11ty/recursive-copy": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/@11ty/recursive-copy/-/recursive-copy-3.0.1.tgz", + "integrity": "sha512-suoSv7CanyKXIwwtLlzP43n3Mm3MTR7UzaLgnG+JP9wAdg4uCIUJiAhhgs/nkwtkvsuqfrGWrUiaG1K9mEoiPg==", + "dev": true, + "license": "ISC", + "dependencies": { + "errno": "^0.1.2", + "graceful-fs": "^4.2.11", + "junk": "^1.0.1", + "maximatch": "^0.1.0", + "mkdirp": "^3.0.1", + "pify": "^2.3.0", + "promise": "^7.0.1", + "rimraf": "^5.0.7", + "slash": "^1.0.0" + } + }, + "node_modules/@11ty/recursive-copy/node_modules/brace-expansion": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz", + "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==", + "dev": true, + "license": "MIT", + "dependencies": { + "balanced-match": "^1.0.0" + } + }, + "node_modules/@11ty/recursive-copy/node_modules/glob": { + "version": "10.4.5", + "resolved": "https://registry.npmjs.org/glob/-/glob-10.4.5.tgz", + "integrity": "sha512-7Bv8RF0k6xjo7d4A/PxYLbUCfb6c+Vpd2/mB2yRDlew7Jb5hEXiCD9ibfO7wpk8i4sevK6DFny9h7EYbM3/sHg==", + "dev": true, + "license": "ISC", + "dependencies": { + "foreground-child": "^3.1.0", + "jackspeak": "^3.1.2", + "minimatch": "^9.0.4", + "minipass": "^7.1.2", + "package-json-from-dist": "^1.0.0", + "path-scurry": "^1.11.1" + }, + "bin": { + "glob": "dist/esm/bin.mjs" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/@11ty/recursive-copy/node_modules/jackspeak": { + "version": "3.4.3", + "resolved": "https://registry.npmjs.org/jackspeak/-/jackspeak-3.4.3.tgz", + "integrity": "sha512-OGlZQpz2yfahA/Rd1Y8Cd9SIEsqvXkLVoSw/cgwhnhFMDbsQFeZYoJJ7bIZBS9BcamUW96asq/npPWugM+RQBw==", + "dev": true, + "license": "BlueOak-1.0.0", + "dependencies": { + "@isaacs/cliui": "^8.0.2" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + }, + "optionalDependencies": { + "@pkgjs/parseargs": "^0.11.0" + } + }, + "node_modules/@11ty/recursive-copy/node_modules/minimatch": { + "version": "9.0.5", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-9.0.5.tgz", + "integrity": "sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow==", + "dev": true, + "license": "ISC", + "dependencies": { + "brace-expansion": "^2.0.1" + }, + "engines": { + "node": ">=16 || 14 >=14.17" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/@11ty/recursive-copy/node_modules/path-scurry": { + "version": "1.11.1", + "resolved": "https://registry.npmjs.org/path-scurry/-/path-scurry-1.11.1.tgz", + "integrity": "sha512-Xa4Nw17FS9ApQFJ9umLiJS4orGjm7ZzwUrwamcGQuHSzDyth9boKDaycYdDcZDuqYATXw4HFXgaqWTctW/v1HA==", + "dev": true, + "license": "BlueOak-1.0.0", + "dependencies": { + "lru-cache": "^10.2.0", + "minipass": "^5.0.0 || ^6.0.2 || ^7.0.0" + }, + "engines": { + "node": ">=16 || 14 >=14.18" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/@11ty/recursive-copy/node_modules/rimraf": { + "version": "5.0.10", + "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-5.0.10.tgz", + "integrity": "sha512-l0OE8wL34P4nJH/H2ffoaniAokM2qSmrtXHmlpvYr5AVVX8msAyW0l8NVJFDxlSK4u3Uh/f41cQheDVdnYijwQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "glob": "^10.3.7" + }, + "bin": { + "rimraf": "dist/esm/bin.mjs" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/@asamuzakjp/css-color": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/@asamuzakjp/css-color/-/css-color-3.1.1.tgz", + "integrity": "sha512-hpRD68SV2OMcZCsrbdkccTw5FXjNDLo5OuqSHyHZfwweGsDWZwDJ2+gONyNAbazZclobMirACLw0lk8WVxIqxA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@csstools/css-calc": "^2.1.2", + "@csstools/css-color-parser": "^3.0.8", + "@csstools/css-parser-algorithms": "^3.0.4", + "@csstools/css-tokenizer": "^3.0.3", + "lru-cache": "^10.4.3" + } + }, + "node_modules/@cdransf/eleventy-plugin-tabler-icons": { + "version": "2.11.0", + "resolved": "https://registry.npmjs.org/@cdransf/eleventy-plugin-tabler-icons/-/eleventy-plugin-tabler-icons-2.11.0.tgz", + "integrity": "sha512-GSZHNxmxzloWnLVVpB3c1hZGgyGTDJRWX+srCcE+QFwjLz3beKY9RLmagR8N+O8hT/mzdxp8+BykmfHLL37nUg==", + "dev": true, + "license": "MIT" + }, + "node_modules/@csstools/color-helpers": { + "version": "5.0.2", + "resolved": "https://registry.npmjs.org/@csstools/color-helpers/-/color-helpers-5.0.2.tgz", + "integrity": "sha512-JqWH1vsgdGcw2RR6VliXXdA0/59LttzlU8UlRT/iUUsEeWfYq8I+K0yhihEUTTHLRm1EXvpsCx3083EU15ecsA==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/csstools" + }, + { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + } + ], + "license": "MIT-0", + "engines": { + "node": ">=18" + } + }, + "node_modules/@csstools/css-calc": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/@csstools/css-calc/-/css-calc-2.1.2.tgz", + "integrity": "sha512-TklMyb3uBB28b5uQdxjReG4L80NxAqgrECqLZFQbyLekwwlcDDS8r3f07DKqeo8C4926Br0gf/ZDe17Zv4wIuw==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/csstools" + }, + { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + } + ], + "license": "MIT", + "engines": { + "node": ">=18" + }, + "peerDependencies": { + "@csstools/css-parser-algorithms": "^3.0.4", + "@csstools/css-tokenizer": "^3.0.3" + } + }, + "node_modules/@csstools/css-color-parser": { + "version": "3.0.8", + "resolved": "https://registry.npmjs.org/@csstools/css-color-parser/-/css-color-parser-3.0.8.tgz", + "integrity": "sha512-pdwotQjCCnRPuNi06jFuP68cykU1f3ZWExLe/8MQ1LOs8Xq+fTkYgd+2V8mWUWMrOn9iS2HftPVaMZDaXzGbhQ==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/csstools" + }, + { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + } + ], + "license": "MIT", + "dependencies": { + "@csstools/color-helpers": "^5.0.2", + "@csstools/css-calc": "^2.1.2" + }, + "engines": { + "node": ">=18" + }, + "peerDependencies": { + "@csstools/css-parser-algorithms": "^3.0.4", + "@csstools/css-tokenizer": "^3.0.3" + } + }, + "node_modules/@csstools/css-parser-algorithms": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/@csstools/css-parser-algorithms/-/css-parser-algorithms-3.0.4.tgz", + "integrity": "sha512-Up7rBoV77rv29d3uKHUIVubz1BTcgyUK72IvCQAbfbMv584xHcGKCKbWh7i8hPrRJ7qU4Y8IO3IY9m+iTB7P3A==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/csstools" + }, + { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + } + ], + "license": "MIT", + "engines": { + "node": ">=18" + }, + "peerDependencies": { + "@csstools/css-tokenizer": "^3.0.3" + } + }, + "node_modules/@csstools/css-tokenizer": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/@csstools/css-tokenizer/-/css-tokenizer-3.0.3.tgz", + "integrity": "sha512-UJnjoFsmxfKUdNYdWgOB0mWUypuLvAfQPH1+pyvRJs6euowbFkFC6P13w1l8mJyi3vxYMxc9kld5jZEGRQs6bw==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/csstools" + }, + { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + } + ], + "license": "MIT", + "engines": { + "node": ">=18" + } + }, + "node_modules/@isaacs/cliui": { + "version": "8.0.2", + "resolved": "https://registry.npmjs.org/@isaacs/cliui/-/cliui-8.0.2.tgz", + "integrity": "sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==", + "dev": true, + "license": "ISC", + "dependencies": { + "string-width": "^5.1.2", + "string-width-cjs": "npm:string-width@^4.2.0", + "strip-ansi": "^7.0.1", + "strip-ansi-cjs": "npm:strip-ansi@^6.0.1", + "wrap-ansi": "^8.1.0", + "wrap-ansi-cjs": "npm:wrap-ansi@^7.0.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/@jridgewell/gen-mapping": { + "version": "0.3.8", + "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.3.8.tgz", + "integrity": "sha512-imAbBGkb+ebQyxKgzv5Hu2nmROxoDOXHh80evxdoXNOrvAnVx7zimzc1Oo5h9RlfV4vPXaE2iM5pOFbvOCClWA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/set-array": "^1.2.1", + "@jridgewell/sourcemap-codec": "^1.4.10", + "@jridgewell/trace-mapping": "^0.3.24" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/resolve-uri": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz", + "integrity": "sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/set-array": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/@jridgewell/set-array/-/set-array-1.2.1.tgz", + "integrity": "sha512-R8gLRTZeyp03ymzP/6Lil/28tGeGEzhx1q2k703KGWRAI1VdvPIXdG70VJc2pAMw3NA6JKL5hhFu1sJX0Mnn/A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/source-map": { + "version": "0.3.6", + "resolved": "https://registry.npmjs.org/@jridgewell/source-map/-/source-map-0.3.6.tgz", + "integrity": "sha512-1ZJTZebgqllO79ue2bm3rIGud/bOe0pP5BjSRCRxxYkEZS8STV7zN84UBbiYu7jy+eCKSnVIUgoWWE/tt+shMQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/gen-mapping": "^0.3.5", + "@jridgewell/trace-mapping": "^0.3.25" + } + }, + "node_modules/@jridgewell/sourcemap-codec": { + "version": "1.5.0", + "resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.5.0.tgz", + "integrity": "sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@jridgewell/trace-mapping": { + "version": "0.3.25", + "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.25.tgz", + "integrity": "sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/resolve-uri": "^3.1.0", + "@jridgewell/sourcemap-codec": "^1.4.14" + } + }, + "node_modules/@keyv/serialize": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/@keyv/serialize/-/serialize-1.0.3.tgz", + "integrity": "sha512-qnEovoOp5Np2JDGonIDL6Ayihw0RhnRh6vxPuHo4RDn1UOzwEo4AeIfpL6UGIrsceWrCMiVPgwRjbHu4vYFc3g==", + "dev": true, + "license": "MIT", + "dependencies": { + "buffer": "^6.0.3" + } + }, + "node_modules/@nodelib/fs.scandir": { + "version": "2.1.5", + "resolved": "https://registry.npmjs.org/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz", + "integrity": "sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@nodelib/fs.stat": "2.0.5", + "run-parallel": "^1.1.9" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/@nodelib/fs.stat": { + "version": "2.0.5", + "resolved": "https://registry.npmjs.org/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz", + "integrity": "sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 8" + } + }, + "node_modules/@nodelib/fs.walk": { + "version": "1.2.8", + "resolved": "https://registry.npmjs.org/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz", + "integrity": "sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@nodelib/fs.scandir": "2.1.5", + "fastq": "^1.6.0" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/@pkgjs/parseargs": { + "version": "0.11.0", + "resolved": "https://registry.npmjs.org/@pkgjs/parseargs/-/parseargs-0.11.0.tgz", + "integrity": "sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==", + "dev": true, + "license": "MIT", + "optional": true, + "engines": { + "node": ">=14" + } + }, + "node_modules/@rgrove/parse-xml": { + "version": "4.2.0", + "resolved": "https://registry.npmjs.org/@rgrove/parse-xml/-/parse-xml-4.2.0.tgz", + "integrity": "sha512-UuBOt7BOsKVOkFXRe4Ypd/lADuNIfqJXv8GvHqtXaTYXPPKkj2nS2zPllVsrtRjcomDhIJVBnZwfmlI222WH8g==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/@sindresorhus/slugify": { + "version": "2.2.1", + "resolved": "https://registry.npmjs.org/@sindresorhus/slugify/-/slugify-2.2.1.tgz", + "integrity": "sha512-MkngSCRZ8JdSOCHRaYd+D01XhvU3Hjy6MGl06zhOk614hp9EOAp5gIkBeQg7wtmxpitU6eAL4kdiRMcJa2dlrw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@sindresorhus/transliterate": "^1.0.0", + "escape-string-regexp": "^5.0.0" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/@sindresorhus/transliterate": { + "version": "1.6.0", + "resolved": "https://registry.npmjs.org/@sindresorhus/transliterate/-/transliterate-1.6.0.tgz", + "integrity": "sha512-doH1gimEu3A46VX6aVxpHTeHrytJAG6HgdxntYnCFiIFHEM/ZGpG8KiZGBChchjQmG0XFIBL552kBTjVcMZXwQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "escape-string-regexp": "^5.0.0" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/@trysound/sax": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/@trysound/sax/-/sax-0.2.0.tgz", + "integrity": "sha512-L7z9BgrNEcYyUYtF+HaEfiS5ebkh9jXqbszz7pC0hRBPaatV0XjSD3+eHrpqFemQfgwiFF0QPIarnIihIDn7OA==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/@types/linkify-it": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/@types/linkify-it/-/linkify-it-5.0.0.tgz", + "integrity": "sha512-sVDA58zAw4eWAffKOaQH5/5j3XeayukzDk+ewSsnv3p4yJEZHCCzMDiZM8e0OUrRvmpGZ85jf4yDHkHsgBNr9Q==", + "dev": true, + "license": "MIT", + "peer": true + }, + "node_modules/@types/markdown-it": { + "version": "14.1.2", + "resolved": "https://registry.npmjs.org/@types/markdown-it/-/markdown-it-14.1.2.tgz", + "integrity": "sha512-promo4eFwuiW+TfGxhi+0x3czqTYJkG8qB17ZUJiVF10Xm7NLVRSLUsfRTU/6h1e24VvRnXCx+hG7li58lkzog==", + "dev": true, + "license": "MIT", + "peer": true, + "dependencies": { + "@types/linkify-it": "^5", + "@types/mdurl": "^2" + } + }, + "node_modules/@types/mdurl": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/@types/mdurl/-/mdurl-2.0.0.tgz", + "integrity": "sha512-RGdgjQUZba5p6QEFAVx2OGb8rQDL/cPRG7GiedRzMcJ1tYnUANBncjbSB1NRGwbvjcPeikRABz2nshyPk1bhWg==", + "dev": true, + "license": "MIT", + "peer": true + }, + "node_modules/a-sync-waterfall": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/a-sync-waterfall/-/a-sync-waterfall-1.0.1.tgz", + "integrity": "sha512-RYTOHHdWipFUliRFMCS4X2Yn2X8M87V/OpSqWzKKOGhzqyUxzyVmhHDH9sAvG+ZuQf/TAOFsLCpMw09I1ufUnA==", + "dev": true, + "license": "MIT" + }, + "node_modules/acorn": { + "version": "8.14.1", + "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.14.1.tgz", + "integrity": "sha512-OvQ/2pUDKmgfCg++xsTX1wGxfTaszcHVcTctW4UJB4hibJx2HXxxO5UmVgyjMa+ZDsiaf5wWLXYpRWMmBI0QHg==", + "dev": true, + "license": "MIT", + "bin": { + "acorn": "bin/acorn" + }, + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/acorn-walk": { + "version": "8.3.4", + "resolved": "https://registry.npmjs.org/acorn-walk/-/acorn-walk-8.3.4.tgz", + "integrity": "sha512-ueEepnujpqee2o5aIYnvHU6C0A42MNdsIDeqy5BydrkuC5R1ZuUFnm27EeFJGoEHJQgn3uleRvmTXaJgfXbt4g==", + "dev": true, + "license": "MIT", + "dependencies": { + "acorn": "^8.11.0" + }, + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/agent-base": { + "version": "7.1.3", + "resolved": "https://registry.npmjs.org/agent-base/-/agent-base-7.1.3.tgz", + "integrity": "sha512-jRR5wdylq8CkOe6hei19GGZnxM6rBGwFl3Bg0YItGDimvjGtAvdZk4Pu6Cl4u4Igsws4a1fd1Vq3ezrhn4KmFw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 14" + } + }, + "node_modules/ansi-regex": { + "version": "6.1.0", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-6.1.0.tgz", + "integrity": "sha512-7HSX4QQb4CspciLpVFwyRe79O3xsIZDDLER21kERQ71oaPodF8jL725AgJMFAYbooIqolJoRLuM81SpeUkpkvA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/chalk/ansi-regex?sponsor=1" + } + }, + "node_modules/ansi-styles": { + "version": "6.2.1", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-6.2.1.tgz", + "integrity": "sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/anymatch": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.3.tgz", + "integrity": "sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==", + "dev": true, + "license": "ISC", + "dependencies": { + "normalize-path": "^3.0.0", + "picomatch": "^2.0.4" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/argparse": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz", + "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", + "dev": true, + "license": "Python-2.0" + }, + "node_modules/array-differ": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/array-differ/-/array-differ-1.0.0.tgz", + "integrity": "sha512-LeZY+DZDRnvP7eMuQ6LHfCzUGxAAIViUBliK24P3hWXL6y4SortgR6Nim6xrkfSLlmH0+k+9NYNwVC2s53ZrYQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/array-union": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/array-union/-/array-union-1.0.2.tgz", + "integrity": "sha512-Dxr6QJj/RdU/hCaBjOfxW+q6lyuVE6JFWIrAUpuOOhoJJoQ99cUn3igRaHVB5P9WrgFVN0FfArM3x0cueOU8ng==", + "dev": true, + "license": "MIT", + "dependencies": { + "array-uniq": "^1.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/array-uniq": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/array-uniq/-/array-uniq-1.0.3.tgz", + "integrity": "sha512-MNha4BWQ6JbwhFhj03YK552f7cb3AzoE8SzeljgChvL1dl3IcvggXVz1DilzySZkCja+CXuZbdW7yATchWn8/Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/arrify": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/arrify/-/arrify-1.0.1.tgz", + "integrity": "sha512-3CYzex9M9FGQjCGMGyi6/31c8GJbgb0qGyrx5HWxPd0aCwh4cB2YjMb2Xf9UuoogrMrlO9cTqnB5rI5GHZTcUA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/asap": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/asap/-/asap-2.0.6.tgz", + "integrity": "sha512-BSHWgDSAiKs50o2Re8ppvp3seVHXSRM44cdSsT9FfNEUUZLOGWVCsiWaRPWM1Znn+mqZ1OfVZ3z3DWEzSp7hRA==", + "dev": true, + "license": "MIT" + }, + "node_modules/asynckit": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz", + "integrity": "sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==", + "dev": true, + "license": "MIT" + }, + "node_modules/autoprefixer": { + "version": "10.4.21", + "resolved": "https://registry.npmjs.org/autoprefixer/-/autoprefixer-10.4.21.tgz", + "integrity": "sha512-O+A6LWV5LDHSJD3LjHYoNi4VLsj/Whi7k6zG12xTYaU4cQ8oxQGckXNX8cRHK5yOZ/ppVHe0ZBXGzSV9jXdVbQ==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/postcss/" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/autoprefixer" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "browserslist": "^4.24.4", + "caniuse-lite": "^1.0.30001702", + "fraction.js": "^4.3.7", + "normalize-range": "^0.1.2", + "picocolors": "^1.1.1", + "postcss-value-parser": "^4.2.0" + }, + "bin": { + "autoprefixer": "bin/autoprefixer" + }, + "engines": { + "node": "^10 || ^12 || >=14" + }, + "peerDependencies": { + "postcss": "^8.1.0" + } + }, + "node_modules/balanced-match": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", + "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", + "dev": true, + "license": "MIT" + }, + "node_modules/base64-js": { + "version": "1.5.1", + "resolved": "https://registry.npmjs.org/base64-js/-/base64-js-1.5.1.tgz", + "integrity": "sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT" + }, + "node_modules/bcp-47": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/bcp-47/-/bcp-47-2.1.0.tgz", + "integrity": "sha512-9IIS3UPrvIa1Ej+lVDdDwO7zLehjqsaByECw0bu2RRGP73jALm6FYbzI5gWbgHLvNdkvfXB5YrSbocZdOS0c0w==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-alphabetical": "^2.0.0", + "is-alphanumerical": "^2.0.0", + "is-decimal": "^2.0.0" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/wooorm" + } + }, + "node_modules/bcp-47-match": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/bcp-47-match/-/bcp-47-match-2.0.3.tgz", + "integrity": "sha512-JtTezzbAibu8G0R9op9zb3vcWZd9JF6M0xOYGPn0fNCd7wOpRB1mU2mH9T8gaBGbAAyIIVgB2G7xG0GP98zMAQ==", + "dev": true, + "license": "MIT", + "funding": { + "type": "github", + "url": "https://github.com/sponsors/wooorm" + } + }, + "node_modules/bcp-47-normalize": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/bcp-47-normalize/-/bcp-47-normalize-2.3.0.tgz", + "integrity": "sha512-8I/wfzqQvttUFz7HVJgIZ7+dj3vUaIyIxYXaTRP1YWoSDfzt6TUmxaKZeuXR62qBmYr+nvuWINFRl6pZ5DlN4Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "bcp-47": "^2.0.0", + "bcp-47-match": "^2.0.0" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/wooorm" + } + }, + "node_modules/binary-extensions": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.3.0.tgz", + "integrity": "sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/boolbase": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/boolbase/-/boolbase-1.0.0.tgz", + "integrity": "sha512-JZOSA7Mo9sNGB8+UjSgzdLtokWAky1zbztM3WRLCbZ70/3cTANmQmOdR7y2g+J0e2WXywy1yS468tY+IruqEww==", + "dev": true, + "license": "ISC" + }, + "node_modules/brace-expansion": { + "version": "1.1.11", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", + "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", + "dev": true, + "license": "MIT", + "dependencies": { + "balanced-match": "^1.0.0", + "concat-map": "0.0.1" + } + }, + "node_modules/braces": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.3.tgz", + "integrity": "sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==", + "dev": true, + "license": "MIT", + "dependencies": { + "fill-range": "^7.1.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/browserslist": { + "version": "4.24.4", + "resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.24.4.tgz", + "integrity": "sha512-KDi1Ny1gSePi1vm0q4oxSF8b4DR44GF4BbmS2YdhPLOEqd8pDviZOGH/GsmRwoWJ2+5Lr085X7naowMwKHDG1A==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/browserslist" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "caniuse-lite": "^1.0.30001688", + "electron-to-chromium": "^1.5.73", + "node-releases": "^2.0.19", + "update-browserslist-db": "^1.1.1" + }, + "bin": { + "browserslist": "cli.js" + }, + "engines": { + "node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7" + } + }, + "node_modules/buffer": { + "version": "6.0.3", + "resolved": "https://registry.npmjs.org/buffer/-/buffer-6.0.3.tgz", + "integrity": "sha512-FTiCpNxtwiZZHEZbcbTIcZjERVICn9yq/pDFkTl95/AxzD1naBctN7YO68riM/gLSDY7sdrMby8hofADYuuqOA==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT", + "dependencies": { + "base64-js": "^1.3.1", + "ieee754": "^1.2.1" + } + }, + "node_modules/buffer-from": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.2.tgz", + "integrity": "sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/cacheable": { + "version": "1.8.9", + "resolved": "https://registry.npmjs.org/cacheable/-/cacheable-1.8.9.tgz", + "integrity": "sha512-FicwAUyWnrtnd4QqYAoRlNs44/a1jTL7XDKqm5gJ90wz1DQPlC7U2Rd1Tydpv+E7WAr4sQHuw8Q8M3nZMAyecQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "hookified": "^1.7.1", + "keyv": "^5.3.1" + } + }, + "node_modules/call-bind-apply-helpers": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/call-bind-apply-helpers/-/call-bind-apply-helpers-1.0.2.tgz", + "integrity": "sha512-Sp1ablJ0ivDkSzjcaJdxEunN5/XvksFJ2sMBFfq6x0ryhQV/2b/KwFe21cMpmHtPOSij8K99/wSfoEuTObmuMQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/caniuse-api": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/caniuse-api/-/caniuse-api-3.0.0.tgz", + "integrity": "sha512-bsTwuIg/BZZK/vreVTYYbSWoe2F+71P7K5QGEX+pT250DZbfU1MQ5prOKpPR+LL6uWKK3KMwMCAS74QB3Um1uw==", + "dev": true, + "license": "MIT", + "dependencies": { + "browserslist": "^4.0.0", + "caniuse-lite": "^1.0.0", + "lodash.memoize": "^4.1.2", + "lodash.uniq": "^4.5.0" + } + }, + "node_modules/caniuse-lite": { + "version": "1.0.30001707", + "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001707.tgz", + "integrity": "sha512-3qtRjw/HQSMlDWf+X79N206fepf4SOOU6SQLMaq/0KkZLmSjPxAkBOQQ+FxbHKfHmYLZFfdWsO3KA90ceHPSnw==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/caniuse-lite" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "CC-BY-4.0" + }, + "node_modules/chardet": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/chardet/-/chardet-2.1.0.tgz", + "integrity": "sha512-bNFETTG/pM5ryzQ9Ad0lJOTa6HWD/YsScAR3EnCPZRPlQh77JocYktSHOUHelyhm8IARL+o4c4F1bP5KVOjiRA==", + "dev": true, + "license": "MIT" + }, + "node_modules/cheerio": { + "version": "1.0.0-rc.12", + "resolved": "https://registry.npmjs.org/cheerio/-/cheerio-1.0.0-rc.12.tgz", + "integrity": "sha512-VqR8m68vM46BNnuZ5NtnGBKIE/DfN0cRIzg9n40EIq9NOv90ayxLBXA8fXC5gquFRGJSTRqBq25Jt2ECLR431Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "cheerio-select": "^2.1.0", + "dom-serializer": "^2.0.0", + "domhandler": "^5.0.3", + "domutils": "^3.0.1", + "htmlparser2": "^8.0.1", + "parse5": "^7.0.0", + "parse5-htmlparser2-tree-adapter": "^7.0.0" + }, + "engines": { + "node": ">= 6" + }, + "funding": { + "url": "https://github.com/cheeriojs/cheerio?sponsor=1" + } + }, + "node_modules/cheerio-select": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/cheerio-select/-/cheerio-select-2.1.0.tgz", + "integrity": "sha512-9v9kG0LvzrlcungtnJtpGNxY+fzECQKhK4EGJX2vByejiMX84MFNQw4UxPJl3bFbTMw+Dfs37XaIkCwTZfLh4g==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "boolbase": "^1.0.0", + "css-select": "^5.1.0", + "css-what": "^6.1.0", + "domelementtype": "^2.3.0", + "domhandler": "^5.0.3", + "domutils": "^3.0.1" + }, + "funding": { + "url": "https://github.com/sponsors/fb55" + } + }, + "node_modules/cheerio-select/node_modules/dom-serializer": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/dom-serializer/-/dom-serializer-2.0.0.tgz", + "integrity": "sha512-wIkAryiqt/nV5EQKqQpo3SToSOV9J0DnbJqwK7Wv/Trc92zIAYZ4FlMu+JPFW1DfGFt81ZTCGgDEabffXeLyJg==", + "dev": true, + "license": "MIT", + "dependencies": { + "domelementtype": "^2.3.0", + "domhandler": "^5.0.2", + "entities": "^4.2.0" + }, + "funding": { + "url": "https://github.com/cheeriojs/dom-serializer?sponsor=1" + } + }, + "node_modules/cheerio-select/node_modules/domhandler": { + "version": "5.0.3", + "resolved": "https://registry.npmjs.org/domhandler/-/domhandler-5.0.3.tgz", + "integrity": "sha512-cgwlv/1iFQiFnU96XXgROh8xTeetsnJiDsTc7TYCLFd9+/WNkIqPTxiM/8pSd8VIrhXGTf1Ny1q1hquVqDJB5w==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "domelementtype": "^2.3.0" + }, + "engines": { + "node": ">= 4" + }, + "funding": { + "url": "https://github.com/fb55/domhandler?sponsor=1" + } + }, + "node_modules/cheerio-select/node_modules/domutils": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/domutils/-/domutils-3.2.2.tgz", + "integrity": "sha512-6kZKyUajlDuqlHKVX1w7gyslj9MPIXzIFiz/rGu35uC1wMi+kMhQwGhl4lt9unC9Vb9INnY9Z3/ZA3+FhASLaw==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "dom-serializer": "^2.0.0", + "domelementtype": "^2.3.0", + "domhandler": "^5.0.3" + }, + "funding": { + "url": "https://github.com/fb55/domutils?sponsor=1" + } + }, + "node_modules/cheerio-select/node_modules/entities": { + "version": "4.5.0", + "resolved": "https://registry.npmjs.org/entities/-/entities-4.5.0.tgz", + "integrity": "sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=0.12" + }, + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, + "node_modules/cheerio/node_modules/dom-serializer": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/dom-serializer/-/dom-serializer-2.0.0.tgz", + "integrity": "sha512-wIkAryiqt/nV5EQKqQpo3SToSOV9J0DnbJqwK7Wv/Trc92zIAYZ4FlMu+JPFW1DfGFt81ZTCGgDEabffXeLyJg==", + "dev": true, + "license": "MIT", + "dependencies": { + "domelementtype": "^2.3.0", + "domhandler": "^5.0.2", + "entities": "^4.2.0" + }, + "funding": { + "url": "https://github.com/cheeriojs/dom-serializer?sponsor=1" + } + }, + "node_modules/cheerio/node_modules/domhandler": { + "version": "5.0.3", + "resolved": "https://registry.npmjs.org/domhandler/-/domhandler-5.0.3.tgz", + "integrity": "sha512-cgwlv/1iFQiFnU96XXgROh8xTeetsnJiDsTc7TYCLFd9+/WNkIqPTxiM/8pSd8VIrhXGTf1Ny1q1hquVqDJB5w==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "domelementtype": "^2.3.0" + }, + "engines": { + "node": ">= 4" + }, + "funding": { + "url": "https://github.com/fb55/domhandler?sponsor=1" + } + }, + "node_modules/cheerio/node_modules/domutils": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/domutils/-/domutils-3.2.2.tgz", + "integrity": "sha512-6kZKyUajlDuqlHKVX1w7gyslj9MPIXzIFiz/rGu35uC1wMi+kMhQwGhl4lt9unC9Vb9INnY9Z3/ZA3+FhASLaw==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "dom-serializer": "^2.0.0", + "domelementtype": "^2.3.0", + "domhandler": "^5.0.3" + }, + "funding": { + "url": "https://github.com/fb55/domutils?sponsor=1" + } + }, + "node_modules/cheerio/node_modules/entities": { + "version": "4.5.0", + "resolved": "https://registry.npmjs.org/entities/-/entities-4.5.0.tgz", + "integrity": "sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=0.12" + }, + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, + "node_modules/cheerio/node_modules/htmlparser2": { + "version": "8.0.2", + "resolved": "https://registry.npmjs.org/htmlparser2/-/htmlparser2-8.0.2.tgz", + "integrity": "sha512-GYdjWKDkbRLkZ5geuHs5NY1puJ+PXwP7+fHPRz06Eirsb9ugf6d8kkXav6ADhcODhFFPMIXyxkxSuMf3D6NCFA==", + "dev": true, + "funding": [ + "https://github.com/fb55/htmlparser2?sponsor=1", + { + "type": "github", + "url": "https://github.com/sponsors/fb55" + } + ], + "license": "MIT", + "dependencies": { + "domelementtype": "^2.3.0", + "domhandler": "^5.0.3", + "domutils": "^3.0.1", + "entities": "^4.4.0" + } + }, + "node_modules/chokidar": { + "version": "3.6.0", + "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.6.0.tgz", + "integrity": "sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==", + "dev": true, + "license": "MIT", + "dependencies": { + "anymatch": "~3.1.2", + "braces": "~3.0.2", + "glob-parent": "~5.1.2", + "is-binary-path": "~2.1.0", + "is-glob": "~4.0.1", + "normalize-path": "~3.0.0", + "readdirp": "~3.6.0" + }, + "engines": { + "node": ">= 8.10.0" + }, + "funding": { + "url": "https://paulmillr.com/funding/" + }, + "optionalDependencies": { + "fsevents": "~2.3.2" + } + }, + "node_modules/color-convert": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", + "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "color-name": "~1.1.4" + }, + "engines": { + "node": ">=7.0.0" + } + }, + "node_modules/color-name": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", + "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", + "dev": true, + "license": "MIT" + }, + "node_modules/colord": { + "version": "2.9.3", + "resolved": "https://registry.npmjs.org/colord/-/colord-2.9.3.tgz", + "integrity": "sha512-jeC1axXpnb0/2nn/Y1LPuLdgXBLH7aDcHu4KEKfqw3CUhX7ZpfBSlPKyqXE6btIgEzfWtrX3/tyBCaCvXvMkOw==", + "dev": true, + "license": "MIT" + }, + "node_modules/combined-stream": { + "version": "1.0.8", + "resolved": "https://registry.npmjs.org/combined-stream/-/combined-stream-1.0.8.tgz", + "integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==", + "dev": true, + "license": "MIT", + "dependencies": { + "delayed-stream": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/commander": { + "version": "10.0.1", + "resolved": "https://registry.npmjs.org/commander/-/commander-10.0.1.tgz", + "integrity": "sha512-y4Mg2tXshplEbSGzx7amzPwKKOCGuoSRP/CjEdwwk0FOGlUbq6lKuoyDZTNZkmxHdJtp54hdfY/JUrdL7Xfdug==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=14" + } + }, + "node_modules/concat-map": { + "version": "0.0.1", + "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", + "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==", + "dev": true, + "license": "MIT" + }, + "node_modules/cross-spawn": { + "version": "7.0.6", + "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.6.tgz", + "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", + "dev": true, + "license": "MIT", + "dependencies": { + "path-key": "^3.1.0", + "shebang-command": "^2.0.0", + "which": "^2.0.1" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/css-declaration-sorter": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/css-declaration-sorter/-/css-declaration-sorter-7.2.0.tgz", + "integrity": "sha512-h70rUM+3PNFuaBDTLe8wF/cdWu+dOZmb7pJt8Z2sedYbAcQVQV/tEchueg3GWxwqS0cxtbxmaHEdkNACqcvsow==", + "dev": true, + "license": "ISC", + "engines": { + "node": "^14 || ^16 || >=18" + }, + "peerDependencies": { + "postcss": "^8.0.9" + } + }, + "node_modules/css-select": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/css-select/-/css-select-5.1.0.tgz", + "integrity": "sha512-nwoRF1rvRRnnCqqY7updORDsuqKzqYJ28+oSMaJMMgOauh3fvwHqMS7EZpIPqK8GL+g9mKxF1vP/ZjSeNjEVHg==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "boolbase": "^1.0.0", + "css-what": "^6.1.0", + "domhandler": "^5.0.2", + "domutils": "^3.0.1", + "nth-check": "^2.0.1" + }, + "funding": { + "url": "https://github.com/sponsors/fb55" + } + }, + "node_modules/css-select/node_modules/dom-serializer": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/dom-serializer/-/dom-serializer-2.0.0.tgz", + "integrity": "sha512-wIkAryiqt/nV5EQKqQpo3SToSOV9J0DnbJqwK7Wv/Trc92zIAYZ4FlMu+JPFW1DfGFt81ZTCGgDEabffXeLyJg==", + "dev": true, + "license": "MIT", + "dependencies": { + "domelementtype": "^2.3.0", + "domhandler": "^5.0.2", + "entities": "^4.2.0" + }, + "funding": { + "url": "https://github.com/cheeriojs/dom-serializer?sponsor=1" + } + }, + "node_modules/css-select/node_modules/domhandler": { + "version": "5.0.3", + "resolved": "https://registry.npmjs.org/domhandler/-/domhandler-5.0.3.tgz", + "integrity": "sha512-cgwlv/1iFQiFnU96XXgROh8xTeetsnJiDsTc7TYCLFd9+/WNkIqPTxiM/8pSd8VIrhXGTf1Ny1q1hquVqDJB5w==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "domelementtype": "^2.3.0" + }, + "engines": { + "node": ">= 4" + }, + "funding": { + "url": "https://github.com/fb55/domhandler?sponsor=1" + } + }, + "node_modules/css-select/node_modules/domutils": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/domutils/-/domutils-3.2.2.tgz", + "integrity": "sha512-6kZKyUajlDuqlHKVX1w7gyslj9MPIXzIFiz/rGu35uC1wMi+kMhQwGhl4lt9unC9Vb9INnY9Z3/ZA3+FhASLaw==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "dom-serializer": "^2.0.0", + "domelementtype": "^2.3.0", + "domhandler": "^5.0.3" + }, + "funding": { + "url": "https://github.com/fb55/domutils?sponsor=1" + } + }, + "node_modules/css-select/node_modules/entities": { + "version": "4.5.0", + "resolved": "https://registry.npmjs.org/entities/-/entities-4.5.0.tgz", + "integrity": "sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=0.12" + }, + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, + "node_modules/css-tree": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/css-tree/-/css-tree-2.3.1.tgz", + "integrity": "sha512-6Fv1DV/TYw//QF5IzQdqsNDjx/wc8TrMBZsqjL9eW01tWb7R7k/mq+/VXfJCl7SoD5emsJop9cOByJZfs8hYIw==", + "dev": true, + "license": "MIT", + "dependencies": { + "mdn-data": "2.0.30", + "source-map-js": "^1.0.1" + }, + "engines": { + "node": "^10 || ^12.20.0 || ^14.13.0 || >=15.0.0" + } + }, + "node_modules/css-what": { + "version": "6.1.0", + "resolved": "https://registry.npmjs.org/css-what/-/css-what-6.1.0.tgz", + "integrity": "sha512-HTUrgRJ7r4dsZKU6GjmpfRK1O76h97Z8MfS1G0FozR+oF2kG6Vfe8JE6zwrkbxigziPHinCJ+gCPjA9EaBDtRw==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">= 6" + }, + "funding": { + "url": "https://github.com/sponsors/fb55" + } + }, + "node_modules/cssesc": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/cssesc/-/cssesc-3.0.0.tgz", + "integrity": "sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==", + "dev": true, + "license": "MIT", + "bin": { + "cssesc": "bin/cssesc" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/cssnano": { + "version": "7.0.6", + "resolved": "https://registry.npmjs.org/cssnano/-/cssnano-7.0.6.tgz", + "integrity": "sha512-54woqx8SCbp8HwvNZYn68ZFAepuouZW4lTwiMVnBErM3VkO7/Sd4oTOt3Zz3bPx3kxQ36aISppyXj2Md4lg8bw==", + "dev": true, + "license": "MIT", + "dependencies": { + "cssnano-preset-default": "^7.0.6", + "lilconfig": "^3.1.2" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/cssnano" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/cssnano-preset-default": { + "version": "7.0.6", + "resolved": "https://registry.npmjs.org/cssnano-preset-default/-/cssnano-preset-default-7.0.6.tgz", + "integrity": "sha512-ZzrgYupYxEvdGGuqL+JKOY70s7+saoNlHSCK/OGn1vB2pQK8KSET8jvenzItcY+kA7NoWvfbb/YhlzuzNKjOhQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "browserslist": "^4.23.3", + "css-declaration-sorter": "^7.2.0", + "cssnano-utils": "^5.0.0", + "postcss-calc": "^10.0.2", + "postcss-colormin": "^7.0.2", + "postcss-convert-values": "^7.0.4", + "postcss-discard-comments": "^7.0.3", + "postcss-discard-duplicates": "^7.0.1", + "postcss-discard-empty": "^7.0.0", + "postcss-discard-overridden": "^7.0.0", + "postcss-merge-longhand": "^7.0.4", + "postcss-merge-rules": "^7.0.4", + "postcss-minify-font-values": "^7.0.0", + "postcss-minify-gradients": "^7.0.0", + "postcss-minify-params": "^7.0.2", + "postcss-minify-selectors": "^7.0.4", + "postcss-normalize-charset": "^7.0.0", + "postcss-normalize-display-values": "^7.0.0", + "postcss-normalize-positions": "^7.0.0", + "postcss-normalize-repeat-style": "^7.0.0", + "postcss-normalize-string": "^7.0.0", + "postcss-normalize-timing-functions": "^7.0.0", + "postcss-normalize-unicode": "^7.0.2", + "postcss-normalize-url": "^7.0.0", + "postcss-normalize-whitespace": "^7.0.0", + "postcss-ordered-values": "^7.0.1", + "postcss-reduce-initial": "^7.0.2", + "postcss-reduce-transforms": "^7.0.0", + "postcss-svgo": "^7.0.1", + "postcss-unique-selectors": "^7.0.3" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/cssnano-utils": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/cssnano-utils/-/cssnano-utils-5.0.0.tgz", + "integrity": "sha512-Uij0Xdxc24L6SirFr25MlwC2rCFX6scyUmuKpzI+JQ7cyqDEwD42fJ0xfB3yLfOnRDU5LKGgjQ9FA6LYh76GWQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/csso": { + "version": "5.0.5", + "resolved": "https://registry.npmjs.org/csso/-/csso-5.0.5.tgz", + "integrity": "sha512-0LrrStPOdJj+SPCCrGhzryycLjwcgUSHBtxNA8aIDxf0GLsRh1cKYhB00Gd1lDOS4yGH69+SNn13+TWbVHETFQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "css-tree": "~2.2.0" + }, + "engines": { + "node": "^10 || ^12.20.0 || ^14.13.0 || >=15.0.0", + "npm": ">=7.0.0" + } + }, + "node_modules/csso/node_modules/css-tree": { + "version": "2.2.1", + "resolved": "https://registry.npmjs.org/css-tree/-/css-tree-2.2.1.tgz", + "integrity": "sha512-OA0mILzGc1kCOCSJerOeqDxDQ4HOh+G8NbOJFOTgOCzpw7fCBubk0fEyxp8AgOL/jvLgYA/uV0cMbe43ElF1JA==", + "dev": true, + "license": "MIT", + "dependencies": { + "mdn-data": "2.0.28", + "source-map-js": "^1.0.1" + }, + "engines": { + "node": "^10 || ^12.20.0 || ^14.13.0 || >=15.0.0", + "npm": ">=7.0.0" + } + }, + "node_modules/csso/node_modules/mdn-data": { + "version": "2.0.28", + "resolved": "https://registry.npmjs.org/mdn-data/-/mdn-data-2.0.28.tgz", + "integrity": "sha512-aylIc7Z9y4yzHYAJNuESG3hfhC+0Ibp/MAMiaOZgNv4pmEdFyfZhhhny4MNiAfWdBQ1RQ2mfDWmM1x8SvGyp8g==", + "dev": true, + "license": "CC0-1.0" + }, + "node_modules/cssstyle": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/cssstyle/-/cssstyle-4.3.0.tgz", + "integrity": "sha512-6r0NiY0xizYqfBvWp1G7WXJ06/bZyrk7Dc6PHql82C/pKGUTKu4yAX4Y8JPamb1ob9nBKuxWzCGTRuGwU3yxJQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@asamuzakjp/css-color": "^3.1.1", + "rrweb-cssom": "^0.8.0" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/data-urls": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/data-urls/-/data-urls-5.0.0.tgz", + "integrity": "sha512-ZYP5VBHshaDAiVZxjbRVcFJpc+4xGgT0bK3vzy1HLN8jTO975HEbuYzZJcHoQEY5K1a0z8YayJkyVETa08eNTg==", + "dev": true, + "license": "MIT", + "dependencies": { + "whatwg-mimetype": "^4.0.0", + "whatwg-url": "^14.0.0" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/debug": { + "version": "4.4.0", + "resolved": "https://registry.npmjs.org/debug/-/debug-4.4.0.tgz", + "integrity": "sha512-6WTZ/IxCY/T6BALoZHaE4ctp9xm+Z5kY/pzYaCHRFeyVhojxlrm+46y68HA6hr0TcwEssoxNiDEUJQjfPZ/RYA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "^2.1.3" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/decimal.js": { + "version": "10.5.0", + "resolved": "https://registry.npmjs.org/decimal.js/-/decimal.js-10.5.0.tgz", + "integrity": "sha512-8vDa8Qxvr/+d94hSh5P3IJwI5t8/c0KsMp+g8bNw9cY2icONa5aPfvKeieW1WlG0WQYwwhJ7mjui2xtiePQSXw==", + "dev": true, + "license": "MIT" + }, + "node_modules/delayed-stream": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz", + "integrity": "sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/depd": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/depd/-/depd-2.0.0.tgz", + "integrity": "sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/dependency-graph": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/dependency-graph/-/dependency-graph-1.0.0.tgz", + "integrity": "sha512-cW3gggJ28HZ/LExwxP2B++aiKxhJXMSIt9K48FOXQkm+vuG5gyatXnLsONRJdzO/7VfjDIiaOOa/bs4l464Lwg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/dom-serializer": { + "version": "1.4.1", + "resolved": "https://registry.npmjs.org/dom-serializer/-/dom-serializer-1.4.1.tgz", + "integrity": "sha512-VHwB3KfrcOOkelEG2ZOfxqLZdfkil8PtJi4P8N2MMXucZq2yLp75ClViUlOVwyoHEDjYU433Aq+5zWP61+RGag==", + "dev": true, + "license": "MIT", + "dependencies": { + "domelementtype": "^2.0.1", + "domhandler": "^4.2.0", + "entities": "^2.0.0" + }, + "funding": { + "url": "https://github.com/cheeriojs/dom-serializer?sponsor=1" + } + }, + "node_modules/dom-serializer/node_modules/entities": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/entities/-/entities-2.2.0.tgz", + "integrity": "sha512-p92if5Nz619I0w+akJrLZH0MX0Pb5DX39XOwQTtXSdQQOaYH03S1uIQp4mhOZtAXrxq4ViO67YTiLBo2638o9A==", + "dev": true, + "license": "BSD-2-Clause", + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, + "node_modules/domelementtype": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/domelementtype/-/domelementtype-2.3.0.tgz", + "integrity": "sha512-OLETBj6w0OsagBwdXnPdN0cnMfF9opN69co+7ZrbfPGrdpPVNBUj02spi6B1N7wChLQiPn4CSH/zJvXw56gmHw==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/fb55" + } + ], + "license": "BSD-2-Clause" + }, + "node_modules/domhandler": { + "version": "4.3.1", + "resolved": "https://registry.npmjs.org/domhandler/-/domhandler-4.3.1.tgz", + "integrity": "sha512-GrwoxYN+uWlzO8uhUXRl0P+kHE4GtVPfYzVLcUxPL7KNdHKj66vvlhiweIHqYYXWlw+T8iLMp42Lm67ghw4WMQ==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "domelementtype": "^2.2.0" + }, + "engines": { + "node": ">= 4" + }, + "funding": { + "url": "https://github.com/fb55/domhandler?sponsor=1" + } + }, + "node_modules/domutils": { + "version": "2.8.0", + "resolved": "https://registry.npmjs.org/domutils/-/domutils-2.8.0.tgz", + "integrity": "sha512-w96Cjofp72M5IIhpjgobBimYEfoPjx1Vx0BSX9P30WBdZW2WIKU0T1Bd0kz2eNZ9ikjKgHbEyKx8BB6H1L3h3A==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "dom-serializer": "^1.0.1", + "domelementtype": "^2.2.0", + "domhandler": "^4.2.0" + }, + "funding": { + "url": "https://github.com/fb55/domutils?sponsor=1" + } + }, + "node_modules/dotenv": { + "version": "16.4.7", + "resolved": "https://registry.npmjs.org/dotenv/-/dotenv-16.4.7.tgz", + "integrity": "sha512-47qPchRCykZC03FhkYAhrvwU4xDBFIj1QPqaarj6mdM/hgUzfPHcpkHJOn3mJAufFeeAxAzeGsr5X0M4k6fLZQ==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://dotenvx.com" + } + }, + "node_modules/dunder-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/dunder-proto/-/dunder-proto-1.0.1.tgz", + "integrity": "sha512-KIN/nDJBQRcXw0MLVhZE9iQHmG68qAVIBg9CqmUYjmQIhgij9U5MFvrqkUL5FbtyyzZuOeOt0zdeRe4UY7ct+A==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.1", + "es-errors": "^1.3.0", + "gopd": "^1.2.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/eastasianwidth": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/eastasianwidth/-/eastasianwidth-0.2.0.tgz", + "integrity": "sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==", + "dev": true, + "license": "MIT" + }, + "node_modules/ee-first": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/ee-first/-/ee-first-1.1.1.tgz", + "integrity": "sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==", + "dev": true, + "license": "MIT" + }, + "node_modules/electron-to-chromium": { + "version": "1.5.127", + "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.5.127.tgz", + "integrity": "sha512-Ke5OggqOtEqzCzcUyV+9jgO6L6sv1gQVKGtSExXHjD/FK0p4qzPZbrDsrCdy0DptcQprD0V80RCBYSWLMhTTgQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/emoji-regex": { + "version": "9.2.2", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-9.2.2.tgz", + "integrity": "sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==", + "dev": true, + "license": "MIT" + }, + "node_modules/encodeurl": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/encodeurl/-/encodeurl-2.0.0.tgz", + "integrity": "sha512-Q0n9HRi4m6JuGIV1eFlmvJB7ZEVxu93IrMyiMsGC0lrMJMWzRgx6WGquyfQgZVb31vhGgXnfmPNNXmxnOkRBrg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/entities": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/entities/-/entities-5.0.0.tgz", + "integrity": "sha512-BeJFvFRJddxobhvEdm5GqHzRV/X+ACeuw0/BuuxsCh1EUZcAIz8+kYmBp/LrQuloy6K1f3a0M7+IhmZ7QnkISA==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=0.12" + }, + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, + "node_modules/errno": { + "version": "0.1.8", + "resolved": "https://registry.npmjs.org/errno/-/errno-0.1.8.tgz", + "integrity": "sha512-dJ6oBr5SQ1VSd9qkk7ByRgb/1SH4JZjCHSW/mr63/QcXO9zLVxvJ6Oy13nio03rxpSnVDDjFor75SjVeZWPW/A==", + "dev": true, + "license": "MIT", + "dependencies": { + "prr": "~1.0.1" + }, + "bin": { + "errno": "cli.js" + } + }, + "node_modules/es-define-property": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/es-define-property/-/es-define-property-1.0.1.tgz", + "integrity": "sha512-e3nRfgfUZ4rNGL232gUgX06QNyyez04KdjFrF+LTRoOXmrOgFKDg4BCdsjW8EnT69eqdYGmRpJwiPVYNrCaW3g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-errors": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/es-errors/-/es-errors-1.3.0.tgz", + "integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-object-atoms": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/es-object-atoms/-/es-object-atoms-1.1.1.tgz", + "integrity": "sha512-FGgH2h8zKNim9ljj7dankFPcICIK9Cp5bm+c2gQSYePhpaG5+esrLODihIorn+Pe6FGJzWhXQotPv73jTaldXA==", + "dev": true, + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-set-tostringtag": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/es-set-tostringtag/-/es-set-tostringtag-2.1.0.tgz", + "integrity": "sha512-j6vWzfrGVfyXxge+O0x5sh6cvxAog0a/4Rdd2K36zCMV5eJ+/+tOAngRO8cODMNWbVRdVlmGZQL2YS3yR8bIUA==", + "dev": true, + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.6", + "has-tostringtag": "^1.0.2", + "hasown": "^2.0.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/escalade": { + "version": "3.2.0", + "resolved": "https://registry.npmjs.org/escalade/-/escalade-3.2.0.tgz", + "integrity": "sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/escape-html": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/escape-html/-/escape-html-1.0.3.tgz", + "integrity": "sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==", + "dev": true, + "license": "MIT" + }, + "node_modules/escape-string-regexp": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-5.0.0.tgz", + "integrity": "sha512-/veY75JbMK4j1yjvuUxuVsiS/hr/4iHs9FTT6cgTexxdE0Ly/glccBAkloH/DofkjRbZU3bnoj38mOmhkZ0lHw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/esm-import-transformer": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/esm-import-transformer/-/esm-import-transformer-3.0.2.tgz", + "integrity": "sha512-PgvO0wro44lTDM9pYeeOIfpS0lGF80jA+rjT7sBd3b07rxv1AxeNMEI5kSCqRKke2W6SPEz17W3kHOLjaiD7Cw==", + "dev": true, + "license": "MIT", + "dependencies": { + "acorn": "^8.11.2" + } + }, + "node_modules/esprima": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/esprima/-/esprima-4.0.1.tgz", + "integrity": "sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==", + "dev": true, + "license": "BSD-2-Clause", + "bin": { + "esparse": "bin/esparse.js", + "esvalidate": "bin/esvalidate.js" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/etag": { + "version": "1.8.1", + "resolved": "https://registry.npmjs.org/etag/-/etag-1.8.1.tgz", + "integrity": "sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/evaluate-value": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/evaluate-value/-/evaluate-value-2.0.0.tgz", + "integrity": "sha512-VonfiuDJc0z4sOO7W0Pd130VLsXN6vmBWZlrog1mCb/o7o/Nl5Lr25+Kj/nkCCAhG+zqeeGjxhkK9oHpkgTHhQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 8" + } + }, + "node_modules/eventemitter3": { + "version": "4.0.7", + "resolved": "https://registry.npmjs.org/eventemitter3/-/eventemitter3-4.0.7.tgz", + "integrity": "sha512-8guHBZCwKnFhYdHr2ysuRWErTwhoN2X8XELRlrRwpmfeY2jjuUN4taQMsULKUVo1K4DvZl+0pgfyoysHxvmvEw==", + "dev": true, + "license": "MIT" + }, + "node_modules/extend-shallow": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-extendable": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/fast-glob": { + "version": "3.3.3", + "resolved": "https://registry.npmjs.org/fast-glob/-/fast-glob-3.3.3.tgz", + "integrity": "sha512-7MptL8U0cqcFdzIzwOTHoilX9x5BrNqye7Z/LuC7kCMRio1EMSyqRK3BEAUD7sXRq4iT4AzTVuZdhgQ2TCvYLg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@nodelib/fs.stat": "^2.0.2", + "@nodelib/fs.walk": "^1.2.3", + "glob-parent": "^5.1.2", + "merge2": "^1.3.0", + "micromatch": "^4.0.8" + }, + "engines": { + "node": ">=8.6.0" + } + }, + "node_modules/fast-sort": { + "version": "3.4.1", + "resolved": "https://registry.npmjs.org/fast-sort/-/fast-sort-3.4.1.tgz", + "integrity": "sha512-76uvGPsF6So53sZAqenP9UVT3p5l7cyTHkLWVCMinh41Y8NDrK1IYXJgaBMfc1gk7nJiSRZp676kddFG2Aa5+A==", + "dev": true, + "license": "MIT" + }, + "node_modules/fastq": { + "version": "1.19.1", + "resolved": "https://registry.npmjs.org/fastq/-/fastq-1.19.1.tgz", + "integrity": "sha512-GwLTyxkCXjXbxqIhTsMI2Nui8huMPtnxg7krajPJAjnEG/iiOS7i+zCtWGZR9G0NBKbXKh6X9m9UIsYX/N6vvQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "reusify": "^1.0.4" + } + }, + "node_modules/filesize": { + "version": "10.1.6", + "resolved": "https://registry.npmjs.org/filesize/-/filesize-10.1.6.tgz", + "integrity": "sha512-sJslQKU2uM33qH5nqewAwVB2QgR6w1aMNsYUp3aN5rMRyXEwJGmZvaWzeJFNTOXWlHQyBFCWrdj3fV/fsTOX8w==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">= 10.4.0" + } + }, + "node_modules/fill-range": { + "version": "7.1.1", + "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.1.1.tgz", + "integrity": "sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==", + "dev": true, + "license": "MIT", + "dependencies": { + "to-regex-range": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/finalhandler": { + "version": "1.3.1", + "resolved": "https://registry.npmjs.org/finalhandler/-/finalhandler-1.3.1.tgz", + "integrity": "sha512-6BN9trH7bp3qvnrRyzsBz+g3lZxTNZTbVO2EV1CS0WIcDbawYVdYvGflME/9QP0h0pYlCDBCTjYa9nZzMDpyxQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "debug": "2.6.9", + "encodeurl": "~2.0.0", + "escape-html": "~1.0.3", + "on-finished": "2.4.1", + "parseurl": "~1.3.3", + "statuses": "2.0.1", + "unpipe": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/finalhandler/node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/finalhandler/node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true, + "license": "MIT" + }, + "node_modules/flat-cache": { + "version": "6.1.7", + "resolved": "https://registry.npmjs.org/flat-cache/-/flat-cache-6.1.7.tgz", + "integrity": "sha512-qwZ4xf1v1m7Rc9XiORly31YaChvKt6oNVHuqqZcoED/7O+ToyNVGobKsIAopY9ODcWpEDKEBAbrSOCBHtNQvew==", + "dev": true, + "license": "MIT", + "dependencies": { + "cacheable": "^1.8.9", + "flatted": "^3.3.3", + "hookified": "^1.7.1" + } + }, + "node_modules/flatted": { + "version": "3.3.3", + "resolved": "https://registry.npmjs.org/flatted/-/flatted-3.3.3.tgz", + "integrity": "sha512-GX+ysw4PBCz0PzosHDepZGANEuFCMLrnRTiEy9McGjmkCQYwRq4A/X786G/fjM/+OjsWSU1ZrY5qyARZmO/uwg==", + "dev": true, + "license": "ISC" + }, + "node_modules/foreground-child": { + "version": "3.3.1", + "resolved": "https://registry.npmjs.org/foreground-child/-/foreground-child-3.3.1.tgz", + "integrity": "sha512-gIXjKqtFuWEgzFRJA9WCQeSJLZDjgJUOMCMzxtvFq/37KojM1BFGufqsCy0r4qSQmYLsZYMeyRqzIWOMup03sw==", + "dev": true, + "license": "ISC", + "dependencies": { + "cross-spawn": "^7.0.6", + "signal-exit": "^4.0.1" + }, + "engines": { + "node": ">=14" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/form-data": { + "version": "4.0.2", + "resolved": "https://registry.npmjs.org/form-data/-/form-data-4.0.2.tgz", + "integrity": "sha512-hGfm/slu0ZabnNt4oaRZ6uREyfCj6P4fT/n6A1rGV+Z0VdGXjfOhVUpkn6qVQONHGIFwmveGXyDs75+nr6FM8w==", + "dev": true, + "license": "MIT", + "dependencies": { + "asynckit": "^0.4.0", + "combined-stream": "^1.0.8", + "es-set-tostringtag": "^2.1.0", + "mime-types": "^2.1.12" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/fraction.js": { + "version": "4.3.7", + "resolved": "https://registry.npmjs.org/fraction.js/-/fraction.js-4.3.7.tgz", + "integrity": "sha512-ZsDfxO51wGAXREY55a7la9LScWpwv9RxIrYABrlvOFBlH/ShPnrtsXeuUIfXKKOVicNxQ+o8JTbJvjS4M89yew==", + "dev": true, + "license": "MIT", + "engines": { + "node": "*" + }, + "funding": { + "type": "patreon", + "url": "https://github.com/sponsors/rawify" + } + }, + "node_modules/fresh": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/fresh/-/fresh-2.0.0.tgz", + "integrity": "sha512-Rx/WycZ60HOaqLKAi6cHRKKI7zxWbJ31MhntmtwMoaTeF7XFH9hhBp8vITaMidfljRQ6eYWCKkaTK+ykVJHP2A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/fsevents": { + "version": "2.3.3", + "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.3.tgz", + "integrity": "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==", + "dev": true, + "hasInstallScript": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": "^8.16.0 || ^10.6.0 || >=11.0.0" + } + }, + "node_modules/function-bind": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz", + "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", + "dev": true, + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/get-intrinsic": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.3.0.tgz", + "integrity": "sha512-9fSjSaos/fRIVIp+xSJlE6lfwhES7LNtKaCBIamHsjr2na1BiABJPo0mOjjz8GJDURarmCPGqaiVg5mfjb98CQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.2", + "es-define-property": "^1.0.1", + "es-errors": "^1.3.0", + "es-object-atoms": "^1.1.1", + "function-bind": "^1.1.2", + "get-proto": "^1.0.1", + "gopd": "^1.2.0", + "has-symbols": "^1.1.0", + "hasown": "^2.0.2", + "math-intrinsics": "^1.1.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/get-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/get-proto/-/get-proto-1.0.1.tgz", + "integrity": "sha512-sTSfBjoXBp89JvIKIefqw7U2CCebsc74kiY6awiGogKtoSGbgjYE/G/+l9sF3MWFPNc9IcoOC4ODfKHfxFmp0g==", + "dev": true, + "license": "MIT", + "dependencies": { + "dunder-proto": "^1.0.1", + "es-object-atoms": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/glob": { + "version": "11.0.1", + "resolved": "https://registry.npmjs.org/glob/-/glob-11.0.1.tgz", + "integrity": "sha512-zrQDm8XPnYEKawJScsnM0QzobJxlT/kHOOlRTio8IH/GrmxRE5fjllkzdaHclIuNjUQTJYH2xHNIGfdpJkDJUw==", + "dev": true, + "license": "ISC", + "dependencies": { + "foreground-child": "^3.1.0", + "jackspeak": "^4.0.1", + "minimatch": "^10.0.0", + "minipass": "^7.1.2", + "package-json-from-dist": "^1.0.0", + "path-scurry": "^2.0.0" + }, + "bin": { + "glob": "dist/esm/bin.mjs" + }, + "engines": { + "node": "20 || >=22" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/glob-parent": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz", + "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", + "dev": true, + "license": "ISC", + "dependencies": { + "is-glob": "^4.0.1" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/glob/node_modules/brace-expansion": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz", + "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==", + "dev": true, + "license": "MIT", + "dependencies": { + "balanced-match": "^1.0.0" + } + }, + "node_modules/glob/node_modules/minimatch": { + "version": "10.0.1", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-10.0.1.tgz", + "integrity": "sha512-ethXTt3SGGR+95gudmqJ1eNhRO7eGEGIgYA9vnPatK4/etz2MEVDno5GMCibdMTuBMyElzIlgxMna3K94XDIDQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "brace-expansion": "^2.0.1" + }, + "engines": { + "node": "20 || >=22" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/gopd": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/gopd/-/gopd-1.2.0.tgz", + "integrity": "sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/graceful-fs": { + "version": "4.2.11", + "resolved": "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.2.11.tgz", + "integrity": "sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/gray-matter": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/gray-matter/-/gray-matter-4.0.3.tgz", + "integrity": "sha512-5v6yZd4JK3eMI3FqqCouswVqwugaA9r4dNZB1wwcmrD02QkV5H0y7XBQW8QwQqEaZY1pM9aqORSORhJRdNK44Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "js-yaml": "^3.13.1", + "kind-of": "^6.0.2", + "section-matter": "^1.0.0", + "strip-bom-string": "^1.0.0" + }, + "engines": { + "node": ">=6.0" + } + }, + "node_modules/gray-matter/node_modules/argparse": { + "version": "1.0.10", + "resolved": "https://registry.npmjs.org/argparse/-/argparse-1.0.10.tgz", + "integrity": "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==", + "dev": true, + "license": "MIT", + "dependencies": { + "sprintf-js": "~1.0.2" + } + }, + "node_modules/gray-matter/node_modules/js-yaml": { + "version": "3.14.1", + "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-3.14.1.tgz", + "integrity": "sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==", + "dev": true, + "license": "MIT", + "dependencies": { + "argparse": "^1.0.7", + "esprima": "^4.0.0" + }, + "bin": { + "js-yaml": "bin/js-yaml.js" + } + }, + "node_modules/has-symbols": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.1.0.tgz", + "integrity": "sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-tostringtag": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/has-tostringtag/-/has-tostringtag-1.0.2.tgz", + "integrity": "sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-symbols": "^1.0.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/hasown": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.2.tgz", + "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/hookified": { + "version": "1.8.1", + "resolved": "https://registry.npmjs.org/hookified/-/hookified-1.8.1.tgz", + "integrity": "sha512-GrO2l93P8xCWBSTBX9l2BxI78VU/MAAYag+pG8curS3aBGy0++ZlxrQ7PdUOUVMbn5BwkGb6+eRrnf43ipnFEA==", + "dev": true, + "license": "MIT" + }, + "node_modules/html-encoding-sniffer": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/html-encoding-sniffer/-/html-encoding-sniffer-4.0.0.tgz", + "integrity": "sha512-Y22oTqIU4uuPgEemfz7NDJz6OeKf12Lsu+QC+s3BVpda64lTiMYCyGwg5ki4vFxkMwQdeZDl2adZoqUgdFuTgQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "whatwg-encoding": "^3.1.1" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/htmlparser2": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/htmlparser2/-/htmlparser2-7.2.0.tgz", + "integrity": "sha512-H7MImA4MS6cw7nbyURtLPO1Tms7C5H602LRETv95z1MxO/7CP7rDVROehUYeYBUYEON94NXXDEPmZuq+hX4sog==", + "dev": true, + "funding": [ + "https://github.com/fb55/htmlparser2?sponsor=1", + { + "type": "github", + "url": "https://github.com/sponsors/fb55" + } + ], + "license": "MIT", + "dependencies": { + "domelementtype": "^2.0.1", + "domhandler": "^4.2.2", + "domutils": "^2.8.0", + "entities": "^3.0.1" + } + }, + "node_modules/htmlparser2/node_modules/entities": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/entities/-/entities-3.0.1.tgz", + "integrity": "sha512-WiyBqoomrwMdFG1e0kqvASYfnlb0lp8M5o5Fw2OFq1hNZxxcNk8Ik0Xm7LxzBhuidnZB/UtBqVCgUz3kBOP51Q==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=0.12" + }, + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, + "node_modules/http-equiv-refresh": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/http-equiv-refresh/-/http-equiv-refresh-2.0.1.tgz", + "integrity": "sha512-XJpDL/MLkV3dKwLzHwr2dY05dYNfBNlyPu4STQ8WvKCFdc6vC5tPXuq28of663+gHVg03C+16pHHs/+FmmDjcw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 6" + } + }, + "node_modules/http-errors": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-2.0.0.tgz", + "integrity": "sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "depd": "2.0.0", + "inherits": "2.0.4", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "toidentifier": "1.0.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/http-proxy-agent": { + "version": "7.0.2", + "resolved": "https://registry.npmjs.org/http-proxy-agent/-/http-proxy-agent-7.0.2.tgz", + "integrity": "sha512-T1gkAiYYDWYx3V5Bmyu7HcfcvL7mUrTWiM6yOfa3PIphViJ/gFPbvidQ+veqSOHci/PxBcDabeUNCzpOODJZig==", + "dev": true, + "license": "MIT", + "dependencies": { + "agent-base": "^7.1.0", + "debug": "^4.3.4" + }, + "engines": { + "node": ">= 14" + } + }, + "node_modules/https-proxy-agent": { + "version": "7.0.6", + "resolved": "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-7.0.6.tgz", + "integrity": "sha512-vK9P5/iUfdl95AI+JVyUuIcVtd4ofvtrOr3HNtM2yxC9bnMbEdp3x01OhQNnjb8IJYi38VlTE3mBXwcfvywuSw==", + "dev": true, + "license": "MIT", + "dependencies": { + "agent-base": "^7.1.2", + "debug": "4" + }, + "engines": { + "node": ">= 14" + } + }, + "node_modules/iconv-lite": { + "version": "0.6.3", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.6.3.tgz", + "integrity": "sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==", + "dev": true, + "license": "MIT", + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/ics": { + "version": "3.8.1", + "resolved": "https://registry.npmjs.org/ics/-/ics-3.8.1.tgz", + "integrity": "sha512-UqQlfkajfhrS4pUGQfGIJMYz/Jsl/ob3LqcfEhUmLbwumg+ZNkU0/6S734Vsjq3/FYNpEcZVKodLBoe+zBM69g==", + "dev": true, + "license": "ISC", + "dependencies": { + "nanoid": "^3.1.23", + "runes2": "^1.1.2", + "yup": "^1.2.0" + } + }, + "node_modules/ieee754": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/ieee754/-/ieee754-1.2.1.tgz", + "integrity": "sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "BSD-3-Clause" + }, + "node_modules/inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/is-alphabetical": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/is-alphabetical/-/is-alphabetical-2.0.1.tgz", + "integrity": "sha512-FWyyY60MeTNyeSRpkM2Iry0G9hpr7/9kD40mD/cGQEuilcZYS4okz8SN2Q6rLCJ8gbCt6fN+rC+6tMGS99LaxQ==", + "dev": true, + "license": "MIT", + "funding": { + "type": "github", + "url": "https://github.com/sponsors/wooorm" + } + }, + "node_modules/is-alphanumerical": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/is-alphanumerical/-/is-alphanumerical-2.0.1.tgz", + "integrity": "sha512-hmbYhX/9MUMF5uh7tOXyK/n0ZvWpad5caBA17GsC6vyuCqaWliRG5K1qS9inmUhEMaOBIW7/whAnSwveW/LtZw==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-alphabetical": "^2.0.0", + "is-decimal": "^2.0.0" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/wooorm" + } + }, + "node_modules/is-binary-path": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/is-binary-path/-/is-binary-path-2.1.0.tgz", + "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==", + "dev": true, + "license": "MIT", + "dependencies": { + "binary-extensions": "^2.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/is-core-module": { + "version": "2.16.1", + "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.16.1.tgz", + "integrity": "sha512-UfoeMA6fIJ8wTYFEUjelnaGI67v6+N7qXJEvQuIGa99l4xsCruSYOVSQ0uPANn4dAzm8lkYPaKLrrijLq7x23w==", + "dev": true, + "license": "MIT", + "dependencies": { + "hasown": "^2.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-decimal": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/is-decimal/-/is-decimal-2.0.1.tgz", + "integrity": "sha512-AAB9hiomQs5DXWcRB1rqsxGUstbRroFOPPVAomNk/3XHR5JyEZChOyTWe2oayKnsSsr/kcGqF+z6yuH6HHpN0A==", + "dev": true, + "license": "MIT", + "funding": { + "type": "github", + "url": "https://github.com/sponsors/wooorm" + } + }, + "node_modules/is-extendable": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-extglob": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz", + "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/is-glob": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz", + "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-extglob": "^2.1.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-json": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/is-json/-/is-json-2.0.1.tgz", + "integrity": "sha512-6BEnpVn1rcf3ngfmViLM6vjUjGErbdrL4rwlv+u1NO1XO8kqT4YGL8+19Q+Z/bas8tY90BTWMk2+fW1g6hQjbA==", + "dev": true, + "license": "ISC" + }, + "node_modules/is-number": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz", + "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.12.0" + } + }, + "node_modules/is-potential-custom-element-name": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/is-potential-custom-element-name/-/is-potential-custom-element-name-1.0.1.tgz", + "integrity": "sha512-bCYeRA2rVibKZd+s2625gGnGF/t7DSqDs4dP7CrLA1m7jKWz6pps0LpYLJN8Q64HtmPKJ1hrN3nzPNKFEKOUiQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/isexe": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", + "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==", + "dev": true, + "license": "ISC" + }, + "node_modules/iso-639-1": { + "version": "3.1.5", + "resolved": "https://registry.npmjs.org/iso-639-1/-/iso-639-1-3.1.5.tgz", + "integrity": "sha512-gXkz5+KN7HrG0Q5UGqSMO2qB9AsbEeyLP54kF1YrMsIxmu+g4BdB7rflReZTSTZGpfj8wywu6pfPBCylPIzGQA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.0" + } + }, + "node_modules/jackspeak": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/jackspeak/-/jackspeak-4.1.0.tgz", + "integrity": "sha512-9DDdhb5j6cpeitCbvLO7n7J4IxnbM6hoF6O1g4HQ5TfhvvKN8ywDM7668ZhMHRqVmxqhps/F6syWK2KcPxYlkw==", + "dev": true, + "license": "BlueOak-1.0.0", + "dependencies": { + "@isaacs/cliui": "^8.0.2" + }, + "engines": { + "node": "20 || >=22" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/js-yaml": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz", + "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", + "dev": true, + "license": "MIT", + "dependencies": { + "argparse": "^2.0.1" + }, + "bin": { + "js-yaml": "bin/js-yaml.js" + } + }, + "node_modules/jsdom": { + "version": "26.0.0", + "resolved": "https://registry.npmjs.org/jsdom/-/jsdom-26.0.0.tgz", + "integrity": "sha512-BZYDGVAIriBWTpIxYzrXjv3E/4u8+/pSG5bQdIYCbNCGOvsPkDQfTVLAIXAf9ETdCpduCVTkDe2NNZ8NIwUVzw==", + "dev": true, + "license": "MIT", + "dependencies": { + "cssstyle": "^4.2.1", + "data-urls": "^5.0.0", + "decimal.js": "^10.4.3", + "form-data": "^4.0.1", + "html-encoding-sniffer": "^4.0.0", + "http-proxy-agent": "^7.0.2", + "https-proxy-agent": "^7.0.6", + "is-potential-custom-element-name": "^1.0.1", + "nwsapi": "^2.2.16", + "parse5": "^7.2.1", + "rrweb-cssom": "^0.8.0", + "saxes": "^6.0.0", + "symbol-tree": "^3.2.4", + "tough-cookie": "^5.0.0", + "w3c-xmlserializer": "^5.0.0", + "webidl-conversions": "^7.0.0", + "whatwg-encoding": "^3.1.1", + "whatwg-mimetype": "^4.0.0", + "whatwg-url": "^14.1.0", + "ws": "^8.18.0", + "xml-name-validator": "^5.0.0" + }, + "engines": { + "node": ">=18" + }, + "peerDependencies": { + "canvas": "^3.0.0" + }, + "peerDependenciesMeta": { + "canvas": { + "optional": true + } + } + }, + "node_modules/junk": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/junk/-/junk-1.0.3.tgz", + "integrity": "sha512-3KF80UaaSSxo8jVnRYtMKNGFOoVPBdkkVPsw+Ad0y4oxKXPduS6G6iHkrf69yJVff/VAaYXkV42rtZ7daJxU3w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/keyv": { + "version": "5.3.2", + "resolved": "https://registry.npmjs.org/keyv/-/keyv-5.3.2.tgz", + "integrity": "sha512-Lji2XRxqqa5Wg+CHLVfFKBImfJZ4pCSccu9eVWK6w4c2SDFLd8JAn1zqTuSFnsxb7ope6rMsnIHfp+eBbRBRZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@keyv/serialize": "^1.0.3" + } + }, + "node_modules/kind-of": { + "version": "6.0.3", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.3.tgz", + "integrity": "sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/kleur": { + "version": "4.1.5", + "resolved": "https://registry.npmjs.org/kleur/-/kleur-4.1.5.tgz", + "integrity": "sha512-o+NO+8WrRiQEE4/7nwRJhN1HWpVmJm511pBHUxPLtp0BUISzlBplORYSmTclCnJvQq2tKu/sgl3xVpkc7ZWuQQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/lilconfig": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/lilconfig/-/lilconfig-3.1.3.tgz", + "integrity": "sha512-/vlFKAoH5Cgt3Ie+JLhRbwOsCQePABiU3tJ1egGvyQ+33R/vcwM2Zl2QR/LzjsBeItPt3oSVXapn+m4nQDvpzw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=14" + }, + "funding": { + "url": "https://github.com/sponsors/antonk52" + } + }, + "node_modules/linkify-it": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/linkify-it/-/linkify-it-5.0.0.tgz", + "integrity": "sha512-5aHCbzQRADcdP+ATqnDuhhJ/MRIqDkZX5pyjFHRRysS8vZ5AbqGEoFIb6pYHPZ+L/OC2Lc+xT8uHVVR5CAK/wQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "uc.micro": "^2.0.0" + } + }, + "node_modules/liquidjs": { + "version": "10.21.0", + "resolved": "https://registry.npmjs.org/liquidjs/-/liquidjs-10.21.0.tgz", + "integrity": "sha512-DouqxNU2jfoZzb1LinVjOc/f6ssitGIxiDJT+kEKyYqPSSSd+WmGOAhtWbVm1/n75svu4aQ+FyQ3ctd3wh1bbw==", + "dev": true, + "license": "MIT", + "dependencies": { + "commander": "^10.0.0" + }, + "bin": { + "liquid": "bin/liquid.js", + "liquidjs": "bin/liquid.js" + }, + "engines": { + "node": ">=14" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/liquidjs" + } + }, + "node_modules/list-to-array": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/list-to-array/-/list-to-array-1.1.0.tgz", + "integrity": "sha512-+dAZZ2mM+/m+vY9ezfoueVvrgnHIGi5FvgSymbIgJOFwiznWyA59mav95L+Mc6xPtL3s9gm5eNTlNtxJLbNM1g==", + "dev": true, + "license": "MIT" + }, + "node_modules/lodash.memoize": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/lodash.memoize/-/lodash.memoize-4.1.2.tgz", + "integrity": "sha512-t7j+NzmgnQzTAYXcsHYLgimltOV1MXHtlOWf6GjL9Kj8GK5FInw5JotxvbOs+IvV1/Dzo04/fCGfLVs7aXb4Ag==", + "dev": true, + "license": "MIT" + }, + "node_modules/lodash.uniq": { + "version": "4.5.0", + "resolved": "https://registry.npmjs.org/lodash.uniq/-/lodash.uniq-4.5.0.tgz", + "integrity": "sha512-xfBaXQd9ryd9dlSDvnvI0lvxfLJlYAZzXomUYzLKtUeOQvOP5piqAWuGtrhWeqaXK9hhoM/iyJc5AV+XfsX3HQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/lru-cache": { + "version": "10.4.3", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-10.4.3.tgz", + "integrity": "sha512-JNAzZcXrCt42VGLuYz0zfAzDfAvJWW6AfYlDBQyDV5DClI2m5sAmK+OIO7s59XfsRsWHp02jAJrRadPRGTt6SQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/luxon": { + "version": "3.6.0", + "resolved": "https://registry.npmjs.org/luxon/-/luxon-3.6.0.tgz", + "integrity": "sha512-WE7p0p7W1xji9qxkLYsvcIxZyfP48GuFrWIBQZIsbjCyf65dG1rv4n83HcOyEyhvzxJCrUoObCRNFgRNIQ5KNA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12" + } + }, + "node_modules/markdown-it": { + "version": "14.1.0", + "resolved": "https://registry.npmjs.org/markdown-it/-/markdown-it-14.1.0.tgz", + "integrity": "sha512-a54IwgWPaeBCAAsv13YgmALOF1elABB08FxO9i+r4VFk5Vl4pKokRPeX8u5TCgSsPi6ec1otfLjdOpVcgbpshg==", + "dev": true, + "license": "MIT", + "dependencies": { + "argparse": "^2.0.1", + "entities": "^4.4.0", + "linkify-it": "^5.0.0", + "mdurl": "^2.0.0", + "punycode.js": "^2.3.1", + "uc.micro": "^2.1.0" + }, + "bin": { + "markdown-it": "bin/markdown-it.mjs" + } + }, + "node_modules/markdown-it-anchor": { + "version": "9.2.0", + "resolved": "https://registry.npmjs.org/markdown-it-anchor/-/markdown-it-anchor-9.2.0.tgz", + "integrity": "sha512-sa2ErMQ6kKOA4l31gLGYliFQrMKkqSO0ZJgGhDHKijPf0pNFM9vghjAh3gn26pS4JDRs7Iwa9S36gxm3vgZTzg==", + "dev": true, + "license": "Unlicense", + "peerDependencies": { + "@types/markdown-it": "*", + "markdown-it": "*" + } + }, + "node_modules/markdown-it-footnote": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/markdown-it-footnote/-/markdown-it-footnote-4.0.0.tgz", + "integrity": "sha512-WYJ7urf+khJYl3DqofQpYfEYkZKbmXmwxQV8c8mO/hGIhgZ1wOe7R4HLFNwqx7TjILbnC98fuyeSsin19JdFcQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/markdown-it-link-attributes": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/markdown-it-link-attributes/-/markdown-it-link-attributes-4.0.1.tgz", + "integrity": "sha512-pg5OK0jPLg62H4k7M9mRJLT61gUp9nvG0XveKYHMOOluASo9OEF13WlXrpAp2aj35LbedAy3QOCgQCw0tkLKAQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/markdown-it-prism": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/markdown-it-prism/-/markdown-it-prism-2.3.1.tgz", + "integrity": "sha512-oZl9fGKBeSd94GhqpCrA2MO2uAWxKVe0swyX/nBqly+/6d870zae9raMgxJg+OEjhyuOrxTn8p1vMP8RkawzHw==", + "dev": true, + "license": "MIT", + "dependencies": { + "prismjs": "1.30.0" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/markdown-it/node_modules/entities": { + "version": "4.5.0", + "resolved": "https://registry.npmjs.org/entities/-/entities-4.5.0.tgz", + "integrity": "sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=0.12" + }, + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, + "node_modules/math-intrinsics": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/math-intrinsics/-/math-intrinsics-1.1.0.tgz", + "integrity": "sha512-/IXtbwEk5HTPyEwyKX6hGkYXxM9nbj64B+ilVJnC/R6B0pH5G4V3b0pVbL7DBj4tkhBAppbQUlf6F6Xl9LHu1g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/maximatch": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/maximatch/-/maximatch-0.1.0.tgz", + "integrity": "sha512-9ORVtDUFk4u/NFfo0vG/ND/z7UQCVZBL539YW0+U1I7H1BkZwizcPx5foFv7LCPcBnm2U6RjFnQOsIvN4/Vm2A==", + "dev": true, + "license": "MIT", + "dependencies": { + "array-differ": "^1.0.0", + "array-union": "^1.0.1", + "arrify": "^1.0.0", + "minimatch": "^3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/mdn-data": { + "version": "2.0.30", + "resolved": "https://registry.npmjs.org/mdn-data/-/mdn-data-2.0.30.tgz", + "integrity": "sha512-GaqWWShW4kv/G9IEucWScBx9G1/vsFZZJUO+tD26M8J8z3Kw5RDQjaoZe03YAClgeS/SWPOcb4nkFBTEi5DUEA==", + "dev": true, + "license": "CC0-1.0" + }, + "node_modules/mdurl": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/mdurl/-/mdurl-2.0.0.tgz", + "integrity": "sha512-Lf+9+2r+Tdp5wXDXC4PcIBjTDtq4UKjCPMQhKIuzpJNW0b96kVqSwW0bT7FhRSfmAiFYgP+SCRvdrDozfh0U5w==", + "dev": true, + "license": "MIT" + }, + "node_modules/merge2": { + "version": "1.4.1", + "resolved": "https://registry.npmjs.org/merge2/-/merge2-1.4.1.tgz", + "integrity": "sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 8" + } + }, + "node_modules/micromatch": { + "version": "4.0.8", + "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-4.0.8.tgz", + "integrity": "sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA==", + "dev": true, + "license": "MIT", + "dependencies": { + "braces": "^3.0.3", + "picomatch": "^2.3.1" + }, + "engines": { + "node": ">=8.6" + } + }, + "node_modules/mime": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/mime/-/mime-3.0.0.tgz", + "integrity": "sha512-jSCU7/VB1loIWBZe14aEYHU/+1UMEHoaO7qxCOVJOw9GgH72VAWppxNcjU+x9a2k3GSIBXNKxXQFqRvvZ7vr3A==", + "dev": true, + "license": "MIT", + "bin": { + "mime": "cli.js" + }, + "engines": { + "node": ">=10.0.0" + } + }, + "node_modules/mime-db": { + "version": "1.52.0", + "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz", + "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime-types": { + "version": "2.1.35", + "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz", + "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", + "dev": true, + "license": "MIT", + "dependencies": { + "mime-db": "1.52.0" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/minimatch": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz", + "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==", + "dev": true, + "license": "ISC", + "dependencies": { + "brace-expansion": "^1.1.7" + }, + "engines": { + "node": "*" + } + }, + "node_modules/minimist": { + "version": "1.2.8", + "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.8.tgz", + "integrity": "sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==", + "dev": true, + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/minipass": { + "version": "7.1.2", + "resolved": "https://registry.npmjs.org/minipass/-/minipass-7.1.2.tgz", + "integrity": "sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=16 || 14 >=14.17" + } + }, + "node_modules/minisearch": { + "version": "7.1.2", + "resolved": "https://registry.npmjs.org/minisearch/-/minisearch-7.1.2.tgz", + "integrity": "sha512-R1Pd9eF+MD5JYDDSPAp/q1ougKglm14uEkPMvQ/05RGmx6G9wvmLTrTI/Q5iPNJLYqNdsDQ7qTGIcNWR+FrHmA==", + "license": "MIT" + }, + "node_modules/mkdirp": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/mkdirp/-/mkdirp-3.0.1.tgz", + "integrity": "sha512-+NsyUUAZDmo6YVHzL/stxSu3t9YS1iljliy3BSDrXJ/dkn1KYdmtZODGGjLcc9XLgVVpH4KshHB8XmZgMhaBXg==", + "dev": true, + "license": "MIT", + "bin": { + "mkdirp": "dist/cjs/src/bin.js" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/moo": { + "version": "0.5.2", + "resolved": "https://registry.npmjs.org/moo/-/moo-0.5.2.tgz", + "integrity": "sha512-iSAJLHYKnX41mKcJKjqvnAN9sf0LMDTXDEvFv+ffuRR9a1MIuXLjMNL6EsnDHSkKLTWNqQQ5uo61P4EbU4NU+Q==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/morphdom": { + "version": "2.7.4", + "resolved": "https://registry.npmjs.org/morphdom/-/morphdom-2.7.4.tgz", + "integrity": "sha512-ATTbWMgGa+FaMU3FhnFYB6WgulCqwf6opOll4CBzmVDTLvPMmUPrEv8CudmLPK0MESa64+6B89fWOxP3+YIlxQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/ms": { + "version": "2.1.3", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz", + "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==", + "dev": true, + "license": "MIT" + }, + "node_modules/nanoid": { + "version": "3.3.11", + "resolved": "https://registry.npmjs.org/nanoid/-/nanoid-3.3.11.tgz", + "integrity": "sha512-N8SpfPUnUp1bK+PMYW8qSWdl9U+wwNWI4QKxOYDy9JAro3WMX7p2OeVRF9v+347pnakNevPmiHhNmZ2HbFA76w==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "bin": { + "nanoid": "bin/nanoid.cjs" + }, + "engines": { + "node": "^10 || ^12 || ^13.7 || ^14 || >=15.0.1" + } + }, + "node_modules/node-releases": { + "version": "2.0.19", + "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-2.0.19.tgz", + "integrity": "sha512-xxOWJsBKtzAq7DY0J+DTzuz58K8e7sJbdgwkbMWQe8UYB6ekmsQ45q0M/tJDsGaZmbC+l7n57UV8Hl5tHxO9uw==", + "dev": true, + "license": "MIT" + }, + "node_modules/node-retrieve-globals": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/node-retrieve-globals/-/node-retrieve-globals-6.0.0.tgz", + "integrity": "sha512-VoEp6WMN/JcbBrJr6LnFE11kdzpKiBKNPFrHCEK2GgFWtiYpeL85WgcZpZFFnWxAU0O65+b+ipQAy4Oxy/+Pdg==", + "dev": true, + "license": "MIT", + "dependencies": { + "acorn": "^8.1.3", + "acorn-walk": "^8.3.2", + "esm-import-transformer": "^3.0.2" + } + }, + "node_modules/normalize-path": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz", + "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/normalize-range": { + "version": "0.1.2", + "resolved": "https://registry.npmjs.org/normalize-range/-/normalize-range-0.1.2.tgz", + "integrity": "sha512-bdok/XvKII3nUpklnV6P2hxtMNrCboOjAcyBuQnWEhO665FwrSNRxU+AqpsyvO6LgGYPspN+lu5CLtw4jPRKNA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/nth-check": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/nth-check/-/nth-check-2.1.1.tgz", + "integrity": "sha512-lqjrjmaOoAnWfMmBPL+XNnynZh2+swxiX3WUE0s4yEHI6m+AwrK2UZOimIRl3X/4QctVqS8AiZjFqyOGrMXb/w==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "boolbase": "^1.0.0" + }, + "funding": { + "url": "https://github.com/fb55/nth-check?sponsor=1" + } + }, + "node_modules/nunjucks": { + "version": "3.2.4", + "resolved": "https://registry.npmjs.org/nunjucks/-/nunjucks-3.2.4.tgz", + "integrity": "sha512-26XRV6BhkgK0VOxfbU5cQI+ICFUtMLixv1noZn1tGU38kQH5A5nmmbk/O45xdyBhD1esk47nKrY0mvQpZIhRjQ==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "a-sync-waterfall": "^1.0.0", + "asap": "^2.0.3", + "commander": "^5.1.0" + }, + "bin": { + "nunjucks-precompile": "bin/precompile" + }, + "engines": { + "node": ">= 6.9.0" + }, + "peerDependencies": { + "chokidar": "^3.3.0" + }, + "peerDependenciesMeta": { + "chokidar": { + "optional": true + } + } + }, + "node_modules/nunjucks/node_modules/commander": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/commander/-/commander-5.1.0.tgz", + "integrity": "sha512-P0CysNDQ7rtVw4QIQtm+MRxV66vKFSvlsQvGYXZWR3qFU0jlMKHZZZgw8e+8DSah4UDKMqnknRDQz+xuQXQ/Zg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 6" + } + }, + "node_modules/nwsapi": { + "version": "2.2.19", + "resolved": "https://registry.npmjs.org/nwsapi/-/nwsapi-2.2.19.tgz", + "integrity": "sha512-94bcyI3RsqiZufXjkr3ltkI86iEl+I7uiHVDtcq9wJUTwYQJ5odHDeSzkkrRzi80jJ8MaeZgqKjH1bAWAFw9bA==", + "dev": true, + "license": "MIT" + }, + "node_modules/on-finished": { + "version": "2.4.1", + "resolved": "https://registry.npmjs.org/on-finished/-/on-finished-2.4.1.tgz", + "integrity": "sha512-oVlzkg3ENAhCk2zdv7IJwd/QUD4z2RxRwpkcGY8psCVcCYZNq4wYnVWALHM+brtuJjePWiYF/ClmuDr8Ch5+kg==", + "dev": true, + "license": "MIT", + "dependencies": { + "ee-first": "1.1.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/p-finally": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/p-finally/-/p-finally-1.0.0.tgz", + "integrity": "sha512-LICb2p9CB7FS+0eR1oqWnHhp0FljGLZCWBE9aix0Uye9W8LTQPwMTYVGWQWIw9RdQiDg4+epXQODwIYJtSJaow==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/p-queue": { + "version": "6.6.2", + "resolved": "https://registry.npmjs.org/p-queue/-/p-queue-6.6.2.tgz", + "integrity": "sha512-RwFpb72c/BhQLEXIZ5K2e+AhgNVmIejGlTgiB9MzZ0e93GRvqZ7uSi0dvRF7/XIXDeNkra2fNHBxTyPDGySpjQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "eventemitter3": "^4.0.4", + "p-timeout": "^3.2.0" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-timeout": { + "version": "3.2.0", + "resolved": "https://registry.npmjs.org/p-timeout/-/p-timeout-3.2.0.tgz", + "integrity": "sha512-rhIwUycgwwKcP9yTOOFK/AKsAopjjCakVqLHePO3CC6Mir1Z99xT+R63jZxAT5lFZLa2inS5h+ZS2GvR99/FBg==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-finally": "^1.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/package-json-from-dist": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/package-json-from-dist/-/package-json-from-dist-1.0.1.tgz", + "integrity": "sha512-UEZIS3/by4OC8vL3P2dTXRETpebLI2NiI5vIrjaD/5UtrkFX/tNbwjTSRAGC/+7CAo2pIcBaRgWmcBBHcsaCIw==", + "dev": true, + "license": "BlueOak-1.0.0" + }, + "node_modules/parse-srcset": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/parse-srcset/-/parse-srcset-1.0.2.tgz", + "integrity": "sha512-/2qh0lav6CmI15FzA3i/2Bzk2zCgQhGMkvhOhKNcBVQ1ldgpbfiNTVslmooUmWJcADi1f1kIeynbDRVzNlfR6Q==", + "dev": true, + "license": "MIT" + }, + "node_modules/parse5": { + "version": "7.2.1", + "resolved": "https://registry.npmjs.org/parse5/-/parse5-7.2.1.tgz", + "integrity": "sha512-BuBYQYlv1ckiPdQi/ohiivi9Sagc9JG+Ozs0r7b/0iK3sKmrb0b9FdWdBbOdx6hBCM/F9Ir82ofnBhtZOjCRPQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "entities": "^4.5.0" + }, + "funding": { + "url": "https://github.com/inikulin/parse5?sponsor=1" + } + }, + "node_modules/parse5-htmlparser2-tree-adapter": { + "version": "7.1.0", + "resolved": "https://registry.npmjs.org/parse5-htmlparser2-tree-adapter/-/parse5-htmlparser2-tree-adapter-7.1.0.tgz", + "integrity": "sha512-ruw5xyKs6lrpo9x9rCZqZZnIUntICjQAd0Wsmp396Ul9lN/h+ifgVV1x1gZHi8euej6wTfpqX8j+BFQxF0NS/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "domhandler": "^5.0.3", + "parse5": "^7.0.0" + }, + "funding": { + "url": "https://github.com/inikulin/parse5?sponsor=1" + } + }, + "node_modules/parse5-htmlparser2-tree-adapter/node_modules/domhandler": { + "version": "5.0.3", + "resolved": "https://registry.npmjs.org/domhandler/-/domhandler-5.0.3.tgz", + "integrity": "sha512-cgwlv/1iFQiFnU96XXgROh8xTeetsnJiDsTc7TYCLFd9+/WNkIqPTxiM/8pSd8VIrhXGTf1Ny1q1hquVqDJB5w==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "domelementtype": "^2.3.0" + }, + "engines": { + "node": ">= 4" + }, + "funding": { + "url": "https://github.com/fb55/domhandler?sponsor=1" + } + }, + "node_modules/parse5/node_modules/entities": { + "version": "4.5.0", + "resolved": "https://registry.npmjs.org/entities/-/entities-4.5.0.tgz", + "integrity": "sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=0.12" + }, + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, + "node_modules/parseurl": { + "version": "1.3.3", + "resolved": "https://registry.npmjs.org/parseurl/-/parseurl-1.3.3.tgz", + "integrity": "sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/path-key": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", + "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/path-parse": { + "version": "1.0.7", + "resolved": "https://registry.npmjs.org/path-parse/-/path-parse-1.0.7.tgz", + "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==", + "dev": true, + "license": "MIT" + }, + "node_modules/path-scurry": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/path-scurry/-/path-scurry-2.0.0.tgz", + "integrity": "sha512-ypGJsmGtdXUOeM5u93TyeIEfEhM6s+ljAhrk5vAvSx8uyY/02OvrZnA0YNGUrPXfpJMgI1ODd3nwz8Npx4O4cg==", + "dev": true, + "license": "BlueOak-1.0.0", + "dependencies": { + "lru-cache": "^11.0.0", + "minipass": "^7.1.2" + }, + "engines": { + "node": "20 || >=22" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/path-scurry/node_modules/lru-cache": { + "version": "11.1.0", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-11.1.0.tgz", + "integrity": "sha512-QIXZUBJUx+2zHUdQujWejBkcD9+cs94tLn0+YL8UrCh+D5sCXZ4c7LaEH48pNwRY3MLDgqUFyhlCyjJPf1WP0A==", + "dev": true, + "license": "ISC", + "engines": { + "node": "20 || >=22" + } + }, + "node_modules/picocolors": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.1.1.tgz", + "integrity": "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==", + "dev": true, + "license": "ISC" + }, + "node_modules/picomatch": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz", + "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8.6" + }, + "funding": { + "url": "https://github.com/sponsors/jonschlinkert" + } + }, + "node_modules/pify": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/pify/-/pify-2.3.0.tgz", + "integrity": "sha512-udgsAY+fTnvv7kI7aaxbqwWNb0AHiB0qBO89PZKPkoTmGOgdbrHDKD+0B2X4uTfJ/FT1R09r9gTsjUjNJotuog==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/please-upgrade-node": { + "version": "3.2.0", + "resolved": "https://registry.npmjs.org/please-upgrade-node/-/please-upgrade-node-3.2.0.tgz", + "integrity": "sha512-gQR3WpIgNIKwBMVLkpMUeR3e1/E1y42bqDQZfql+kDeXd8COYfM8PQA4X6y7a8u9Ua9FHmsrrmirW2vHs45hWg==", + "dev": true, + "license": "MIT", + "dependencies": { + "semver-compare": "^1.0.0" + } + }, + "node_modules/postcss": { + "version": "8.5.3", + "resolved": "https://registry.npmjs.org/postcss/-/postcss-8.5.3.tgz", + "integrity": "sha512-dle9A3yYxlBSrt8Fu+IpjGT8SY8hN0mlaA6GY8t0P5PjIOZemULz/E2Bnm/2dcUOena75OTNkHI76uZBNUUq3A==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/postcss/" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/postcss" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "nanoid": "^3.3.8", + "picocolors": "^1.1.1", + "source-map-js": "^1.2.1" + }, + "engines": { + "node": "^10 || ^12 || >=14" + } + }, + "node_modules/postcss-calc": { + "version": "10.1.1", + "resolved": "https://registry.npmjs.org/postcss-calc/-/postcss-calc-10.1.1.tgz", + "integrity": "sha512-NYEsLHh8DgG/PRH2+G9BTuUdtf9ViS+vdoQ0YA5OQdGsfN4ztiwtDWNtBl9EKeqNMFnIu8IKZ0cLxEQ5r5KVMw==", + "dev": true, + "license": "MIT", + "dependencies": { + "postcss-selector-parser": "^7.0.0", + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12 || ^20.9 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.38" + } + }, + "node_modules/postcss-colormin": { + "version": "7.0.2", + "resolved": "https://registry.npmjs.org/postcss-colormin/-/postcss-colormin-7.0.2.tgz", + "integrity": "sha512-YntRXNngcvEvDbEjTdRWGU606eZvB5prmHG4BF0yLmVpamXbpsRJzevyy6MZVyuecgzI2AWAlvFi8DAeCqwpvA==", + "dev": true, + "license": "MIT", + "dependencies": { + "browserslist": "^4.23.3", + "caniuse-api": "^3.0.0", + "colord": "^2.9.3", + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-convert-values": { + "version": "7.0.4", + "resolved": "https://registry.npmjs.org/postcss-convert-values/-/postcss-convert-values-7.0.4.tgz", + "integrity": "sha512-e2LSXPqEHVW6aoGbjV9RsSSNDO3A0rZLCBxN24zvxF25WknMPpX8Dm9UxxThyEbaytzggRuZxaGXqaOhxQ514Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "browserslist": "^4.23.3", + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-discard-comments": { + "version": "7.0.3", + "resolved": "https://registry.npmjs.org/postcss-discard-comments/-/postcss-discard-comments-7.0.3.tgz", + "integrity": "sha512-q6fjd4WU4afNhWOA2WltHgCbkRhZPgQe7cXF74fuVB/ge4QbM9HEaOIzGSiMvM+g/cOsNAUGdf2JDzqA2F8iLA==", + "dev": true, + "license": "MIT", + "dependencies": { + "postcss-selector-parser": "^6.1.2" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-discard-comments/node_modules/postcss-selector-parser": { + "version": "6.1.2", + "resolved": "https://registry.npmjs.org/postcss-selector-parser/-/postcss-selector-parser-6.1.2.tgz", + "integrity": "sha512-Q8qQfPiZ+THO/3ZrOrO0cJJKfpYCagtMUkXbnEfmgUjwXg6z/WBeOyS9APBBPCTSiDV+s4SwQGu8yFsiMRIudg==", + "dev": true, + "license": "MIT", + "dependencies": { + "cssesc": "^3.0.0", + "util-deprecate": "^1.0.2" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/postcss-discard-duplicates": { + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/postcss-discard-duplicates/-/postcss-discard-duplicates-7.0.1.tgz", + "integrity": "sha512-oZA+v8Jkpu1ct/xbbrntHRsfLGuzoP+cpt0nJe5ED2FQF8n8bJtn7Bo28jSmBYwqgqnqkuSXJfSUEE7if4nClQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-discard-empty": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/postcss-discard-empty/-/postcss-discard-empty-7.0.0.tgz", + "integrity": "sha512-e+QzoReTZ8IAwhnSdp/++7gBZ/F+nBq9y6PomfwORfP7q9nBpK5AMP64kOt0bA+lShBFbBDcgpJ3X4etHg4lzA==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-discard-overridden": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/postcss-discard-overridden/-/postcss-discard-overridden-7.0.0.tgz", + "integrity": "sha512-GmNAzx88u3k2+sBTZrJSDauR0ccpE24omTQCVmaTTZFz1du6AasspjaUPMJ2ud4RslZpoFKyf+6MSPETLojc6w==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-import": { + "version": "16.1.0", + "resolved": "https://registry.npmjs.org/postcss-import/-/postcss-import-16.1.0.tgz", + "integrity": "sha512-7hsAZ4xGXl4MW+OKEWCnF6T5jqBw80/EE9aXg1r2yyn1RsVEU8EtKXbijEODa+rg7iih4bKf7vlvTGYR4CnPNg==", + "dev": true, + "license": "MIT", + "dependencies": { + "postcss-value-parser": "^4.0.0", + "read-cache": "^1.0.0", + "resolve": "^1.1.7" + }, + "engines": { + "node": ">=18.0.0" + }, + "peerDependencies": { + "postcss": "^8.0.0" + } + }, + "node_modules/postcss-import-ext-glob": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/postcss-import-ext-glob/-/postcss-import-ext-glob-2.1.1.tgz", + "integrity": "sha512-qd4ELOx2G0hyjgtmLnf/fSVJXXPhkcxcxhLT1y1mAnk53JYbMLoGg+AFtnJowOSvnv4CvjPAzpLpAcfWeofP5g==", + "dev": true, + "license": "MIT", + "dependencies": { + "fast-glob": "^3.2.12", + "fast-sort": "^3.2.0", + "postcss-value-parser": "^4.2.0" + }, + "peerDependencies": { + "postcss": "^8.2.0" + } + }, + "node_modules/postcss-merge-longhand": { + "version": "7.0.4", + "resolved": "https://registry.npmjs.org/postcss-merge-longhand/-/postcss-merge-longhand-7.0.4.tgz", + "integrity": "sha512-zer1KoZA54Q8RVHKOY5vMke0cCdNxMP3KBfDerjH/BYHh4nCIh+1Yy0t1pAEQF18ac/4z3OFclO+ZVH8azjR4A==", + "dev": true, + "license": "MIT", + "dependencies": { + "postcss-value-parser": "^4.2.0", + "stylehacks": "^7.0.4" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-merge-rules": { + "version": "7.0.4", + "resolved": "https://registry.npmjs.org/postcss-merge-rules/-/postcss-merge-rules-7.0.4.tgz", + "integrity": "sha512-ZsaamiMVu7uBYsIdGtKJ64PkcQt6Pcpep/uO90EpLS3dxJi6OXamIobTYcImyXGoW0Wpugh7DSD3XzxZS9JCPg==", + "dev": true, + "license": "MIT", + "dependencies": { + "browserslist": "^4.23.3", + "caniuse-api": "^3.0.0", + "cssnano-utils": "^5.0.0", + "postcss-selector-parser": "^6.1.2" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-merge-rules/node_modules/postcss-selector-parser": { + "version": "6.1.2", + "resolved": "https://registry.npmjs.org/postcss-selector-parser/-/postcss-selector-parser-6.1.2.tgz", + "integrity": "sha512-Q8qQfPiZ+THO/3ZrOrO0cJJKfpYCagtMUkXbnEfmgUjwXg6z/WBeOyS9APBBPCTSiDV+s4SwQGu8yFsiMRIudg==", + "dev": true, + "license": "MIT", + "dependencies": { + "cssesc": "^3.0.0", + "util-deprecate": "^1.0.2" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/postcss-minify-font-values": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/postcss-minify-font-values/-/postcss-minify-font-values-7.0.0.tgz", + "integrity": "sha512-2ckkZtgT0zG8SMc5aoNwtm5234eUx1GGFJKf2b1bSp8UflqaeFzR50lid4PfqVI9NtGqJ2J4Y7fwvnP/u1cQog==", + "dev": true, + "license": "MIT", + "dependencies": { + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-minify-gradients": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/postcss-minify-gradients/-/postcss-minify-gradients-7.0.0.tgz", + "integrity": "sha512-pdUIIdj/C93ryCHew0UgBnL2DtUS3hfFa5XtERrs4x+hmpMYGhbzo6l/Ir5de41O0GaKVpK1ZbDNXSY6GkXvtg==", + "dev": true, + "license": "MIT", + "dependencies": { + "colord": "^2.9.3", + "cssnano-utils": "^5.0.0", + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-minify-params": { + "version": "7.0.2", + "resolved": "https://registry.npmjs.org/postcss-minify-params/-/postcss-minify-params-7.0.2.tgz", + "integrity": "sha512-nyqVLu4MFl9df32zTsdcLqCFfE/z2+f8GE1KHPxWOAmegSo6lpV2GNy5XQvrzwbLmiU7d+fYay4cwto1oNdAaQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "browserslist": "^4.23.3", + "cssnano-utils": "^5.0.0", + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-minify-selectors": { + "version": "7.0.4", + "resolved": "https://registry.npmjs.org/postcss-minify-selectors/-/postcss-minify-selectors-7.0.4.tgz", + "integrity": "sha512-JG55VADcNb4xFCf75hXkzc1rNeURhlo7ugf6JjiiKRfMsKlDzN9CXHZDyiG6x/zGchpjQS+UAgb1d4nqXqOpmA==", + "dev": true, + "license": "MIT", + "dependencies": { + "cssesc": "^3.0.0", + "postcss-selector-parser": "^6.1.2" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-minify-selectors/node_modules/postcss-selector-parser": { + "version": "6.1.2", + "resolved": "https://registry.npmjs.org/postcss-selector-parser/-/postcss-selector-parser-6.1.2.tgz", + "integrity": "sha512-Q8qQfPiZ+THO/3ZrOrO0cJJKfpYCagtMUkXbnEfmgUjwXg6z/WBeOyS9APBBPCTSiDV+s4SwQGu8yFsiMRIudg==", + "dev": true, + "license": "MIT", + "dependencies": { + "cssesc": "^3.0.0", + "util-deprecate": "^1.0.2" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/postcss-normalize-charset": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/postcss-normalize-charset/-/postcss-normalize-charset-7.0.0.tgz", + "integrity": "sha512-ABisNUXMeZeDNzCQxPxBCkXexvBrUHV+p7/BXOY+ulxkcjUZO0cp8ekGBwvIh2LbCwnWbyMPNJVtBSdyhM2zYQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-normalize-display-values": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/postcss-normalize-display-values/-/postcss-normalize-display-values-7.0.0.tgz", + "integrity": "sha512-lnFZzNPeDf5uGMPYgGOw7v0BfB45+irSRz9gHQStdkkhiM0gTfvWkWB5BMxpn0OqgOQuZG/mRlZyJxp0EImr2Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-normalize-positions": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/postcss-normalize-positions/-/postcss-normalize-positions-7.0.0.tgz", + "integrity": "sha512-I0yt8wX529UKIGs2y/9Ybs2CelSvItfmvg/DBIjTnoUSrPxSV7Z0yZ8ShSVtKNaV/wAY+m7bgtyVQLhB00A1NQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-normalize-repeat-style": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/postcss-normalize-repeat-style/-/postcss-normalize-repeat-style-7.0.0.tgz", + "integrity": "sha512-o3uSGYH+2q30ieM3ppu9GTjSXIzOrRdCUn8UOMGNw7Af61bmurHTWI87hRybrP6xDHvOe5WlAj3XzN6vEO8jLw==", + "dev": true, + "license": "MIT", + "dependencies": { + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-normalize-string": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/postcss-normalize-string/-/postcss-normalize-string-7.0.0.tgz", + "integrity": "sha512-w/qzL212DFVOpMy3UGyxrND+Kb0fvCiBBujiaONIihq7VvtC7bswjWgKQU/w4VcRyDD8gpfqUiBQ4DUOwEJ6Qg==", + "dev": true, + "license": "MIT", + "dependencies": { + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-normalize-timing-functions": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/postcss-normalize-timing-functions/-/postcss-normalize-timing-functions-7.0.0.tgz", + "integrity": "sha512-tNgw3YV0LYoRwg43N3lTe3AEWZ66W7Dh7lVEpJbHoKOuHc1sLrzMLMFjP8SNULHaykzsonUEDbKedv8C+7ej6g==", + "dev": true, + "license": "MIT", + "dependencies": { + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-normalize-unicode": { + "version": "7.0.2", + "resolved": "https://registry.npmjs.org/postcss-normalize-unicode/-/postcss-normalize-unicode-7.0.2.tgz", + "integrity": "sha512-ztisabK5C/+ZWBdYC+Y9JCkp3M9qBv/XFvDtSw0d/XwfT3UaKeW/YTm/MD/QrPNxuecia46vkfEhewjwcYFjkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "browserslist": "^4.23.3", + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-normalize-url": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/postcss-normalize-url/-/postcss-normalize-url-7.0.0.tgz", + "integrity": "sha512-+d7+PpE+jyPX1hDQZYG+NaFD+Nd2ris6r8fPTBAjE8z/U41n/bib3vze8x7rKs5H1uEw5ppe9IojewouHk0klQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-normalize-whitespace": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/postcss-normalize-whitespace/-/postcss-normalize-whitespace-7.0.0.tgz", + "integrity": "sha512-37/toN4wwZErqohedXYqWgvcHUGlT8O/m2jVkAfAe9Bd4MzRqlBmXrJRePH0e9Wgnz2X7KymTgTOaaFizQe3AQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-ordered-values": { + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/postcss-ordered-values/-/postcss-ordered-values-7.0.1.tgz", + "integrity": "sha512-irWScWRL6nRzYmBOXReIKch75RRhNS86UPUAxXdmW/l0FcAsg0lvAXQCby/1lymxn/o0gVa6Rv/0f03eJOwHxw==", + "dev": true, + "license": "MIT", + "dependencies": { + "cssnano-utils": "^5.0.0", + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-reduce-initial": { + "version": "7.0.2", + "resolved": "https://registry.npmjs.org/postcss-reduce-initial/-/postcss-reduce-initial-7.0.2.tgz", + "integrity": "sha512-pOnu9zqQww7dEKf62Nuju6JgsW2V0KRNBHxeKohU+JkHd/GAH5uvoObqFLqkeB2n20mr6yrlWDvo5UBU5GnkfA==", + "dev": true, + "license": "MIT", + "dependencies": { + "browserslist": "^4.23.3", + "caniuse-api": "^3.0.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-reduce-transforms": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/postcss-reduce-transforms/-/postcss-reduce-transforms-7.0.0.tgz", + "integrity": "sha512-pnt1HKKZ07/idH8cpATX/ujMbtOGhUfE+m8gbqwJE05aTaNw8gbo34a2e3if0xc0dlu75sUOiqvwCGY3fzOHew==", + "dev": true, + "license": "MIT", + "dependencies": { + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-selector-parser": { + "version": "7.1.0", + "resolved": "https://registry.npmjs.org/postcss-selector-parser/-/postcss-selector-parser-7.1.0.tgz", + "integrity": "sha512-8sLjZwK0R+JlxlYcTuVnyT2v+htpdrjDOKuMcOVdYjt52Lh8hWRYpxBPoKx/Zg+bcjc3wx6fmQevMmUztS/ccA==", + "dev": true, + "license": "MIT", + "dependencies": { + "cssesc": "^3.0.0", + "util-deprecate": "^1.0.2" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/postcss-svgo": { + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/postcss-svgo/-/postcss-svgo-7.0.1.tgz", + "integrity": "sha512-0WBUlSL4lhD9rA5k1e5D8EN5wCEyZD6HJk0jIvRxl+FDVOMlJ7DePHYWGGVc5QRqrJ3/06FTXM0bxjmJpmTPSA==", + "dev": true, + "license": "MIT", + "dependencies": { + "postcss-value-parser": "^4.2.0", + "svgo": "^3.3.2" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >= 18" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-unique-selectors": { + "version": "7.0.3", + "resolved": "https://registry.npmjs.org/postcss-unique-selectors/-/postcss-unique-selectors-7.0.3.tgz", + "integrity": "sha512-J+58u5Ic5T1QjP/LDV9g3Cx4CNOgB5vz+kM6+OxHHhFACdcDeKhBXjQmB7fnIZM12YSTvsL0Opwco83DmacW2g==", + "dev": true, + "license": "MIT", + "dependencies": { + "postcss-selector-parser": "^6.1.2" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/postcss-unique-selectors/node_modules/postcss-selector-parser": { + "version": "6.1.2", + "resolved": "https://registry.npmjs.org/postcss-selector-parser/-/postcss-selector-parser-6.1.2.tgz", + "integrity": "sha512-Q8qQfPiZ+THO/3ZrOrO0cJJKfpYCagtMUkXbnEfmgUjwXg6z/WBeOyS9APBBPCTSiDV+s4SwQGu8yFsiMRIudg==", + "dev": true, + "license": "MIT", + "dependencies": { + "cssesc": "^3.0.0", + "util-deprecate": "^1.0.2" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/postcss-value-parser": { + "version": "4.2.0", + "resolved": "https://registry.npmjs.org/postcss-value-parser/-/postcss-value-parser-4.2.0.tgz", + "integrity": "sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/posthtml": { + "version": "0.16.6", + "resolved": "https://registry.npmjs.org/posthtml/-/posthtml-0.16.6.tgz", + "integrity": "sha512-JcEmHlyLK/o0uGAlj65vgg+7LIms0xKXe60lcDOTU7oVX/3LuEuLwrQpW3VJ7de5TaFKiW4kWkaIpJL42FEgxQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "posthtml-parser": "^0.11.0", + "posthtml-render": "^3.0.0" + }, + "engines": { + "node": ">=12.0.0" + } + }, + "node_modules/posthtml-match-helper": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/posthtml-match-helper/-/posthtml-match-helper-2.0.3.tgz", + "integrity": "sha512-p9oJgTdMF2dyd7WE54QI1LvpBIkNkbSiiECKezNnDVYhGhD1AaOnAkw0Uh0y5TW+OHO8iBdSqnd8Wkpb6iUqmw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + }, + "peerDependencies": { + "posthtml": "^0.16.6" + } + }, + "node_modules/posthtml-parser": { + "version": "0.11.0", + "resolved": "https://registry.npmjs.org/posthtml-parser/-/posthtml-parser-0.11.0.tgz", + "integrity": "sha512-QecJtfLekJbWVo/dMAA+OSwY79wpRmbqS5TeXvXSX+f0c6pW4/SE6inzZ2qkU7oAMCPqIDkZDvd/bQsSFUnKyw==", + "dev": true, + "license": "MIT", + "dependencies": { + "htmlparser2": "^7.1.1" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/posthtml-render": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/posthtml-render/-/posthtml-render-3.0.0.tgz", + "integrity": "sha512-z+16RoxK3fUPgwaIgH9NGnK1HKY9XIDpydky5eQGgAFVXTCSezalv9U2jQuNV+Z9qV1fDWNzldcw4eK0SSbqKA==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-json": "^2.0.1" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/prismjs": { + "version": "1.30.0", + "resolved": "https://registry.npmjs.org/prismjs/-/prismjs-1.30.0.tgz", + "integrity": "sha512-DEvV2ZF2r2/63V+tK8hQvrR2ZGn10srHbXviTlcv7Kpzw8jWiNTqbVgjO3IY8RxrrOUF8VPMQQFysYYYv0YZxw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/promise": { + "version": "7.3.1", + "resolved": "https://registry.npmjs.org/promise/-/promise-7.3.1.tgz", + "integrity": "sha512-nolQXZ/4L+bP/UGlkfaIujX9BKxGwmQ9OT4mOt5yvy8iK1h3wqTEJCijzGANTCCl9nWjY41juyAn2K3Q1hLLTg==", + "dev": true, + "license": "MIT", + "dependencies": { + "asap": "~2.0.3" + } + }, + "node_modules/property-expr": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/property-expr/-/property-expr-2.0.6.tgz", + "integrity": "sha512-SVtmxhRE/CGkn3eZY1T6pC8Nln6Fr/lu1mKSgRud0eC73whjGfoAogbn78LkD8aFL0zz3bAFerKSnOl7NlErBA==", + "dev": true, + "license": "MIT" + }, + "node_modules/prr": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/prr/-/prr-1.0.1.tgz", + "integrity": "sha512-yPw4Sng1gWghHQWj0B3ZggWUm4qVbPwPFcRG8KyxiU7J2OHFSoEHKS+EZ3fv5l1t9CyCiop6l/ZYeWbrgoQejw==", + "dev": true, + "license": "MIT" + }, + "node_modules/punycode": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.3.1.tgz", + "integrity": "sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/punycode.js": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/punycode.js/-/punycode.js-2.3.1.tgz", + "integrity": "sha512-uxFIHU0YlHYhDQtV4R9J6a52SLx28BCjT+4ieh7IGbgwVJWO+km431c4yRlREUAsAmt/uMjQUyQHNEPf0M39CA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/queue-microtask": { + "version": "1.2.3", + "resolved": "https://registry.npmjs.org/queue-microtask/-/queue-microtask-1.2.3.tgz", + "integrity": "sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT" + }, + "node_modules/range-parser": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/range-parser/-/range-parser-1.2.1.tgz", + "integrity": "sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/read-cache": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/read-cache/-/read-cache-1.0.0.tgz", + "integrity": "sha512-Owdv/Ft7IjOgm/i0xvNDZ1LrRANRfew4b2prF3OWMQLxLfu3bS8FVhCsrSCMK4lR56Y9ya+AThoTpDCTxCmpRA==", + "dev": true, + "license": "MIT", + "dependencies": { + "pify": "^2.3.0" + } + }, + "node_modules/readdirp": { + "version": "3.6.0", + "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-3.6.0.tgz", + "integrity": "sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==", + "dev": true, + "license": "MIT", + "dependencies": { + "picomatch": "^2.2.1" + }, + "engines": { + "node": ">=8.10.0" + } + }, + "node_modules/resolve": { + "version": "1.22.10", + "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.22.10.tgz", + "integrity": "sha512-NPRy+/ncIMeDlTAsuqwKIiferiawhefFJtkNSW0qZJEqMEb+qBt/77B/jGeeek+F0uOeN05CDa6HXbbIgtVX4w==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-core-module": "^2.16.0", + "path-parse": "^1.0.7", + "supports-preserve-symlinks-flag": "^1.0.0" + }, + "bin": { + "resolve": "bin/resolve" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/reusify": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/reusify/-/reusify-1.1.0.tgz", + "integrity": "sha512-g6QUff04oZpHs0eG5p83rFLhHeV00ug/Yf9nZM6fLeUrPguBTkTQOdpAWWspMh55TZfVQDPaN3NQJfbVRAxdIw==", + "dev": true, + "license": "MIT", + "engines": { + "iojs": ">=1.0.0", + "node": ">=0.10.0" + } + }, + "node_modules/rimraf": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-6.0.1.tgz", + "integrity": "sha512-9dkvaxAsk/xNXSJzMgFqqMCuFgt2+KsOFek3TMLfo8NCPfWpBmqwyNn5Y+NX56QUYfCtsyhF3ayiboEoUmJk/A==", + "dev": true, + "license": "ISC", + "dependencies": { + "glob": "^11.0.0", + "package-json-from-dist": "^1.0.0" + }, + "bin": { + "rimraf": "dist/esm/bin.mjs" + }, + "engines": { + "node": "20 || >=22" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/rrweb-cssom": { + "version": "0.8.0", + "resolved": "https://registry.npmjs.org/rrweb-cssom/-/rrweb-cssom-0.8.0.tgz", + "integrity": "sha512-guoltQEx+9aMf2gDZ0s62EcV8lsXR+0w8915TC3ITdn2YueuNjdAYh/levpU9nFaoChh9RUS5ZdQMrKfVEN9tw==", + "dev": true, + "license": "MIT" + }, + "node_modules/run-parallel": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/run-parallel/-/run-parallel-1.2.0.tgz", + "integrity": "sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT", + "dependencies": { + "queue-microtask": "^1.2.2" + } + }, + "node_modules/runes2": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/runes2/-/runes2-1.1.4.tgz", + "integrity": "sha512-LNPnEDPOOU4ehF71m5JoQyzT2yxwD6ZreFJ7MxZUAoMKNMY1XrAo60H1CUoX5ncSm0rIuKlqn9JZNRrRkNou2g==", + "dev": true, + "license": "MIT" + }, + "node_modules/safer-buffer": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", + "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==", + "dev": true, + "license": "MIT" + }, + "node_modules/saxes": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/saxes/-/saxes-6.0.0.tgz", + "integrity": "sha512-xAg7SOnEhrm5zI3puOOKyy1OMcMlIJZYNJY7xLBwSze0UjhPLnWfj2GF2EpT0jmzaJKIWKHLsaSSajf35bcYnA==", + "dev": true, + "license": "ISC", + "dependencies": { + "xmlchars": "^2.2.0" + }, + "engines": { + "node": ">=v12.22.7" + } + }, + "node_modules/section-matter": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/section-matter/-/section-matter-1.0.0.tgz", + "integrity": "sha512-vfD3pmTzGpufjScBh50YHKzEu2lxBWhVEHsNGoEXmCmn2hKGfeNLYMzCJpe8cD7gqX7TJluOVpBkAequ6dgMmA==", + "dev": true, + "license": "MIT", + "dependencies": { + "extend-shallow": "^2.0.1", + "kind-of": "^6.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/semver": { + "version": "7.7.1", + "resolved": "https://registry.npmjs.org/semver/-/semver-7.7.1.tgz", + "integrity": "sha512-hlq8tAfn0m/61p4BVRcPzIGr6LKiMwo4VM6dGi6pt4qcRkmNzTcWq6eCEjEh+qXjkMDvPlOFFSGwQjoEa6gyMA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/semver-compare": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/semver-compare/-/semver-compare-1.0.0.tgz", + "integrity": "sha512-YM3/ITh2MJ5MtzaM429anh+x2jiLVjqILF4m4oyQB18W7Ggea7BfqdH/wGMK7dDiMghv/6WG7znWMwUDzJiXow==", + "dev": true, + "license": "MIT" + }, + "node_modules/send": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/send/-/send-1.2.0.tgz", + "integrity": "sha512-uaW0WwXKpL9blXE2o0bRhoL2EGXIrZxQ2ZQ4mgcfoBxdFmQold+qWsD2jLrfZ0trjKL6vOw0j//eAwcALFjKSw==", + "dev": true, + "license": "MIT", + "dependencies": { + "debug": "^4.3.5", + "encodeurl": "^2.0.0", + "escape-html": "^1.0.3", + "etag": "^1.8.1", + "fresh": "^2.0.0", + "http-errors": "^2.0.0", + "mime-types": "^3.0.1", + "ms": "^2.1.3", + "on-finished": "^2.4.1", + "range-parser": "^1.2.1", + "statuses": "^2.0.1" + }, + "engines": { + "node": ">= 18" + } + }, + "node_modules/send/node_modules/mime-db": { + "version": "1.54.0", + "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.54.0.tgz", + "integrity": "sha512-aU5EJuIN2WDemCcAp2vFBfp/m4EAhWJnUNSSw0ixs7/kXbd6Pg64EmwJkNdFhB8aWt1sH2CTXrLxo/iAGV3oPQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/send/node_modules/mime-types": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-3.0.1.tgz", + "integrity": "sha512-xRc4oEhT6eaBpU1XF7AjpOFD+xQmXNB5OVKwp4tqCuBpHLS/ZbBDrc07mYTDqVMg6PfxUjjNp85O6Cd2Z/5HWA==", + "dev": true, + "license": "MIT", + "dependencies": { + "mime-db": "^1.54.0" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/setprototypeof": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.2.0.tgz", + "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==", + "dev": true, + "license": "ISC" + }, + "node_modules/shebang-command": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", + "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", + "dev": true, + "license": "MIT", + "dependencies": { + "shebang-regex": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/shebang-regex": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", + "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/signal-exit": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-4.1.0.tgz", + "integrity": "sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=14" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/slash": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/slash/-/slash-1.0.0.tgz", + "integrity": "sha512-3TYDR7xWt4dIqV2JauJr+EJeW356RXijHeUlO+8djJ+uBXPn8/2dpzBc8yQhh583sVvc9CvFAeQVgijsH+PNNg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/slugify": { + "version": "1.6.6", + "resolved": "https://registry.npmjs.org/slugify/-/slugify-1.6.6.tgz", + "integrity": "sha512-h+z7HKHYXj6wJU+AnS/+IH8Uh9fdcX1Lrhg1/VMdf9PwoBQXFcXiAdsy2tSK0P6gKwJLXp02r90ahUCqHk9rrw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8.0.0" + } + }, + "node_modules/source-map": { + "version": "0.6.1", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", + "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/source-map-js": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/source-map-js/-/source-map-js-1.2.1.tgz", + "integrity": "sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/source-map-support": { + "version": "0.5.21", + "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.21.tgz", + "integrity": "sha512-uBHU3L3czsIyYXKX88fdrGovxdSCoTGDRZ6SYXtSRxLZUzHg5P/66Ht6uoUlHu9EZod+inXhKo3qQgwXUT/y1w==", + "dev": true, + "license": "MIT", + "dependencies": { + "buffer-from": "^1.0.0", + "source-map": "^0.6.0" + } + }, + "node_modules/sprintf-js": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/sprintf-js/-/sprintf-js-1.0.3.tgz", + "integrity": "sha512-D9cPgkvLlV3t3IzL0D0YLvGA9Ahk4PcvVwUbN0dSGr1aP0Nrt4AEnTUbuGvquEC0mA64Gqt1fzirlRs5ibXx8g==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/ssri": { + "version": "11.0.0", + "resolved": "https://registry.npmjs.org/ssri/-/ssri-11.0.0.tgz", + "integrity": "sha512-aZpUoMN/Jj2MqA4vMCeiKGnc/8SuSyHbGSBdgFbZxP8OJGF/lFkIuElzPxsN0q8TQQ+prw3P4EDfB3TBHHgfXw==", + "dev": true, + "license": "ISC", + "dependencies": { + "minipass": "^7.0.3" + }, + "engines": { + "node": "^16.14.0 || >=18.0.0" + } + }, + "node_modules/statuses": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz", + "integrity": "sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/string-width": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-5.1.2.tgz", + "integrity": "sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==", + "dev": true, + "license": "MIT", + "dependencies": { + "eastasianwidth": "^0.2.0", + "emoji-regex": "^9.2.2", + "strip-ansi": "^7.0.1" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/string-width-cjs": { + "name": "string-width", + "version": "4.2.3", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/string-width-cjs/node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/string-width-cjs/node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true, + "license": "MIT" + }, + "node_modules/string-width-cjs/node_modules/strip-ansi": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-ansi": { + "version": "7.1.0", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-7.1.0.tgz", + "integrity": "sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^6.0.1" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/chalk/strip-ansi?sponsor=1" + } + }, + "node_modules/strip-ansi-cjs": { + "name": "strip-ansi", + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-ansi-cjs/node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-bom-string": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/strip-bom-string/-/strip-bom-string-1.0.0.tgz", + "integrity": "sha512-uCC2VHvQRYu+lMh4My/sFNmF2klFymLX1wHJeXnbEJERpV/ZsVuonzerjfrGpIGF7LBVa1O7i9kjiWvJiFck8g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/stylehacks": { + "version": "7.0.4", + "resolved": "https://registry.npmjs.org/stylehacks/-/stylehacks-7.0.4.tgz", + "integrity": "sha512-i4zfNrGMt9SB4xRK9L83rlsFCgdGANfeDAYacO1pkqcE7cRHPdWHwnKZVz7WY17Veq/FvyYsRAU++Ga+qDFIww==", + "dev": true, + "license": "MIT", + "dependencies": { + "browserslist": "^4.23.3", + "postcss-selector-parser": "^6.1.2" + }, + "engines": { + "node": "^18.12.0 || ^20.9.0 || >=22.0" + }, + "peerDependencies": { + "postcss": "^8.4.31" + } + }, + "node_modules/stylehacks/node_modules/postcss-selector-parser": { + "version": "6.1.2", + "resolved": "https://registry.npmjs.org/postcss-selector-parser/-/postcss-selector-parser-6.1.2.tgz", + "integrity": "sha512-Q8qQfPiZ+THO/3ZrOrO0cJJKfpYCagtMUkXbnEfmgUjwXg6z/WBeOyS9APBBPCTSiDV+s4SwQGu8yFsiMRIudg==", + "dev": true, + "license": "MIT", + "dependencies": { + "cssesc": "^3.0.0", + "util-deprecate": "^1.0.2" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/supports-preserve-symlinks-flag": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz", + "integrity": "sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/svgo": { + "version": "3.3.2", + "resolved": "https://registry.npmjs.org/svgo/-/svgo-3.3.2.tgz", + "integrity": "sha512-OoohrmuUlBs8B8o6MB2Aevn+pRIH9zDALSR+6hhqVfa6fRwG/Qw9VUMSMW9VNg2CFc/MTIfabtdOVl9ODIJjpw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@trysound/sax": "0.2.0", + "commander": "^7.2.0", + "css-select": "^5.1.0", + "css-tree": "^2.3.1", + "css-what": "^6.1.0", + "csso": "^5.0.5", + "picocolors": "^1.0.0" + }, + "bin": { + "svgo": "bin/svgo" + }, + "engines": { + "node": ">=14.0.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/svgo" + } + }, + "node_modules/svgo/node_modules/commander": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/commander/-/commander-7.2.0.tgz", + "integrity": "sha512-QrWXB+ZQSVPmIWIhtEO9H+gwHaMGYiF5ChvoJ+K9ZGHG/sVsa6yiesAD1GC/x46sET00Xlwo1u49RVVVzvcSkw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10" + } + }, + "node_modules/symbol-tree": { + "version": "3.2.4", + "resolved": "https://registry.npmjs.org/symbol-tree/-/symbol-tree-3.2.4.tgz", + "integrity": "sha512-9QNk5KwDF+Bvz+PyObkmSYjI5ksVUYtjW7AU22r2NKcfLJcXp96hkDWU3+XndOsUb+AQ9QhfzfCT2O+CNWT5Tw==", + "dev": true, + "license": "MIT" + }, + "node_modules/terser": { + "version": "5.39.0", + "resolved": "https://registry.npmjs.org/terser/-/terser-5.39.0.tgz", + "integrity": "sha512-LBAhFyLho16harJoWMg/nZsQYgTrg5jXOn2nCYjRUcZZEdE3qa2zb8QEDRUGVZBW4rlazf2fxkg8tztybTaqWw==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "@jridgewell/source-map": "^0.3.3", + "acorn": "^8.8.2", + "commander": "^2.20.0", + "source-map-support": "~0.5.20" + }, + "bin": { + "terser": "bin/terser" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/terser/node_modules/commander": { + "version": "2.20.3", + "resolved": "https://registry.npmjs.org/commander/-/commander-2.20.3.tgz", + "integrity": "sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/tiny-case": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/tiny-case/-/tiny-case-1.0.3.tgz", + "integrity": "sha512-Eet/eeMhkO6TX8mnUteS9zgPbUMQa4I6Kkp5ORiBD5476/m+PIRiumP5tmh5ioJpH7k51Kehawy2UDfsnxxY8Q==", + "dev": true, + "license": "MIT" + }, + "node_modules/tldts": { + "version": "6.1.85", + "resolved": "https://registry.npmjs.org/tldts/-/tldts-6.1.85.tgz", + "integrity": "sha512-gBdZ1RjCSevRPFix/hpaUWeak2/RNUZB4/8frF1r5uYMHjFptkiT0JXIebWvgI/0ZHXvxaUDDJshiA0j6GdL3w==", + "dev": true, + "license": "MIT", + "dependencies": { + "tldts-core": "^6.1.85" + }, + "bin": { + "tldts": "bin/cli.js" + } + }, + "node_modules/tldts-core": { + "version": "6.1.85", + "resolved": "https://registry.npmjs.org/tldts-core/-/tldts-core-6.1.85.tgz", + "integrity": "sha512-DTjUVvxckL1fIoPSb3KE7ISNtkWSawZdpfxGxwiIrZoO6EbHVDXXUIlIuWympPaeS+BLGyggozX/HTMsRAdsoA==", + "dev": true, + "license": "MIT" + }, + "node_modules/to-regex-range": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", + "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-number": "^7.0.0" + }, + "engines": { + "node": ">=8.0" + } + }, + "node_modules/toidentifier": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/toidentifier/-/toidentifier-1.0.1.tgz", + "integrity": "sha512-o5sSPKEkg/DIQNmH43V0/uerLrpzVedkUh8tGNvaeXpfpuwjKenlSox/2O/BTlZUtEe+JG7s5YhEz608PlAHRA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.6" + } + }, + "node_modules/toposort": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/toposort/-/toposort-2.0.2.tgz", + "integrity": "sha512-0a5EOkAUp8D4moMi2W8ZF8jcga7BgZd91O/yabJCFY8az+XSzeGyTKs0Aoo897iV1Nj6guFq8orWDS96z91oGg==", + "dev": true, + "license": "MIT" + }, + "node_modules/tough-cookie": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-5.1.2.tgz", + "integrity": "sha512-FVDYdxtnj0G6Qm/DhNPSb8Ju59ULcup3tuJxkFb5K8Bv2pUXILbf0xZWU8PX8Ov19OXljbUyveOFwRMwkXzO+A==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "tldts": "^6.1.32" + }, + "engines": { + "node": ">=16" + } + }, + "node_modules/tr46": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/tr46/-/tr46-5.1.0.tgz", + "integrity": "sha512-IUWnUK7ADYR5Sl1fZlO1INDUhVhatWl7BtJWsIhwJ0UAK7ilzzIa8uIqOO/aYVWHZPJkKbEL+362wrzoeRF7bw==", + "dev": true, + "license": "MIT", + "dependencies": { + "punycode": "^2.3.1" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/truncate-html": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/truncate-html/-/truncate-html-1.2.1.tgz", + "integrity": "sha512-/e2PdCNTVLUR4F+tf6Qw+tPlV/tY5xUWBkfVS9syRHAk6pSJP6ZpqmV+8Q11FAkraoTko6MzwuKK3nWAhSmyuQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "cheerio": "1.0.0-rc.12" + } + }, + "node_modules/type-fest": { + "version": "2.19.0", + "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-2.19.0.tgz", + "integrity": "sha512-RAH822pAdBgcNMAfWnCBU3CFZcfZ/i1eZjwFU/dsLKumyuuP3niueg2UAukXYF0E2AAoc82ZSSf9J0WQBinzHA==", + "dev": true, + "license": "(MIT OR CC0-1.0)", + "engines": { + "node": ">=12.20" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/uc.micro": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/uc.micro/-/uc.micro-2.1.0.tgz", + "integrity": "sha512-ARDJmphmdvUk6Glw7y9DQ2bFkKBHwQHLi2lsaH6PPmz/Ka9sFOBsBluozhDltWmnv9u/cF6Rt87znRTPV+yp/A==", + "dev": true, + "license": "MIT" + }, + "node_modules/unpipe": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/unpipe/-/unpipe-1.0.0.tgz", + "integrity": "sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/update-browserslist-db": { + "version": "1.1.3", + "resolved": "https://registry.npmjs.org/update-browserslist-db/-/update-browserslist-db-1.1.3.tgz", + "integrity": "sha512-UxhIZQ+QInVdunkDAaiazvvT/+fXL5Osr0JZlJulepYu6Jd7qJtDZjlur0emRlT71EN3ScPoE7gvsuIKKNavKw==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/browserslist" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "escalade": "^3.2.0", + "picocolors": "^1.1.1" + }, + "bin": { + "update-browserslist-db": "cli.js" + }, + "peerDependencies": { + "browserslist": ">= 4.21.0" + } + }, + "node_modules/urlpattern-polyfill": { + "version": "10.0.0", + "resolved": "https://registry.npmjs.org/urlpattern-polyfill/-/urlpattern-polyfill-10.0.0.tgz", + "integrity": "sha512-H/A06tKD7sS1O1X2SshBVeA5FLycRpjqiBeqGKmBwBDBy28EnRjORxTNe269KSSr5un5qyWi1iL61wLxpd+ZOg==", + "dev": true, + "license": "MIT" + }, + "node_modules/util-deprecate": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz", + "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==", + "dev": true, + "license": "MIT" + }, + "node_modules/w3c-xmlserializer": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/w3c-xmlserializer/-/w3c-xmlserializer-5.0.0.tgz", + "integrity": "sha512-o8qghlI8NZHU1lLPrpi2+Uq7abh4GGPpYANlalzWxyWteJOCsr/P+oPBA49TOLu5FTZO4d3F9MnWJfiMo4BkmA==", + "dev": true, + "license": "MIT", + "dependencies": { + "xml-name-validator": "^5.0.0" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/webidl-conversions": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-7.0.0.tgz", + "integrity": "sha512-VwddBukDzu71offAQR975unBIGqfKZpM+8ZX6ySk8nYhVoo5CYaZyzt3YBvYtRtO+aoGlqxPg/B87NGVZ/fu6g==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=12" + } + }, + "node_modules/whatwg-encoding": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/whatwg-encoding/-/whatwg-encoding-3.1.1.tgz", + "integrity": "sha512-6qN4hJdMwfYBtE3YBTTHhoeuUrDBPZmbQaxWAqSALV/MeEnR5z1xd8UKud2RAkFoPkmB+hli1TZSnyi84xz1vQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "iconv-lite": "0.6.3" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/whatwg-mimetype": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/whatwg-mimetype/-/whatwg-mimetype-4.0.0.tgz", + "integrity": "sha512-QaKxh0eNIi2mE9p2vEdzfagOKHCcj1pJ56EEHGQOVxp8r9/iszLUUV7v89x9O1p/T+NlTM5W7jW6+cz4Fq1YVg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + } + }, + "node_modules/whatwg-url": { + "version": "14.2.0", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-14.2.0.tgz", + "integrity": "sha512-De72GdQZzNTUBBChsXueQUnPKDkg/5A5zp7pFDuQAj5UFoENpiACU0wlCvzpAGnTkj++ihpKwKyYewn/XNUbKw==", + "dev": true, + "license": "MIT", + "dependencies": { + "tr46": "^5.1.0", + "webidl-conversions": "^7.0.0" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/which": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", + "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", + "dev": true, + "license": "ISC", + "dependencies": { + "isexe": "^2.0.0" + }, + "bin": { + "node-which": "bin/node-which" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/wrap-ansi": { + "version": "8.1.0", + "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-8.1.0.tgz", + "integrity": "sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^6.1.0", + "string-width": "^5.0.1", + "strip-ansi": "^7.0.1" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/chalk/wrap-ansi?sponsor=1" + } + }, + "node_modules/wrap-ansi-cjs": { + "name": "wrap-ansi", + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz", + "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.0.0", + "string-width": "^4.1.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/wrap-ansi?sponsor=1" + } + }, + "node_modules/wrap-ansi-cjs/node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/wrap-ansi-cjs/node_modules/ansi-styles": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", + "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", + "dev": true, + "license": "MIT", + "dependencies": { + "color-convert": "^2.0.1" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/wrap-ansi-cjs/node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true, + "license": "MIT" + }, + "node_modules/wrap-ansi-cjs/node_modules/string-width": { + "version": "4.2.3", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/wrap-ansi-cjs/node_modules/strip-ansi": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/ws": { + "version": "8.18.1", + "resolved": "https://registry.npmjs.org/ws/-/ws-8.18.1.tgz", + "integrity": "sha512-RKW2aJZMXeMxVpnZ6bck+RswznaxmzdULiBr6KY7XkTnW8uvt0iT9H5DkHUChXrc+uurzwa0rVI16n/Xzjdz1w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10.0.0" + }, + "peerDependencies": { + "bufferutil": "^4.0.1", + "utf-8-validate": ">=5.0.2" + }, + "peerDependenciesMeta": { + "bufferutil": { + "optional": true + }, + "utf-8-validate": { + "optional": true + } + } + }, + "node_modules/xml-name-validator": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/xml-name-validator/-/xml-name-validator-5.0.0.tgz", + "integrity": "sha512-EvGK8EJ3DhaHfbRlETOWAS5pO9MZITeauHKJyb8wyajUfQUenkIg2MvLDTZ4T/TgIcm3HU0TFBgWWboAZ30UHg==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": ">=18" + } + }, + "node_modules/xmlchars": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/xmlchars/-/xmlchars-2.2.0.tgz", + "integrity": "sha512-JZnDKK8B0RCDw84FNdDAIpZK+JuJw+s7Lz8nksI7SIuU3UXJJslUthsi+uWBUYOwPFwW7W7PRLRfUKpxjtjFCw==", + "dev": true, + "license": "MIT" + }, + "node_modules/youtube-video-element": { + "version": "1.5.1", + "resolved": "https://registry.npmjs.org/youtube-video-element/-/youtube-video-element-1.5.1.tgz", + "integrity": "sha512-oWZFg/d7U4IyAfY7Srh2nIhYkFdmGD9vm2kCnMUvb3mE5RnDl+rF1BPvBKANb6g5SYCZC2OZszlY5zNHUBvmGA==", + "license": "MIT" + }, + "node_modules/yup": { + "version": "1.6.1", + "resolved": "https://registry.npmjs.org/yup/-/yup-1.6.1.tgz", + "integrity": "sha512-JED8pB50qbA4FOkDol0bYF/p60qSEDQqBD0/qeIrUCG1KbPBIQ776fCUNb9ldbPcSTxA69g/47XTo4TqWiuXOA==", + "dev": true, + "license": "MIT", + "dependencies": { + "property-expr": "^2.0.5", + "tiny-case": "^1.0.3", + "toposort": "^2.0.2", + "type-fest": "^2.19.0" + } + } + } +} diff --git a/package.json b/package.json new file mode 100644 index 0000000..e128e8e --- /dev/null +++ b/package.json @@ -0,0 +1,57 @@ +{ + "name": "coryd.dev", + "version": "1.0.0", + "description": "The source for my personal site. Built using 11ty (and other tools).", + "type": "module", + "engines": { + "node": "22.x" + }, + "scripts": { + "start": "eleventy --serve", + "start:quick": "eleventy --serve --incremental --ignore-initial", + "build": "eleventy", + "debug": "DEBUG=Eleventy* npx @11ty/eleventy --serve", + "php": "export $(grep -v '^#' .env | xargs) && php -d error_reporting=E_ALL^E_DEPRECATED -S localhost:8000 -t dist", + "update:deps": "composer update && npm upgrade && ncu", + "setup": "sh ./scripts/setup.sh", + "clean": "rimraf dist .cache", + "clean:cache": "rimraf .cache", + "clean:dist": "rimraf dist" + }, + "keywords": [ + "11ty", + "Eleventy", + "Web components", + "Blog", + "Directus", + "PHP", + "API" + ], + "author": "Cory Dransfeldt", + "license": "MIT", + "dependencies": { + "minisearch": "^7.1.2", + "youtube-video-element": "^1.5.1" + }, + "devDependencies": { + "@11ty/eleventy": "v3.0.0", + "@11ty/eleventy-fetch": "5.0.2", + "@cdransf/eleventy-plugin-tabler-icons": "^2.11.0", + "autoprefixer": "^10.4.21", + "cssnano": "^7.0.6", + "dotenv": "16.4.7", + "ics": "^3.8.1", + "jsdom": "26.0.0", + "markdown-it": "^14.1.0", + "markdown-it-anchor": "^9.2.0", + "markdown-it-footnote": "^4.0.0", + "markdown-it-link-attributes": "4.0.1", + "markdown-it-prism": "^2.3.1", + "postcss": "^8.5.3", + "postcss-import": "^16.1.0", + "postcss-import-ext-glob": "^2.1.1", + "rimraf": "^6.0.1", + "terser": "^5.39.0", + "truncate-html": "^1.2.1" + } +} diff --git a/queries/functions/get_feed_data.psql b/queries/functions/get_feed_data.psql new file mode 100644 index 0000000..9a144bd --- /dev/null +++ b/queries/functions/get_feed_data.psql @@ -0,0 +1,27 @@ +CREATE OR REPLACE FUNCTION get_feed_data(feed_key TEXT) +RETURNS JSON AS $$ +DECLARE + result JSON; + sql_query TEXT; +BEGIN + CASE feed_key + WHEN 'movies' THEN + sql_query := 'SELECT json_agg(feed ORDER BY (feed->>''date'')::timestamp DESC) FROM optimized_movies WHERE feed IS NOT NULL'; + WHEN 'books' THEN + sql_query := 'SELECT json_agg(feed ORDER BY (feed->>''date'')::timestamp DESC) FROM optimized_books WHERE feed IS NOT NULL'; + WHEN 'posts' THEN + sql_query := 'SELECT json_agg(feed ORDER BY (feed->>''date'')::timestamp DESC) FROM optimized_posts WHERE feed IS NOT NULL'; + WHEN 'links' THEN + sql_query := 'SELECT json_agg(feed ORDER BY (feed->>''date'')::timestamp DESC) FROM optimized_links WHERE feed IS NOT NULL'; + WHEN 'allActivity' THEN + sql_query := 'SELECT json_agg(feed ORDER BY (feed->>''date'')::timestamp DESC) FROM optimized_all_activity WHERE feed IS NOT NULL'; + WHEN 'syndication' THEN + sql_query := 'SELECT json_agg(feed ORDER BY (feed->>''date'')::timestamp DESC) FROM optimized_syndication WHERE feed IS NOT NULL'; + ELSE + RETURN NULL; + END CASE; + + EXECUTE sql_query INTO result; + RETURN result; +END; +$$ LANGUAGE plpgsql; diff --git a/queries/functions/parsecountryfield.psql b/queries/functions/parsecountryfield.psql new file mode 100644 index 0000000..d399881 --- /dev/null +++ b/queries/functions/parsecountryfield.psql @@ -0,0 +1,14 @@ +DECLARE + delimiters TEXT[] := ARRAY[',', '/', '&', 'and']; + countries TEXT[]; + result TEXT := ''; +BEGIN + countries := string_to_array(countryField, ','); + + FOR i IN 1..array_length(delimiters, 1) LOOP + countries := array_cat(countries, string_to_array(result, delimiters[i])); + END LOOP; + + result := array_to_string(countries, ' '); + RETURN trim(result); +END diff --git a/queries/functions/search.psql b/queries/functions/search.psql new file mode 100644 index 0000000..374e9c7 --- /dev/null +++ b/queries/functions/search.psql @@ -0,0 +1,42 @@ +CREATE OR REPLACE FUNCTION public.search_optimized_index(search_query text, page_size integer, page_offset integer, types text[]) + RETURNS TABLE( + result_id integer, + url text, + title text, + description text, + tags text, + genre_name text, + genre_url text, + type text, + total_plays text, + rank real, + total_count bigint + ) + AS $$ +BEGIN + RETURN QUERY + SELECT + s.id::integer AS result_id, + s.url, + s.title, + s.description, + array_to_string(s.tags, ', ') AS tags, + s.genre_name, + s.genre_url, + s.type, + s.total_plays, + ts_rank_cd(to_tsvector('english', s.title || ' ' || s.description || array_to_string(s.tags, ' ')), plainto_tsquery('english', search_query)) AS rank, + COUNT(*) OVER() AS total_count + FROM + optimized_search_index s + WHERE(types IS NULL + OR s.type = ANY(types)) + AND plainto_tsquery('english', search_query) @@ to_tsvector('english', s.title || ' ' || s.description || array_to_string(s.tags, ' ')) + ORDER BY + s.type = 'post' DESC, + s.content_date DESC NULLS LAST, + rank DESC + LIMIT page_size OFFSET page_offset; +END; +$$ +LANGUAGE plpgsql; diff --git a/queries/functions/slugify.psql b/queries/functions/slugify.psql new file mode 100644 index 0000000..86bf1dd --- /dev/null +++ b/queries/functions/slugify.psql @@ -0,0 +1,4 @@ +SELECT lower(regexp_replace( + unaccent(regexp_replace($1, '[^\\w\\s-]', '', 'g')), + '\\s+', '-', 'g' +)); diff --git a/queries/functions/update_album_key.psql b/queries/functions/update_album_key.psql new file mode 100644 index 0000000..5bb5263 --- /dev/null +++ b/queries/functions/update_album_key.psql @@ -0,0 +1,5 @@ +BEGIN + UPDATE listens + SET album_key = new_album_key + WHERE album_key = old_album_key; +END; diff --git a/queries/functions/update_days_read.psql b/queries/functions/update_days_read.psql new file mode 100644 index 0000000..ac991d5 --- /dev/null +++ b/queries/functions/update_days_read.psql @@ -0,0 +1,26 @@ +CREATE OR REPLACE FUNCTION update_days_read() +RETURNS TRIGGER AS $$ +DECLARE + pacific_now TIMESTAMPTZ; + pacific_today DATE; + last_read DATE; +BEGIN + SELECT (NOW() AT TIME ZONE 'America/Los_Angeles')::DATE INTO pacific_today; + + SELECT COALESCE(last_read_date::DATE, pacific_today - INTERVAL '1 day') INTO last_read FROM reading_streak LIMIT 1; + + IF last_read < pacific_today - INTERVAL '1 day' THEN + UPDATE reading_streak + SET days_read = 0, last_read_date = NOW() AT TIME ZONE 'America/Los_Angeles' + WHERE id = 1; + END IF; + + IF last_read IS DISTINCT FROM pacific_today THEN + UPDATE reading_streak + SET days_read = days_read + 1, last_read_date = NOW() AT TIME ZONE 'America/Los_Angeles' + WHERE id = 1; + END IF; + + RETURN NEW; +END; +$$ LANGUAGE plpgsql; diff --git a/queries/functions/update_listen_totals.psql b/queries/functions/update_listen_totals.psql new file mode 100644 index 0000000..7b78f3c --- /dev/null +++ b/queries/functions/update_listen_totals.psql @@ -0,0 +1,36 @@ +BEGIN + WITH artist_plays AS ( + SELECT artist_name, COUNT(*)::integer as total_plays + FROM listens + GROUP BY artist_name + ) + UPDATE artists + SET total_plays = COALESCE(ap.total_plays, 0) + FROM artist_plays ap + WHERE artists.name_string = ap.artist_name; + + WITH album_plays AS ( + SELECT album_key, artist_name, COUNT(*)::integer as total_plays + FROM listens + GROUP BY album_key, artist_name + ) + UPDATE albums + SET total_plays = COALESCE(ap.total_plays, 0) + FROM album_plays ap + WHERE albums.key = ap.album_key + AND albums.artist_name = ap.artist_name; + + WITH genre_plays AS ( + SELECT g.id, COUNT(*)::integer as total_plays + FROM listens l + JOIN artists a ON l.artist_name = a.name_string + JOIN genres g ON a.genres::text = g.id::text + GROUP BY g.id + ) + UPDATE genres + SET total_plays = COALESCE(gp.total_plays, 0) + FROM genre_plays gp + WHERE genres.id = gp.id; + + RAISE NOTICE 'All listen totals are up to date'; +END; diff --git a/queries/functions/update_scheduled_episode_status.psql b/queries/functions/update_scheduled_episode_status.psql new file mode 100644 index 0000000..5f726b0 --- /dev/null +++ b/queries/functions/update_scheduled_episode_status.psql @@ -0,0 +1,11 @@ +CREATE OR REPLACE FUNCTION update_scheduled_episode_status() +RETURNS TRIGGER AS $$ +BEGIN + UPDATE scheduled_episodes + SET status = 'aired' + WHERE air_date < CURRENT_DATE + AND status = 'upcoming'; + + RETURN NEW; +END; +$$ LANGUAGE plpgsql; diff --git a/queries/functions/update_scheduled_on_watch.psql b/queries/functions/update_scheduled_on_watch.psql new file mode 100644 index 0000000..cfc1dc4 --- /dev/null +++ b/queries/functions/update_scheduled_on_watch.psql @@ -0,0 +1,12 @@ +CREATE OR REPLACE FUNCTION update_scheduled_on_watch() +RETURNS TRIGGER AS $$ +BEGIN + UPDATE scheduled_episodes + SET status = 'watched' + WHERE show_id = NEW.show + AND season_number = NEW.season_number + AND episode_number = NEW.episode_number; + + RETURN NEW; +END; +$$ LANGUAGE plpgsql; diff --git a/queries/jobs/update_scheduled_episodes.psql b/queries/jobs/update_scheduled_episodes.psql new file mode 100644 index 0000000..bca8c8d --- /dev/null +++ b/queries/jobs/update_scheduled_episodes.psql @@ -0,0 +1,6 @@ +SELECT cron.schedule( + '0 0 * * *', + $$ UPDATE scheduled_episodes + SET status = 'aired' + WHERE air_date < CURRENT_DATE + AND status = 'upcoming' $$); diff --git a/queries/selects/top-albums.psql b/queries/selects/top-albums.psql new file mode 100644 index 0000000..ad85c4c --- /dev/null +++ b/queries/selects/top-albums.psql @@ -0,0 +1,16 @@ +SELECT + l.artist_name, + l.album_name, + TO_CHAR(COUNT(l.id), 'FM999,999,999') AS total_listens +FROM + optimized_listens l +WHERE + EXTRACT(YEAR FROM TO_TIMESTAMP(l.listened_at)) = EXTRACT(YEAR FROM CURRENT_DATE) + AND l.artist_name IS NOT NULL + AND l.album_name IS NOT NULL +GROUP BY + l.artist_name, + l.album_name +ORDER BY + COUNT(l.id) DESC +LIMIT 10; diff --git a/queries/selects/top-artists.psql b/queries/selects/top-artists.psql new file mode 100644 index 0000000..1e0b5ee --- /dev/null +++ b/queries/selects/top-artists.psql @@ -0,0 +1,13 @@ +SELECT + l.artist_name, + TO_CHAR(COUNT(l.id), 'FM999,999,999') AS total_listens +FROM + optimized_listens l +WHERE + EXTRACT(YEAR FROM TO_TIMESTAMP(l.listened_at)) = EXTRACT(YEAR FROM CURRENT_DATE) + AND l.artist_name IS NOT NULL +GROUP BY + l.artist_name +ORDER BY + COUNT(l.id) DESC +LIMIT 10; diff --git a/queries/triggers/decrement_total_plays.psql b/queries/triggers/decrement_total_plays.psql new file mode 100644 index 0000000..d5ef70a --- /dev/null +++ b/queries/triggers/decrement_total_plays.psql @@ -0,0 +1,20 @@ +BEGIN + UPDATE artists + SET total_plays = total_plays - 1 + WHERE name_string = OLD.artist_name; + + UPDATE albums + SET total_plays = total_plays - 1 + WHERE name = OLD.album_name + AND artist_name = OLD.artist_name; + + UPDATE genres + SET total_plays = total_plays - 1 + WHERE id = ( + SELECT genres + FROM artists + WHERE name_string = OLD.artist_name + ); + + RETURN OLD; +END; diff --git a/queries/triggers/mark_scheduled_as_watched.psql b/queries/triggers/mark_scheduled_as_watched.psql new file mode 100644 index 0000000..90a5741 --- /dev/null +++ b/queries/triggers/mark_scheduled_as_watched.psql @@ -0,0 +1,4 @@ +CREATE TRIGGER mark_scheduled_as_watched +AFTER INSERT ON episodes +FOR EACH ROW +EXECUTE FUNCTION update_scheduled_on_watch(); diff --git a/queries/triggers/update_days_read.psql b/queries/triggers/update_days_read.psql new file mode 100644 index 0000000..2f8b019 --- /dev/null +++ b/queries/triggers/update_days_read.psql @@ -0,0 +1,5 @@ +CREATE TRIGGER trigger_update_days_read +AFTER UPDATE OF progress ON books +FOR EACH ROW +WHEN (OLD.progress IS DISTINCT FROM NEW.progress AND (NEW.read_status = 'started' OR NEW.read_status = 'finished')) +EXECUTE FUNCTION update_days_read(); diff --git a/queries/triggers/update_scheduled_status.psql b/queries/triggers/update_scheduled_status.psql new file mode 100644 index 0000000..c44484b --- /dev/null +++ b/queries/triggers/update_scheduled_status.psql @@ -0,0 +1,10 @@ +CREATE OR REPLACE FUNCTION update_scheduled_episode_status() +RETURNS TRIGGER AS $$ +BEGIN + IF NEW.air_date < CURRENT_DATE AND NEW.status = 'upcoming' THEN + NEW.status := 'aired'; + END IF; + + RETURN NEW; +END; +$$ LANGUAGE plpgsql; diff --git a/queries/triggers/update_total_plays.psql b/queries/triggers/update_total_plays.psql new file mode 100644 index 0000000..693e491 --- /dev/null +++ b/queries/triggers/update_total_plays.psql @@ -0,0 +1,20 @@ +BEGIN + UPDATE artists + SET total_plays = total_plays + 1 + WHERE name_string = NEW.artist_name; + + UPDATE albums + SET total_plays = total_plays + 1 + WHERE key = NEW.album_key + AND artist_name = NEW.artist_name; + + UPDATE genres + SET total_plays = total_plays + 1 + WHERE id = ( + SELECT genres + FROM artists + WHERE name_string = NEW.artist_name + ); + + RETURN NEW; +END; diff --git a/queries/views/content/blogroll.psql b/queries/views/content/blogroll.psql new file mode 100644 index 0000000..be185d4 --- /dev/null +++ b/queries/views/content/blogroll.psql @@ -0,0 +1,11 @@ +CREATE OR REPLACE VIEW optimized_blogroll AS +SELECT + name, + url, + rss_feed, + json_feed, + newsletter, + mastodon +FROM authors +WHERE blogroll = true +ORDER BY LOWER(unaccent(name)) ASC; diff --git a/queries/views/content/links.psql b/queries/views/content/links.psql new file mode 100644 index 0000000..5156f6c --- /dev/null +++ b/queries/views/content/links.psql @@ -0,0 +1,30 @@ +CREATE OR REPLACE VIEW optimized_links AS +SELECT + l.id, + l.title, + l.date, + l.description, + l.link, + a.mastodon, + a.name, + json_build_object('name', a.name, 'url', a.url, 'mastodon', a.mastodon) AS author, + 'link' AS type, + ( + SELECT array_agg(t.name) + FROM links_tags lt + LEFT JOIN tags t ON lt.tags_id = t.id + WHERE lt.links_id = l.id + ) AS tags, + json_build_object( + 'title', CONCAT(l.title, ' via ', a.name), + 'url', l.link, + 'description', l.description, + 'date', l.date + ) AS feed +FROM + links l + JOIN authors a ON l.author = a.id +GROUP BY + l.id, l.title, l.date, l.description, l.link, a.mastodon, a.name, a.url +ORDER BY + l.date DESC; diff --git a/queries/views/content/posts.psql b/queries/views/content/posts.psql new file mode 100644 index 0000000..a2d6e6f --- /dev/null +++ b/queries/views/content/posts.psql @@ -0,0 +1,126 @@ +CREATE OR REPLACE VIEW optimized_posts AS +SELECT + p.id, + p.date, + p.title, + p.description, + p.content, + p.featured, + p.slug AS url, + p.mastodon_url, + CASE WHEN df.filename_disk IS NOT NULL + AND df.filename_disk != '' + AND df.filename_disk != '/' THEN + CONCAT('/', df.filename_disk) + ELSE + NULL + END AS image, + p.image_alt, + CASE WHEN EXTRACT(YEAR FROM AGE(CURRENT_DATE, p.date)) > 3 THEN + TRUE + ELSE + FALSE + END AS old_post, +( + SELECT + json_agg( + CASE WHEN pb.collection = 'youtube_player' THEN + json_build_object('type', pb.collection, 'url', yp.url) + WHEN pb.collection = 'github_banner' THEN + json_build_object('type', pb.collection, 'url', gb.url) + WHEN pb.collection = 'npm_banner' THEN + json_build_object('type', pb.collection, 'url', nb.url, 'command', nb.command) + WHEN pb.collection = 'rss_banner' THEN + json_build_object('type', pb.collection, 'url', rb.url, 'text', rb.text) + WHEN pb.collection = 'calendar_banner' THEN + json_build_object('type', pb.collection, 'url', cb.url, 'text', cb.text) + WHEN pb.collection = 'hero' THEN + json_build_object('type', pb.collection, 'image', CONCAT('/', df_hero.filename_disk), 'alt_text', h.alt_text) + WHEN pb.collection = 'markdown' THEN + json_build_object('type', pb.collection, 'text', md.text) + ELSE + json_build_object('type', pb.collection) + END) + FROM + posts_blocks pb + LEFT JOIN youtube_player yp ON pb.collection = 'youtube_player' + AND yp.id = pb.item::integer + LEFT JOIN github_banner gb ON pb.collection = 'github_banner' + AND gb.id = pb.item::integer + LEFT JOIN npm_banner nb ON pb.collection = 'npm_banner' + AND nb.id = pb.item::integer + LEFT JOIN rss_banner rb ON pb.collection = 'rss_banner' + AND rb.id = pb.item::integer + LEFT JOIN calendar_banner cb ON pb.collection = 'calendar_banner' + AND cb.id = pb.item::integer + LEFT JOIN hero h ON pb.collection = 'hero' + AND h.id = pb.item::integer + LEFT JOIN directus_files df_hero ON h.image = df_hero.id + LEFT JOIN markdown md ON pb.collection = 'markdown' + AND md.id = pb.item::integer +WHERE + pb.posts_id = p.id) AS blocks, +( + SELECT + array_agg(t.name) + FROM + posts_tags pt + LEFT JOIN tags t ON pt.tags_id = t.id +WHERE + pt.posts_id = p.id) AS tags, +( + SELECT + json_agg(json_build_object('name', g.name, 'url', g.slug) ORDER BY g.name ASC) + FROM + posts_genres gp + LEFT JOIN genres g ON gp.genres_id = g.id +WHERE + gp.posts_id = p.id) AS genres, +( + SELECT + json_agg(json_build_object('name', a.name_string, 'url', a.slug, 'country', a.country, 'total_plays', a.total_plays) ORDER BY a.name_string ASC) + FROM + posts_artists pa + LEFT JOIN artists a ON pa.artists_id = a.id +WHERE + pa.posts_id = p.id) AS artists, +( + SELECT + json_agg(json_build_object('title', b.title, 'author', b.author, 'url', b.slug) + ORDER BY b.title ASC) + FROM + posts_books pbk + LEFT JOIN books b ON pbk.books_id = b.id +WHERE + pbk.posts_id = p.id) AS books, +( + SELECT + json_agg(json_build_object('title', m.title, 'year', m.year, 'url', m.slug) + ORDER BY m.year DESC) + FROM + posts_movies pm + LEFT JOIN movies m ON pm.movies_id = m.id +WHERE + pm.posts_id = p.id) AS movies, +( + SELECT + json_agg(json_build_object('title', s.title, 'year', s.year, 'url', s.slug) ORDER BY s.year DESC) + FROM + posts_shows ps + LEFT JOIN shows s ON ps.shows_id = s.id +WHERE + ps.posts_id = p.id) AS shows, +json_build_object('title', p.title, 'url', p.slug, 'description', p.description, 'content', p.content, 'date', p.date, 'image', CASE WHEN df.filename_disk IS NOT NULL + AND df.filename_disk != '' + AND df.filename_disk != '/' THEN + CONCAT('/', df.filename_disk) + ELSE + NULL + END) AS feed +FROM + posts p + LEFT JOIN directus_files df ON p.image = df.id +GROUP BY + p.id, + df.filename_disk; + diff --git a/queries/views/feeds/all-activity.psql b/queries/views/feeds/all-activity.psql new file mode 100644 index 0000000..9493392 --- /dev/null +++ b/queries/views/feeds/all-activity.psql @@ -0,0 +1,71 @@ +CREATE OR REPLACE VIEW optimized_all_activity AS +WITH feed_data AS ( + SELECT json_build_object( + 'title', p.title, + 'url', p.url, + 'description', p.content, + 'date', p.date, + 'type', 'article', + 'label', 'Post', + 'content', p.content + ) AS feed + FROM optimized_posts p + + UNION ALL + + SELECT json_build_object( + 'title', CONCAT(l.title, ' via ', l.author->>'name'), + 'url', l.link, + 'description', l.description, + 'date', l.date, + 'type', 'link', + 'label', 'Link', + 'author', l.author + ) AS feed + FROM optimized_links l + + UNION ALL + + SELECT CASE + WHEN LOWER(b.status) = 'finished' THEN + json_build_object( + 'title', CONCAT(b.title, ' by ', b.author, + CASE WHEN b.rating IS NOT NULL THEN CONCAT(' (', b.rating, ')') ELSE '' END + ), + 'url', b.url, + 'description', COALESCE(b.review, b.description), + 'date', b.date_finished, + 'type', 'books', + 'label', 'Book', + 'image', b.image, + 'rating', b.rating + ) + ELSE NULL + END AS feed + FROM optimized_books b + + UNION ALL + + SELECT CASE + WHEN m.last_watched IS NOT NULL THEN + json_build_object( + 'title', CONCAT(m.title, + CASE WHEN m.rating IS NOT NULL THEN CONCAT(' (', m.rating, ')') ELSE '' END + ), + 'url', m.url, + 'description', COALESCE(m.review, m.description), + 'date', m.last_watched, + 'type', 'movies', + 'label', 'Movie', + 'image', m.image, + 'rating', m.rating + ) + ELSE NULL + END AS feed + FROM optimized_movies m +) +SELECT feed +FROM feed_data +WHERE feed IS NOT NULL +ORDER BY (feed->>'date')::timestamp DESC +LIMIT 20; diff --git a/queries/views/feeds/headers.psql b/queries/views/feeds/headers.psql new file mode 100644 index 0000000..9d48bdf --- /dev/null +++ b/queries/views/feeds/headers.psql @@ -0,0 +1,12 @@ +CREATE OR REPLACE VIEW optimized_headers AS +SELECT + p.path AS resource_path, + json_agg(json_build_object('header_name', hr.name, 'header_value', hr.value)) AS headers +FROM + paths p +JOIN + paths_header_rules phr ON p.id = phr.paths_id +JOIN + header_rules hr ON phr.header_rules_id = hr.id +GROUP BY + p.path; diff --git a/queries/views/feeds/recent-activity.psql b/queries/views/feeds/recent-activity.psql new file mode 100644 index 0000000..59ad766 --- /dev/null +++ b/queries/views/feeds/recent-activity.psql @@ -0,0 +1,109 @@ +CREATE OR REPLACE VIEW optimized_recent_activity AS +WITH activity_data AS ( + SELECT + p.date AS content_date, + p.title, + p.content AS description, + p.url AS url, + NULL AS author, + NULL AS image, + NULL AS rating, + NULL AS artist_url, + NULL AS venue_lat, + NULL AS venue_lon, + NULL AS venue_name, + NULL AS notes, + 'article' AS type, + 'Post' AS label + FROM optimized_posts p + + UNION ALL + + SELECT + l.date AS content_date, + l.title, + l.description, + l.link AS url, + l.author, + NULL AS image, + NULL AS rating, + NULL AS artist_url, + NULL AS venue_lat, + NULL AS venue_lon, + NULL AS venue_name, + NULL AS notes, + 'link' AS type, + 'Link' AS label + FROM optimized_links l + + UNION ALL + + SELECT + b.date_finished AS content_date, + CONCAT(b.title, + CASE WHEN b.rating IS NOT NULL THEN CONCAT(' (', b.rating, ')') ELSE '' END + ) AS title, + b.description, + b.url AS url, + NULL AS author, + b.image, + b.rating, + NULL AS artist_url, + NULL AS venue_lat, + NULL AS venue_lon, + NULL AS venue_name, + NULL AS notes, + 'books' AS type, + 'Book' AS label + FROM optimized_books b + WHERE LOWER(b.status) = 'finished' + + UNION ALL + + SELECT + m.last_watched AS content_date, + CONCAT(m.title, + CASE WHEN m.rating IS NOT NULL THEN CONCAT(' (', m.rating, ')') ELSE '' END + ) AS title, + m.description, + m.url AS url, + NULL AS author, + m.image, + m.rating, + NULL AS artist_url, + NULL AS venue_lat, + NULL AS venue_lon, + NULL AS venue_name, + NULL AS notes, + 'movies' AS type, + 'Movie' AS label + FROM optimized_movies m + WHERE m.last_watched IS NOT NULL + + UNION ALL + + SELECT + c.date AS content_date, + CONCAT(c.artist->>'name', ' at ', c.venue->>'name_short') AS title, + c.concert_notes AS description, + NULL AS url, + NULL AS author, + NULL AS image, + NULL AS rating, + c.artist->>'url' AS artist_url, + c.venue->>'latitude' AS venue_lat, + c.venue->>'longitude' AS venue_lon, + c.venue->>'name_short' AS venue_name, + c.notes AS notes, + 'concerts' AS type, + 'Concert' AS label + FROM optimized_concerts c +) +SELECT json_agg(recent_activity_data ORDER BY recent_activity_data.content_date DESC) AS feed +FROM ( + SELECT * + FROM activity_data + WHERE content_date IS NOT NULL + ORDER BY content_date DESC + LIMIT 20 +) AS recent_activity_data; diff --git a/queries/views/feeds/redirects.psql b/queries/views/feeds/redirects.psql new file mode 100644 index 0000000..de80552 --- /dev/null +++ b/queries/views/feeds/redirects.psql @@ -0,0 +1,7 @@ +CREATE OR REPLACE VIEW optimized_redirects AS +SELECT + r.from AS source_url, + r.to AS destination_url, + r.status_code +FROM + redirects r; diff --git a/queries/views/feeds/robots.psql b/queries/views/feeds/robots.psql new file mode 100644 index 0000000..985bad6 --- /dev/null +++ b/queries/views/feeds/robots.psql @@ -0,0 +1,12 @@ +CREATE OR REPLACE VIEW optimized_robots AS +SELECT + r.path, + array_agg(ua.user_agent ORDER BY ua.user_agent) AS user_agents +FROM + robots AS r +JOIN + robots_user_agents AS rua ON r.id = rua.robots_id +JOIN + user_agents AS ua ON rua.user_agents_id = ua.id +GROUP BY + r.path; diff --git a/queries/views/feeds/search.psql b/queries/views/feeds/search.psql new file mode 100644 index 0000000..46f5183 --- /dev/null +++ b/queries/views/feeds/search.psql @@ -0,0 +1,111 @@ +CREATE OR REPLACE VIEW optimized_search_index AS +WITH search_data AS ( + SELECT + 'post' AS type, + CONCAT('📝 ', p.title) AS title, + p.url::TEXT AS url, + p.description AS description, + p.tags, + NULL AS genre_name, + NULL AS genre_url, + NULL::TEXT AS total_plays, + p.date AS content_date + FROM + optimized_posts p + UNION ALL + SELECT + 'link' AS type, + CONCAT('🔗 ', l.title, ' via ', l.name) AS title, + l.link::TEXT AS url, + l.description AS description, + l.tags, + NULL AS genre_name, + NULL AS genre_url, + NULL::TEXT AS total_plays, + l.date AS content_date + FROM + optimized_links l + UNION ALL + SELECT + 'book' AS type, + CASE WHEN b.rating IS NOT NULL THEN + CONCAT('📖 ', b.title, ' (', b.rating, ')') + ELSE + CONCAT('📖 ', b.title) + END AS title, + b.url::TEXT AS url, + b.description AS description, + b.tags, + NULL AS genre_name, + NULL AS genre_url, + NULL::TEXT AS total_plays, + b.date_finished AS content_date + FROM + optimized_books b + WHERE + LOWER(b.status) = 'finished' + UNION ALL + SELECT + 'artist' AS type, + CONCAT(COALESCE(ar.emoji, ar.genre_emoji, '🎧'), ' ', ar.name) AS title, + ar.url::TEXT AS url, + ar.description AS description, + ARRAY[ar.genre_name] AS tags, + ar.genre_name, + ar.genre_slug AS genre_url, + TO_CHAR(ar.total_plays::NUMERIC, 'FM999,999,999,999') AS total_plays, + NULL AS content_date + FROM + optimized_artists ar + UNION ALL + SELECT + 'genre' AS type, + CONCAT(COALESCE(g.emoji, '🎵'), ' ', g.name) AS title, + g.url::TEXT AS url, + g.description AS description, + NULL AS tags, + g.name AS genre_name, + g.url AS genre_url, + NULL::TEXT AS total_plays, + NULL AS content_date + FROM + optimized_genres g + UNION ALL + SELECT + 'show' AS type, + CONCAT('📺 ', s.title, ' (', s.year, ')') AS title, + s.url::TEXT AS url, + s.description AS description, + s.tags, + NULL AS genre_name, + NULL AS genre_url, + NULL::TEXT AS total_plays, + s.last_watched_at AS content_date + FROM + optimized_shows s + WHERE + s.last_watched_at IS NOT NULL + UNION ALL + SELECT + 'movie' AS type, + CASE + WHEN m.rating IS NOT NULL THEN CONCAT('🎬 ', m.title, ' (', m.rating, ')') + ELSE CONCAT('🎬 ', m.title, ' (', m.year, ')') + END AS title, + m.url::TEXT AS url, + m.description AS description, + m.tags, + NULL AS genre_name, + NULL AS genre_url, + NULL::TEXT AS total_plays, + m.last_watched AS content_date + FROM + optimized_movies m + WHERE + m.last_watched IS NOT NULL +) +SELECT + ROW_NUMBER() OVER (ORDER BY url) AS id, + * +FROM + search_data; diff --git a/queries/views/feeds/sitemap.psql b/queries/views/feeds/sitemap.psql new file mode 100644 index 0000000..b4d0d65 --- /dev/null +++ b/queries/views/feeds/sitemap.psql @@ -0,0 +1,46 @@ +CREATE OR REPLACE VIEW optimized_sitemap AS +WITH sitemap_data AS ( + SELECT + p.url::TEXT AS url + FROM + optimized_posts p + UNION ALL + SELECT + b.url::TEXT AS url + FROM + optimized_books b + UNION ALL + SELECT + m.url::TEXT AS url + FROM + optimized_movies m + UNION ALL + SELECT + ar.url::TEXT AS url + FROM + optimized_artists ar + UNION ALL + SELECT + g.url::TEXT AS url + FROM + optimized_genres g + UNION ALL + SELECT + s.url::TEXT AS url + FROM + optimized_shows s + UNION ALL + SELECT + pa.permalink::TEXT AS url + FROM + optimized_pages pa + UNION ALL + SELECT + ss.slug AS url + FROM + static_slugs ss +) +SELECT + url +FROM + sitemap_data; diff --git a/queries/views/feeds/stats.psql b/queries/views/feeds/stats.psql new file mode 100644 index 0000000..a4665f5 --- /dev/null +++ b/queries/views/feeds/stats.psql @@ -0,0 +1,190 @@ +CREATE OR REPLACE VIEW optimized_stats AS +WITH artist_stats AS ( + SELECT + TO_CHAR(COUNT(DISTINCT artist_name), 'FM999,999,999') AS artist_count + FROM optimized_listens + WHERE artist_name IS NOT NULL +), +track_stats AS ( + SELECT + TO_CHAR(COUNT(*), 'FM999,999,999') AS listen_count + FROM optimized_listens +), +concert_stats AS ( + SELECT + TO_CHAR(COUNT(*), 'FM999,999,999') AS concert_count + FROM concerts +), +venue_stats AS ( + SELECT + TO_CHAR(COUNT(DISTINCT venue), 'FM999,999,999') AS venue_count + FROM concerts +), +yearly_data AS ( + SELECT + EXTRACT(YEAR FROM e.last_watched_at) AS year, + 0 AS artist_count, + 0 AS listen_count, + 0 AS genre_count, + COUNT(DISTINCT e.show) AS show_count, + COUNT(*) AS episode_count, + 0 AS post_count, + 0 AS link_count, + 0 AS book_count, + 0 AS movie_count, + 0 AS concert_count, + 0 AS venue_count + FROM episodes e + GROUP BY EXTRACT(YEAR FROM e.last_watched_at) + HAVING EXTRACT(YEAR FROM e.last_watched_at) >= 2023 + UNION ALL + SELECT + EXTRACT(YEAR FROM p.date) AS year, + 0 AS artist_count, + 0 AS listen_count, + 0 AS genre_count, + 0 AS show_count, + 0 AS episode_count, + COUNT(*) AS post_count, + 0 AS link_count, + 0 AS book_count, + 0 AS movie_count, + 0 AS concert_count, + 0 AS venue_count + FROM optimized_posts p + GROUP BY EXTRACT(YEAR FROM p.date) + HAVING EXTRACT(YEAR FROM p.date) >= 2023 + UNION ALL + SELECT + EXTRACT(YEAR FROM o.date) AS year, + 0 AS artist_count, + 0 AS listen_count, + 0 AS genre_count, + 0 AS show_count, + 0 AS episode_count, + 0 AS post_count, + COUNT(*) AS link_count, + 0 AS book_count, + 0 AS movie_count, + 0 AS concert_count, + 0 AS venue_count + FROM optimized_links o + GROUP BY EXTRACT(YEAR FROM o.date) + HAVING EXTRACT(YEAR FROM o.date) >= 2023 + UNION ALL + SELECT + EXTRACT(YEAR FROM b.date_finished) AS year, + 0 AS artist_count, + 0 AS listen_count, + 0 AS genre_count, + 0 AS show_count, + 0 AS episode_count, + 0 AS post_count, + 0 AS link_count, + COUNT(*) AS book_count, + 0 AS movie_count, + 0 AS concert_count, + 0 AS venue_count + FROM optimized_books b + WHERE LOWER(b.status) = 'finished' + GROUP BY EXTRACT(YEAR FROM b.date_finished) + HAVING EXTRACT(YEAR FROM b.date_finished) >= 2023 + UNION ALL + SELECT + EXTRACT(YEAR FROM m.last_watched) AS year, + 0 AS artist_count, + 0 AS listen_count, + 0 AS genre_count, + 0 AS show_count, + 0 AS episode_count, + 0 AS post_count, + 0 AS link_count, + 0 AS book_count, + COUNT(*) AS movie_count, + 0 AS concert_count, + 0 AS venue_count + FROM optimized_movies m + GROUP BY EXTRACT(YEAR FROM m.last_watched) + HAVING EXTRACT(YEAR FROM m.last_watched) >= 2023 + UNION ALL + SELECT + EXTRACT(YEAR FROM TO_TIMESTAMP(l.listened_at)) AS year, + COUNT(DISTINCT l.artist_name) AS artist_count, + COUNT(l.id) AS listen_count, + COUNT(DISTINCT l.genre_name) AS genre_count, + 0 AS show_count, + 0 AS episode_count, + 0 AS post_count, + 0 AS link_count, + 0 AS book_count, + 0 AS movie_count, + 0 AS concert_count, + 0 AS venue_count + FROM optimized_listens l + GROUP BY EXTRACT(YEAR FROM TO_TIMESTAMP(l.listened_at)) + HAVING EXTRACT(YEAR FROM TO_TIMESTAMP(l.listened_at)) >= 2023 + UNION ALL + SELECT + EXTRACT(YEAR FROM c.date) AS year, + 0 AS artist_count, + 0 AS listen_count, + 0 AS genre_count, + 0 AS show_count, + 0 AS episode_count, + 0 AS post_count, + 0 AS link_count, + 0 AS book_count, + 0 AS movie_count, + COUNT(*) AS concert_count, + COUNT(DISTINCT c.venue) AS venue_count + FROM concerts c + GROUP BY EXTRACT(YEAR FROM c.date) + HAVING EXTRACT(YEAR FROM c.date) >= 2023 +), +aggregated_yearly_stats AS ( + SELECT + year, + SUM(artist_count) AS artist_count, + SUM(listen_count) AS listen_count, + SUM(genre_count) AS genre_count, + SUM(show_count) AS show_count, + SUM(episode_count) AS episode_count, + SUM(post_count) AS post_count, + SUM(link_count) AS link_count, + SUM(book_count) AS book_count, + SUM(movie_count) AS movie_count, + SUM(concert_count) AS concert_count, + SUM(venue_count) AS venue_count + FROM yearly_data + GROUP BY year + ORDER BY year DESC +) +SELECT + (SELECT artist_count FROM artist_stats) AS artist_count, + (SELECT listen_count FROM track_stats) AS listen_count, + (SELECT concert_count FROM concert_stats) AS concert_count, + (SELECT venue_count FROM venue_stats) AS venue_count, + (SELECT TO_CHAR(COUNT(DISTINCT e.show), 'FM999,999,999') FROM episodes e) AS show_count, + (SELECT TO_CHAR(COUNT(*), 'FM999,999,999') FROM episodes e) AS episode_count, + (SELECT TO_CHAR(COUNT(*), 'FM999,999,999') FROM optimized_posts) AS post_count, + (SELECT TO_CHAR(COUNT(*), 'FM999,999,999') FROM optimized_links) AS link_count, + (SELECT TO_CHAR(COUNT(*), 'FM999,999,999') FROM optimized_books WHERE LOWER(status) = 'finished') AS book_count, + (SELECT TO_CHAR(COUNT(*), 'FM999,999,999') FROM optimized_movies WHERE last_watched IS NOT NULL) AS movie_count, + (SELECT TO_CHAR(COUNT(DISTINCT genre_name), 'FM999,999,999') FROM optimized_listens WHERE genre_name IS NOT NULL) AS genre_count, + JSON_AGG( + JSON_BUILD_OBJECT( + 'year', ys.year, + 'artist_count', CASE WHEN ys.artist_count > 0 THEN TO_CHAR(ys.artist_count, 'FM999,999,999') ELSE NULL END, + 'listen_count', CASE WHEN ys.listen_count > 0 THEN TO_CHAR(ys.listen_count, 'FM999,999,999') ELSE NULL END, + 'genre_count', CASE WHEN ys.genre_count > 0 THEN TO_CHAR(ys.genre_count, 'FM999,999,999') ELSE NULL END, + 'show_count', CASE WHEN ys.show_count > 0 THEN TO_CHAR(ys.show_count, 'FM999,999,999') ELSE NULL END, + 'episode_count', CASE WHEN ys.episode_count > 0 THEN TO_CHAR(ys.episode_count, 'FM999,999,999') ELSE NULL END, + 'post_count', CASE WHEN ys.post_count > 0 THEN TO_CHAR(ys.post_count, 'FM999,999,999') ELSE NULL END, + 'link_count', CASE WHEN ys.link_count > 0 THEN TO_CHAR(ys.link_count, 'FM999,999,999') ELSE NULL END, + 'book_count', CASE WHEN ys.book_count > 0 THEN TO_CHAR(ys.book_count, 'FM999,999,999') ELSE NULL END, + 'movie_count', CASE WHEN ys.movie_count > 0 THEN TO_CHAR(ys.movie_count, 'FM999,999,999') ELSE NULL END, + 'concert_count', CASE WHEN ys.concert_count > 0 THEN TO_CHAR(ys.concert_count, 'FM999,999,999') ELSE NULL END, + 'venue_count', CASE WHEN ys.venue_count > 0 THEN TO_CHAR(ys.venue_count, 'FM999,999,999') ELSE NULL END + ) + ) AS yearly_breakdown +FROM aggregated_yearly_stats ys; diff --git a/queries/views/feeds/subscribe.psql b/queries/views/feeds/subscribe.psql new file mode 100644 index 0000000..02fec93 --- /dev/null +++ b/queries/views/feeds/subscribe.psql @@ -0,0 +1,7 @@ +CREATE OR REPLACE VIEW optimized_feeds AS +SELECT + f.title AS title, + f.data AS data, + f.permalink AS permalink +FROM + feeds f; diff --git a/queries/views/feeds/syndication.psql b/queries/views/feeds/syndication.psql new file mode 100644 index 0000000..839ebec --- /dev/null +++ b/queries/views/feeds/syndication.psql @@ -0,0 +1,99 @@ +CREATE OR REPLACE VIEW optimized_syndication AS +WITH syndication_data AS ( + SELECT + p.date AS content_date, + json_build_object( + 'title', CONCAT('📝 ', p.title, ' ', ( + SELECT array_to_string( + array_agg('#' || initcap(replace(trim(tag_part), ' ', ''))), + ' ' + ) + FROM unnest(p.tags) AS t(name), + regexp_split_to_table(t.name, '\s*&\s*') AS tag_part + )), + 'description', p.description, + 'url', p.url, + 'image', p.image, + 'date', p.date + ) AS feed + FROM optimized_posts p + + UNION ALL + + SELECT + l.date AS content_date, + json_build_object( + 'title', CONCAT('🔗 ', l.title, CASE + WHEN l.mastodon IS NOT NULL THEN ' via @' || split_part(l.mastodon, '@', 2) || '@' || split_part(split_part(l.mastodon, 'https://', 2), '/', 1) + ELSE CONCAT(' via ', l.name) + END, ' ', ( + SELECT array_to_string( + array_agg('#' || initcap(replace(trim(tag_part), ' ', ''))), + ' ' + ) + FROM unnest(l.tags) AS t(name), + regexp_split_to_table(t.name, '\s*&\s*') AS tag_part + )), + 'description', l.description, + 'url', l.link, + 'date', l.date + ) AS feed + FROM optimized_links l + + UNION ALL + + SELECT + b.date_finished AS content_date, + CASE + WHEN LOWER(b.status) = 'finished' THEN + json_build_object( + 'title', CONCAT('📖 ', b.title, CASE + WHEN b.rating IS NOT NULL THEN ' (' || b.rating || ')' ELSE '' END, ' ', ( + SELECT array_to_string( + array_agg('#' || initcap(replace(trim(tag_part), ' ', ''))), + ' ' + ) + FROM unnest(b.tags) AS t(name), + regexp_split_to_table(t.name, '\s*&\s*') AS tag_part + ) + ), + 'description', b.description, + 'url', b.url, + 'image', b.image, + 'date', b.date_finished + ) + ELSE NULL + END AS feed + FROM optimized_books b + + UNION ALL + + SELECT + m.last_watched AS content_date, + CASE + WHEN m.last_watched IS NOT NULL THEN + json_build_object( + 'title', CONCAT('🎥 ', m.title, CASE + WHEN m.rating IS NOT NULL THEN ' (' || m.rating || ')' ELSE '' END, ' ', ( + SELECT array_to_string( + array_agg('#' || initcap(replace(trim(tag_part), ' ', ''))), + ' ' + ) + FROM unnest(m.tags) AS t(name), + regexp_split_to_table(t.name, '\s*&\s*') AS tag_part + ) + ), + 'description', m.description, + 'url', m.url, + 'image', m.image, + 'date', m.last_watched + ) + ELSE NULL + END AS feed + FROM optimized_movies m +) +SELECT feed +FROM syndication_data +WHERE feed IS NOT NULL +ORDER BY content_date DESC +LIMIT 3; diff --git a/queries/views/globals/index.psql b/queries/views/globals/index.psql new file mode 100644 index 0000000..312b691 --- /dev/null +++ b/queries/views/globals/index.psql @@ -0,0 +1,23 @@ +CREATE OR REPLACE VIEW optimized_globals AS +SELECT + g.site_name, + g.site_description, + g.intro, + g.author, + g.email, + g.mastodon, + g.url, + g.cdn_url, + g.sitemap_uri, + g.theme_color, + g.site_type, + g.locale, + g.lang, + g.webfinger_username, + g.webfinger_hostname, + CONCAT('/', df.filename_disk) AS avatar, + CONCAT('/', df2.filename_disk) AS avatar_transparent +FROM + globals g + LEFT JOIN directus_files df ON g.avatar = df.id + LEFT JOIN directus_files df2 ON g.avatar_transparent = df2.id diff --git a/queries/views/globals/nav.psql b/queries/views/globals/nav.psql new file mode 100644 index 0000000..26ed691 --- /dev/null +++ b/queries/views/globals/nav.psql @@ -0,0 +1,14 @@ +CREATE OR REPLACE VIEW optimized_navigation AS +SELECT + n.id, + n.menu_location, + n.permalink, + n.icon, + n.title, + n.sort, + p.title AS page_title, + p.permalink AS page_permalink +FROM + navigation n + LEFT JOIN pages p ON n.pages = p.id; + diff --git a/queries/views/globals/pages.psql b/queries/views/globals/pages.psql new file mode 100644 index 0000000..14d83e5 --- /dev/null +++ b/queries/views/globals/pages.psql @@ -0,0 +1,54 @@ +CREATE OR REPLACE VIEW optimized_pages AS +SELECT + p.id, + p.title, + p.permalink, + p.description, + CONCAT('/', df.filename_disk) AS open_graph_image, + p.updated, +( + SELECT + json_agg( + CASE WHEN pb.collection = 'youtube_player' THEN + json_build_object('type', pb.collection, 'url', yp.url) + WHEN pb.collection = 'github_banner' THEN + json_build_object('type', pb.collection, 'url', gb.url) + WHEN pb.collection = 'npm_banner' THEN + json_build_object('type', pb.collection, 'url', nb.url, 'command', nb.command) + WHEN pb.collection = 'rss_banner' THEN + json_build_object('type', pb.collection, 'url', rb.url, 'text', rb.text) + WHEN pb.collection = 'calendar_banner' THEN + json_build_object('type', pb.collection, 'url', cb.url, 'text', cb.text) + WHEN pb.collection = 'hero' THEN + json_build_object('type', pb.collection, 'image', CONCAT('/', df_hero.filename_disk), 'alt', h.alt_text) + WHEN pb.collection = 'markdown' THEN + json_build_object('type', pb.collection, 'text', md.text) + ELSE + json_build_object('type', pb.collection) + END ORDER BY pb.sort) + FROM + pages_blocks pb + LEFT JOIN youtube_player yp ON pb.collection = 'youtube_player' + AND yp.id = pb.item::integer + LEFT JOIN github_banner gb ON pb.collection = 'github_banner' + AND gb.id = pb.item::integer + LEFT JOIN npm_banner nb ON pb.collection = 'npm_banner' + AND nb.id = pb.item::integer + LEFT JOIN rss_banner rb ON pb.collection = 'rss_banner' + AND rb.id = pb.item::integer + LEFT JOIN calendar_banner cb ON pb.collection = 'calendar_banner' + AND cb.id = pb.item::integer + LEFT JOIN hero h ON pb.collection = 'hero' + AND h.id = pb.item::integer + LEFT JOIN directus_files df_hero ON h.image = df_hero.id + LEFT JOIN markdown md ON pb.collection = 'markdown' + AND md.id = pb.item::integer +WHERE + pb.pages_id = p.id) AS blocks +FROM + pages p + LEFT JOIN directus_files df ON p.open_graph_image = df.id +GROUP BY + p.id, + df.filename_disk; + diff --git a/queries/views/media/books.psql b/queries/views/media/books.psql new file mode 100644 index 0000000..b13ced2 --- /dev/null +++ b/queries/views/media/books.psql @@ -0,0 +1,107 @@ +CREATE OR REPLACE VIEW optimized_books AS +SELECT + b.date_finished, + EXTRACT(YEAR FROM b.date_finished) AS year, + b.author, + b.description, + b.title, + b.progress, + b.read_status AS status, + b.star_rating AS rating, + b.review, + b.slug AS url, + CONCAT('/', df.filename_disk) AS image, + b.favorite, + b.tattoo, +( + SELECT + array_agg(t.name) + FROM + books_tags bt + LEFT JOIN tags t ON bt.tags_id = t.id + WHERE + bt.books_id = b.id) AS tags, +( + SELECT + json_agg(json_build_object('name', a.name_string, 'url', a.slug, 'country', a.country, 'total_plays', a.total_plays) + ORDER BY a.name_string ASC) + FROM + books_artists ba + LEFT JOIN artists a ON ba.artists_id = a.id + WHERE + ba.books_id = b.id) AS artists, +( + SELECT + json_agg(json_build_object('title', m.title, 'year', m.year, 'url', m.slug) + ORDER BY m.year DESC) + FROM + movies_books mb + LEFT JOIN movies m ON mb.movies_id = m.id + WHERE + mb.books_id = b.id) AS movies, +( + SELECT + json_agg(json_build_object('name', g.name, 'url', g.slug) + ORDER BY g.name ASC) + FROM + genres_books gb + LEFT JOIN genres g ON gb.genres_id = g.id + WHERE + gb.books_id = b.id) AS genres, +( + SELECT + json_agg(json_build_object('title', s.title, 'year', s.year, 'url', s.slug) + ORDER BY s.year DESC) + FROM + shows_books sb + LEFT JOIN shows s ON sb.shows_id = s.id + WHERE + sb.books_id = b.id) AS shows, +( + SELECT + json_agg(json_build_object('title', p.title, 'date', p.date, 'url', p.slug) + ORDER BY p.date DESC) + FROM + posts_books pb + LEFT JOIN posts p ON pb.posts_id = p.id + WHERE + pb.books_id = b.id) AS posts, +( + SELECT + json_agg(json_build_object('title', rb.title, 'author', rb.author, 'url', rb.slug) + ORDER BY rb.title ASC) + FROM + related_books rbk + LEFT JOIN books rb ON rbk.related_books_id = rb.id + WHERE + rbk.books_id = b.id) AS related_books, + json_build_object( + 'title', NULL, + 'image', CONCAT('/', df.filename_disk), + 'url', b.slug, + 'alt', CONCAT('Book cover from ', b.title, ' by ', b.author), + 'subtext', CASE + WHEN b.star_rating IS NOT NULL THEN b.star_rating::text + ELSE NULL + END + ) AS grid, +CASE + WHEN LOWER(b.read_status) = 'finished' AND b.star_rating IS NOT NULL THEN + json_build_object( + 'title', CONCAT(b.title, ' by ', b.author, ' (', b.star_rating, ')'), + 'url', b.slug, + 'date', b.date_finished, + 'description', COALESCE(b.review, b.description), + 'image', CONCAT('/', df.filename_disk), + 'rating', b.star_rating + ) + ELSE + NULL +END AS feed, +(SELECT TO_CHAR(days_read, 'FM999G999G999') FROM reading_streak LIMIT 1) AS days_read +FROM + books b + LEFT JOIN directus_files df ON b.art = df.id +GROUP BY + b.id, + df.filename_disk; diff --git a/queries/views/media/movies.psql b/queries/views/media/movies.psql new file mode 100644 index 0000000..3d78b31 --- /dev/null +++ b/queries/views/media/movies.psql @@ -0,0 +1,119 @@ +CREATE OR REPLACE VIEW optimized_movies AS +SELECT + m.id, + m.tmdb_id, + m.last_watched, + m.title, + m.year, + m.plays, + m.favorite, + m.tattoo, + m.star_rating AS rating, + m.description, + m.review, + m.slug AS url, + CONCAT('/', df.filename_disk) AS image, + CONCAT('/', df2.filename_disk) AS backdrop, + json_build_object( + 'title', NULL, + 'url', m.slug, + 'image', CONCAT('/', df.filename_disk), + 'backdrop', CONCAT('/', df2.filename_disk), + 'alt', CONCAT('Poster from ', m.title), + 'subtext', CASE + WHEN m.last_watched >= NOW() - INTERVAL '90 days' THEN + m.star_rating::text + ELSE + m.year::text + END + ) AS grid, + ( + SELECT + array_agg(t.name) + FROM + movies_tags mt + LEFT JOIN tags t ON mt.tags_id = t.id + WHERE + mt.movies_id = m.id) AS tags, +( + SELECT + json_agg(json_build_object('name', g.name, 'url', g.slug) + ORDER BY g.name ASC) + FROM + genres_movies gm + LEFT JOIN genres g ON gm.genres_id = g.id +WHERE + gm.movies_id = m.id) AS genres, +( + SELECT + json_agg(json_build_object('name', a.name_string, 'url', a.slug, 'country', a.country, 'total_plays', a.total_plays) + ORDER BY a.name_string ASC) + FROM + movies_artists ma + LEFT JOIN artists a ON ma.artists_id = a.id +WHERE + ma.movies_id = m.id) AS artists, +( + SELECT + json_agg(json_build_object('title', b.title, 'author', b.author, 'url', b.slug) + ORDER BY b.title ASC) + FROM + movies_books mb + LEFT JOIN books b ON mb.books_id = b.id +WHERE + mb.movies_id = m.id) AS books, +( + SELECT + json_agg(json_build_object('title', s.title, 'year', s.year, 'url', s.slug) + ORDER BY s.year DESC) + FROM + shows_movies sm + LEFT JOIN shows s ON sm.shows_id = s.id +WHERE + sm.movies_id = m.id) AS shows, +( + SELECT + json_agg(json_build_object('title', p.title, 'date', p.date, 'url', p.slug) + ORDER BY p.date DESC) + FROM + posts_movies pm + LEFT JOIN posts p ON pm.posts_id = p.id +WHERE + pm.movies_id = m.id) AS posts, +( + SELECT + json_agg(json_build_object('title', rm.title, 'year', rm.year, 'url', rm.slug) + ORDER BY rm.year DESC) + FROM + related_movies r + LEFT JOIN movies rm ON r.related_movies_id = rm.id +WHERE + r.movies_id = m.id) AS related_movies, +CASE + WHEN m.star_rating IS NOT NULL AND m.last_watched IS NOT NULL THEN + json_build_object( + 'title', CONCAT(m.title, CASE + WHEN m.star_rating IS NOT NULL THEN CONCAT(' (', m.star_rating, ')') + ELSE '' + END), + 'url', m.slug, + 'date', m.last_watched, + 'description', COALESCE(m.review, m.description), + 'image', CONCAT('/', df.filename_disk), + 'rating', m.star_rating + ) + ELSE + NULL +END AS feed +FROM + movies m + LEFT JOIN directus_files df ON m.art = df.id + LEFT JOIN directus_files df2 ON m.backdrop = df2.id +GROUP BY + m.id, + df.filename_disk, + df2.filename_disk +ORDER BY + m.last_watched DESC, + m.favorite DESC, + m.title ASC; diff --git a/queries/views/media/music/album-releases.psql b/queries/views/media/music/album-releases.psql new file mode 100644 index 0000000..8f5ea08 --- /dev/null +++ b/queries/views/media/music/album-releases.psql @@ -0,0 +1,22 @@ +CREATE OR REPLACE VIEW optimized_album_releases AS +SELECT + a.name AS title, + a.release_date, + COALESCE(a.release_link, ar.slug) AS url, + a.total_plays, + CONCAT('/', df.filename_disk) AS image, + json_build_object('name', ar.name_string, 'url', ar.slug, 'description', ar.description) AS artist, + EXTRACT(EPOCH FROM a.release_date) AS release_timestamp, + json_build_object( + 'title', a.name, + 'image', CONCAT('/', df.filename_disk), + 'url', COALESCE(a.release_link, ar.slug), + 'alt', CONCAT(a.name, ' by ', ar.name_string), + 'subtext', CONCAT(ar.name_string, ' / ', TO_CHAR(a.release_date, 'Mon FMDD, YYYY')) + ) AS grid +FROM + albums a + LEFT JOIN directus_files df ON a.art = df.id + LEFT JOIN artists ar ON a.artist = ar.id +WHERE + a.release_date IS NOT NULL; diff --git a/queries/views/media/music/albums.psql b/queries/views/media/music/albums.psql new file mode 100644 index 0000000..d427923 --- /dev/null +++ b/queries/views/media/music/albums.psql @@ -0,0 +1,29 @@ +CREATE OR REPLACE VIEW optimized_albums AS +SELECT + al.name AS name, + al.release_year, + to_char(al.total_plays, 'FM999,999,999,999') AS total_plays, + al.total_plays AS total_plays_raw, + ar.name_string AS artist_name, + ar.slug AS artist_url, + CONCAT('/', df_album.filename_disk) AS image, + json_build_object( + 'title', al.name, + 'image', CONCAT('/', df_album.filename_disk), + 'url', ar.slug, + 'alt', CONCAT('Cover for ', al.name, ' by ', ar.name_string), + 'subtext', CONCAT(to_char(al.total_plays, 'FM999,999,999,999'), ' plays') + ) AS grid, + json_build_object( + 'title', al.name, + 'artist', ar.name_string, + 'plays', to_char(al.total_plays, 'FM999,999,999,999'), + 'image', CONCAT('/', df_album.filename_disk), + 'url', ar.slug, + 'year', al.release_year, + 'alt', CONCAT('Cover for ', al.name, ' by ', ar.name_string) + ) AS table +FROM albums al +LEFT JOIN artists ar ON al.artist = ar.id +LEFT JOIN directus_files df_album ON al.art = df_album.id +GROUP BY al.id, ar.name_string, ar.slug, df_album.filename_disk; diff --git a/queries/views/media/music/artists.psql b/queries/views/media/music/artists.psql new file mode 100644 index 0000000..040bb55 --- /dev/null +++ b/queries/views/media/music/artists.psql @@ -0,0 +1,109 @@ +CREATE OR REPLACE VIEW optimized_artists AS +SELECT + ar.name_string AS name, + ar.slug AS url, + ar.tentative, + to_char(ar.total_plays, 'FM999,999,999,999') AS total_plays, + ar.total_plays AS total_plays_raw, + ar.country, + ar.description, + ar.favorite, + g.name AS genre_name, + g.slug AS genre_slug, + g.emoji AS genre_emoji, + json_build_object('name', g.name, 'url', g.slug, 'emoji', g.emoji) AS genre, + ar.emoji, + ar.tattoo, + CONCAT('/', df.filename_disk) AS image, + json_build_object( + 'title', ar.name_string, + 'image', + CONCAT('/', df.filename_disk), + 'url', ar.slug, + 'alt', CONCAT(to_char(ar.total_plays, 'FM999,999,999,999'), ' plays of ', ar.name_string), + 'subtext', CONCAT(to_char(ar.total_plays, 'FM999,999,999,999'), ' plays') + ) AS grid, + json_build_object( + 'title', ar.name_string, + 'genre', g.name, + 'genre_url', g.slug, + 'emoji', CASE WHEN ar.emoji IS NOT NULL THEN ar.emoji ELSE g.emoji END, + 'plays', to_char(ar.total_plays, 'FM999,999,999,999'), + 'image', CONCAT('/', df.filename_disk), + 'url', ar.slug, + 'alt', CONCAT(to_char(ar.total_plays, 'FM999,999,999,999'), ' plays of ', ar.name_string) + ) AS table, + ( + SELECT + json_agg(json_build_object('name', a.name, 'release_year', a.release_year, 'total_plays', to_char(a.total_plays, 'FM999,999,999,999'), + 'art', df_album.filename_disk) + ORDER BY a.release_year) + FROM + albums a + LEFT JOIN directus_files df_album ON a.art = df_album.id + WHERE + a.artist = ar.id) AS albums, + ( + SELECT + json_agg(json_build_object('id', c.id, 'date', c.date, 'venue_name', v.name, 'venue_name_short', trim(split_part(v.name, ',', 1)), 'venue_latitude', v.latitude, 'venue_longitude', v.longitude, 'notes', c.notes) + ORDER BY c.date DESC) + FROM + concerts c + LEFT JOIN venues v ON c.venue = v.id + WHERE + c.artist = ar.id) AS concerts, + ( + SELECT + json_agg(json_build_object('title', b.title, 'author', b.author, 'url', b.slug) + ORDER BY b.title ASC) + FROM + books_artists ba + LEFT JOIN books b ON ba.books_id = b.id + WHERE + ba.artists_id = ar.id) AS books, + ( + SELECT + json_agg(json_build_object('title', m.title, 'year', m.year, 'url', m.slug) + ORDER BY m.year DESC) + FROM + movies_artists ma + LEFT JOIN movies m ON ma.movies_id = m.id + WHERE + ma.artists_id = ar.id) AS movies, + ( + SELECT + json_agg(json_build_object('title', s.title, 'year', s.year, 'url', s.slug) + ORDER BY s.year DESC) + FROM + shows_artists sa + LEFT JOIN shows s ON sa.shows_id = s.id + WHERE + sa.artists_id = ar.id) AS shows, + ( + SELECT + json_agg(json_build_object('title', p.title, 'date', p.date, 'url', p.slug) + ORDER BY p.date DESC) + FROM + posts_artists pa + LEFT JOIN posts p ON pa.posts_id = p.id + WHERE + pa.artists_id = ar.id) AS posts, + ( + SELECT + json_agg(json_build_object('name', related_ar.name_string, 'url', related_ar.slug, 'country', related_ar.country, 'total_plays', to_char(related_ar.total_plays, 'FM999,999,999,999')) + ORDER BY related_ar.name_string) + FROM + related_artists ra + LEFT JOIN artists related_ar ON ra.related_artists_id = related_ar.id + WHERE + ra.artists_id = ar.id) AS related_artists +FROM + artists ar + LEFT JOIN directus_files df ON ar.art = df.id + LEFT JOIN genres g ON ar.genres = g.id +GROUP BY + ar.id, + df.filename_disk, + g.name, + g.slug, + g.emoji; diff --git a/queries/views/media/music/concerts.psql b/queries/views/media/music/concerts.psql new file mode 100644 index 0000000..4111299 --- /dev/null +++ b/queries/views/media/music/concerts.psql @@ -0,0 +1,19 @@ +CREATE OR REPLACE VIEW optimized_concerts AS +SELECT + c.id, + c.date, + c.notes, + CASE WHEN c.artist IS NOT NULL THEN + json_build_object('name', a.name_string, 'url', a.slug) + ELSE + json_build_object('name', c.artist_name_string, 'url', NULL) + END AS artist, + json_build_object('name', v.name, 'name_short', trim(split_part(v.name, ',', 1)), 'latitude', v.latitude, 'longitude', v.longitude, 'notes', v.notes) AS venue, + c.notes AS concert_notes +FROM + concerts c + LEFT JOIN artists a ON c.artist = a.id + LEFT JOIN venues v ON c.venue = v.id +ORDER BY + c.date DESC; + diff --git a/queries/views/media/music/genres.psql b/queries/views/media/music/genres.psql new file mode 100644 index 0000000..7709a84 --- /dev/null +++ b/queries/views/media/music/genres.psql @@ -0,0 +1,50 @@ +CREATE OR REPLACE VIEW optimized_genres AS +SELECT + g.id, + g.name, + g.description, + g.emoji, + to_char(g.total_plays, 'FM999,999,999,999') AS total_plays, + g.wiki_link, + g.slug AS url, +( + SELECT + json_agg(json_build_object('name', a.name_string, 'url', a.slug, 'image', CONCAT('/', df_artist.filename_disk), 'total_plays', to_char(a.total_plays, 'FM999,999,999,999')) + ORDER BY a.total_plays DESC) + FROM + artists a + LEFT JOIN directus_files df_artist ON a.art = df_artist.id + WHERE + a.genres = g.id) AS artists, +( + SELECT + json_agg(json_build_object('title', b.title, 'author', b.author, 'url', b.slug) + ORDER BY b.title ASC) + FROM + books b + JOIN genres_books gb ON gb.books_id = b.id + WHERE + gb.genres_id = g.id) AS books, +( + SELECT + json_agg(json_build_object('title', m.title, 'year', m.year, 'url', m.slug) + ORDER BY m.year DESC) + FROM + movies m + JOIN genres_movies gm ON gm.movies_id = m.id + WHERE + gm.genres_id = g.id) AS movies, +( + SELECT + json_agg(json_build_object('title', p.title, 'date', p.date, 'url', p.slug) + ORDER BY p.date DESC) + FROM + posts_genres pg + LEFT JOIN posts p ON pg.posts_id = p.id + WHERE + pg.genres_id = g.id) AS posts + FROM + genres g + ORDER BY + g.id ASC; + diff --git a/queries/views/media/music/latest-listen.psql b/queries/views/media/music/latest-listen.psql new file mode 100644 index 0000000..34766b4 --- /dev/null +++ b/queries/views/media/music/latest-listen.psql @@ -0,0 +1,19 @@ +CREATE OR REPLACE VIEW optimized_latest_listen AS +SELECT + l.track_name::TEXT AS track_name, + l.artist_name::TEXT AS artist_name, + a.emoji::TEXT AS artist_emoji, + g.emoji::TEXT AS genre_emoji, + a.slug::TEXT AS url, + NULL::FLOAT AS total_duration, + NULL::FLOAT AS progress_ticks +FROM + listens l +JOIN + artists a + ON l.artist_name = a.name_string +LEFT JOIN + genres g + ON a.genres = g.id +ORDER BY l.listened_at DESC +LIMIT 1; diff --git a/queries/views/media/music/listens.psql b/queries/views/media/music/listens.psql new file mode 100644 index 0000000..acc0336 --- /dev/null +++ b/queries/views/media/music/listens.psql @@ -0,0 +1,28 @@ +CREATE OR REPLACE VIEW optimized_listens AS SELECT DISTINCT ON (l.id, l.listened_at, l.track_name, l.artist_name, l.album_name) + l.id, + l.listened_at, + l.track_name, + l.artist_name, + l.album_name, + l.album_key, + CONCAT('/', df_art.filename_disk) AS artist_art, + a.genres AS artist_genres, + g.name AS genre_name, + g.slug AS genre_url, + a.country AS artist_country, + a.slug AS artist_url, + CONCAT('/', df_album.filename_disk) AS album_art +FROM + listens l + LEFT JOIN artists a ON (l.artist_name = a.name_string) + LEFT JOIN albums al ON (l.album_key = al.key) + LEFT JOIN directus_files df_art ON (a.art = df_art.id) + LEFT JOIN directus_files df_album ON (al.art = df_album.id) + LEFT JOIN genres g ON (a.genres = g.id) +ORDER BY + l.id, + l.listened_at, + l.track_name, + l.artist_name, + l.album_name; + diff --git a/queries/views/media/music/month/albums.psql b/queries/views/media/music/month/albums.psql new file mode 100644 index 0000000..b2b68a9 --- /dev/null +++ b/queries/views/media/music/month/albums.psql @@ -0,0 +1,20 @@ +CREATE OR REPLACE VIEW month_albums AS +SELECT + ol.album_name, + ol.artist_name, + COUNT(*) AS plays, + ol.album_art, + ol.artist_url, + json_build_object('title', ol.album_name, 'image', ol.album_art, 'url', ol.artist_url, 'alt', CONCAT(ol.album_name, ' by ', ol.artist_name), 'subtext', ol.artist_name) AS grid +FROM + optimized_listens ol +WHERE + TO_TIMESTAMP(ol.listened_at) >= NOW() - INTERVAL '30 days' +GROUP BY + ol.album_name, + ol.artist_name, + ol.album_art, + ol.artist_url +ORDER BY + plays DESC; + diff --git a/queries/views/media/music/month/artists.psql b/queries/views/media/music/month/artists.psql new file mode 100644 index 0000000..f469201 --- /dev/null +++ b/queries/views/media/music/month/artists.psql @@ -0,0 +1,19 @@ +CREATE OR REPLACE VIEW month_artists AS +SELECT + ol.artist_name, + COUNT(*) AS plays, + ol.artist_art, + ol.artist_url, + ARRAY_AGG(DISTINCT ol.genre_name) AS genres, + json_build_object('title', ol.artist_name, 'image', ol.artist_art, 'url', ol.artist_url, 'alt', CONCAT(COUNT(*), ' plays of ', ol.artist_name), 'subtext', CONCAT(COUNT(*), ' plays')) AS grid +FROM + optimized_listens ol +WHERE + TO_TIMESTAMP(ol.listened_at) >= NOW() - INTERVAL '30 days' +GROUP BY + ol.artist_name, + ol.artist_art, + ol.artist_url +ORDER BY + plays DESC; + diff --git a/queries/views/media/music/month/genres.psql b/queries/views/media/music/month/genres.psql new file mode 100644 index 0000000..e8089aa --- /dev/null +++ b/queries/views/media/music/month/genres.psql @@ -0,0 +1,16 @@ +CREATE OR REPLACE VIEW month_genres AS +SELECT + ol.genre_name, + ol.genre_url, + COUNT(*) AS plays, + json_build_object('alt', ol.genre_name, 'subtext', CONCAT(COUNT(*), ' plays')) AS grid +FROM + optimized_listens ol +WHERE + TO_TIMESTAMP(ol.listened_at) >= NOW() - INTERVAL '30 days' +GROUP BY + ol.genre_name, + ol.genre_url +ORDER BY + plays DESC; + diff --git a/queries/views/media/music/month/tracks.psql b/queries/views/media/music/month/tracks.psql new file mode 100644 index 0000000..9db3477 --- /dev/null +++ b/queries/views/media/music/month/tracks.psql @@ -0,0 +1,37 @@ +CREATE OR REPLACE VIEW month_tracks AS +WITH track_stats AS ( + SELECT + ol.track_name, + ol.artist_name, + ol.album_name, + COUNT(*) AS plays, + MAX(ol.listened_at) AS last_listened, + ol.album_art, + ol.artist_url, + MAX(COUNT(*)) OVER () AS most_played + FROM + optimized_listens ol + WHERE + TO_TIMESTAMP(ol.listened_at) >= NOW() - INTERVAL '30 days' + GROUP BY + ol.track_name, + ol.artist_name, + ol.album_name, + ol.album_art, + ol.artist_url +) +SELECT + track_name, + artist_name, + album_name, + plays, + last_listened, + album_art, + artist_url, + json_build_object('title', track_name, 'artist', artist_name, 'url', artist_url, 'plays', plays, 'alt', CONCAT(track_name, ' by ', artist_name), 'subtext', CONCAT(album_name, ' (', plays, ' plays)'), 'percentage', ROUND((plays::decimal / most_played) * 100, 2)) AS chart +FROM + track_stats +ORDER BY + plays DESC, + last_listened DESC; + diff --git a/queries/views/media/music/recent-tracks.psql b/queries/views/media/music/recent-tracks.psql new file mode 100644 index 0000000..59b0e59 --- /dev/null +++ b/queries/views/media/music/recent-tracks.psql @@ -0,0 +1,23 @@ +CREATE OR REPLACE VIEW recent_tracks AS +SELECT + ol.id, + ol.listened_at, + ol.track_name, + ol.artist_name, + ol.album_name, + ol.album_key, + ol.artist_art, + ol.artist_genres, + ol.genre_name, + ol.artist_country, + ol.album_art, + ol.artist_url, + ol.genre_url, + json_build_object('title', ol.track_name, 'subtext', ol.artist_name, 'alt', CONCAT(ol.track_name, ' by ', ol.artist_name), 'url', ol.artist_url, 'image', ol.album_art, 'played_at', ol.listened_at) AS chart +FROM + optimized_listens ol +WHERE + TO_TIMESTAMP(ol.listened_at) >= NOW() - INTERVAL '7 days' +ORDER BY + TO_TIMESTAMP(ol.listened_at) DESC; + diff --git a/queries/views/media/music/week/albums.psql b/queries/views/media/music/week/albums.psql new file mode 100644 index 0000000..34a09b3 --- /dev/null +++ b/queries/views/media/music/week/albums.psql @@ -0,0 +1,20 @@ +CREATE OR REPLACE VIEW week_albums AS +SELECT + ol.album_name, + ol.artist_name, + COUNT(*) AS plays, + ol.album_art, + ol.artist_url, + json_build_object('title', ol.album_name, 'image', ol.album_art, 'url', ol.artist_url, 'alt', CONCAT(ol.album_name, ' by ', ol.artist_name), 'subtext', ol.artist_name) AS grid +FROM + optimized_listens ol +WHERE + TO_TIMESTAMP(ol.listened_at) >= NOW() - INTERVAL '7 days' +GROUP BY + ol.album_name, + ol.artist_name, + ol.album_art, + ol.artist_url +ORDER BY + plays DESC; + diff --git a/queries/views/media/music/week/artists.psql b/queries/views/media/music/week/artists.psql new file mode 100644 index 0000000..0e5cdb7 --- /dev/null +++ b/queries/views/media/music/week/artists.psql @@ -0,0 +1,18 @@ +CREATE OR REPLACE VIEW week_artists AS +SELECT + ol.artist_name, + COUNT(*) AS plays, + ol.artist_art, + ol.artist_url, + ARRAY_AGG(DISTINCT ol.genre_name) AS genres, + json_build_object('title', ol.artist_name, 'image', ol.artist_art, 'url', ol.artist_url, 'alt', CONCAT(COUNT(*), ' plays of ', ol.artist_name), 'subtext', CONCAT(COUNT(*), ' plays')) AS grid +FROM + optimized_listens ol +WHERE + TO_TIMESTAMP(ol.listened_at) >= NOW() - INTERVAL '7 days' +GROUP BY + ol.artist_name, + ol.artist_art, + ol.artist_url +ORDER BY + plays DESC; diff --git a/queries/views/media/music/week/genres.psql b/queries/views/media/music/week/genres.psql new file mode 100644 index 0000000..28339ee --- /dev/null +++ b/queries/views/media/music/week/genres.psql @@ -0,0 +1,16 @@ +CREATE OR REPLACE VIEW week_genres AS +SELECT + ol.genre_name, + ol.genre_url, + COUNT(*) AS plays, + json_build_object('alt', ol.genre_name, 'subtext', CONCAT(COUNT(*), ' plays')) AS grid +FROM + optimized_listens ol +WHERE + TO_TIMESTAMP(ol.listened_at) >= NOW() - INTERVAL '7 days' +GROUP BY + ol.genre_name, + ol.genre_url +ORDER BY + plays DESC; + diff --git a/queries/views/media/music/week/tracks.psql b/queries/views/media/music/week/tracks.psql new file mode 100644 index 0000000..3359c70 --- /dev/null +++ b/queries/views/media/music/week/tracks.psql @@ -0,0 +1,46 @@ +CREATE OR REPLACE VIEW week_tracks AS +WITH track_stats AS ( + SELECT + ol.track_name, + ol.artist_name, + ol.album_name, + COUNT(*) AS plays, + MAX(ol.listened_at) AS last_listened, + ol.album_art, + ol.artist_url, + MAX(COUNT(*)) OVER () AS most_played, + RANK() OVER (ORDER BY COUNT(*) DESC, MAX(ol.listened_at) DESC) AS rank + FROM + optimized_listens ol + WHERE + TO_TIMESTAMP(ol.listened_at) >= NOW() - INTERVAL '7 days' + GROUP BY + ol.track_name, + ol.artist_name, + ol.album_name, + ol.album_art, + ol.artist_url +) +SELECT + track_name, + artist_name, + album_name, + plays, + last_listened, + album_art, + artist_url, + json_build_object( + 'title', track_name, + 'artist', artist_name, + 'url', artist_url, + 'plays', plays, + 'alt', CONCAT(track_name, ' by ', artist_name), + 'subtext', CONCAT(album_name, ' (', plays, ' plays)'), + 'percentage', ROUND((plays::decimal / most_played) * 100, 2), + 'rank', rank + ) AS chart +FROM + track_stats +ORDER BY + plays DESC, + last_listened DESC; diff --git a/queries/views/media/recent-media.psql b/queries/views/media/recent-media.psql new file mode 100644 index 0000000..f0d3ad4 --- /dev/null +++ b/queries/views/media/recent-media.psql @@ -0,0 +1,248 @@ +CREATE OR REPLACE VIEW optimized_recent_media AS +WITH ordered_artists AS ( + SELECT + wa.artist_name, + wa.artist_art, + wa.artist_url, + wa.plays, + json_build_object( + 'title', wa.artist_name, + 'image', wa.artist_art, + 'url', wa.artist_url, + 'alt', CONCAT(wa.plays, ' plays of ', wa.artist_name), + 'subtext', CONCAT(wa.plays, ' plays') + ) AS grid + FROM week_artists wa + ORDER BY wa.plays DESC, wa.artist_name ASC +), +ordered_albums AS ( + SELECT + wa.album_name, + wa.album_art, + wa.artist_name, + wa.artist_url, + wa.plays, + json_build_object( + 'title', wa.album_name, + 'image', wa.album_art, + 'url', wa.artist_url, + 'alt', CONCAT(wa.album_name, ' by ', wa.artist_name, ' (', wa.plays, ' plays)'), + 'subtext', wa.artist_name + ) AS grid + FROM week_albums wa + ORDER BY wa.plays DESC, wa.album_name ASC +), +recent_music AS ( + SELECT * FROM ( + ( + SELECT + artist_name AS title, + artist_art AS image, + artist_url AS url, + 'music' AS type, + 1 AS rank, + grid + FROM ordered_artists + LIMIT 1 + ) + UNION ALL + ( + SELECT + album_name AS title, + album_art AS image, + artist_url AS url, + 'music' AS type, + 2 AS rank, + grid + FROM ordered_albums + LIMIT 1 + ) + UNION ALL + ( + SELECT + artist_name AS title, + artist_art AS image, + artist_url AS url, + 'music' AS type, + 3 AS rank, + grid + FROM ordered_artists + OFFSET 1 LIMIT 1 + ) + UNION ALL + ( + SELECT + album_name AS title, + album_art AS image, + artist_url AS url, + 'music' AS type, + 4 AS rank, + grid + FROM ordered_albums + OFFSET 1 LIMIT 1 + ) + ) AS recent_music_subquery +), +recent_watched_read AS ( + SELECT * FROM ( + ( + SELECT + om.title, + om.image, + om.url, + 'tv' AS type, + 1 AS rank, + json_build_object( + 'title', null, + 'url', om.url, + 'image', om.image, + 'backdrop', om.backdrop, + 'alt', CONCAT('Poster from ', om.title, ' (', om.year, ')'), + 'subtext', CASE WHEN om.rating IS NOT NULL THEN + om.rating::text + ELSE + om.year::text + END + ) AS grid + FROM optimized_movies om + WHERE om.last_watched IS NOT NULL + ORDER BY om.last_watched DESC, om.title ASC + LIMIT 1 + ) + UNION ALL + ( + SELECT + os.title, + os.image, + os.url, + 'tv' AS type, + 2 AS rank, + json_build_object( + 'title', null, + 'image', os.image, + 'url', os.url, + 'alt', CONCAT('Poster from ', os.title), + 'subtext', ( + SELECT CONCAT('S', e.season_number, 'E', e.episode_number) + FROM episodes e + WHERE e.show = os.id + ORDER BY e.last_watched_at DESC, e.season_number DESC, e.episode_number DESC + LIMIT 1 + ) + ) AS grid + FROM optimized_shows os + WHERE os.last_watched_at IS NOT NULL + ORDER BY os.last_watched_at DESC, os.title ASC + LIMIT 1 + ) + UNION ALL + ( + SELECT + ob.title, + ob.image, + ob.url, + 'books' AS type, + 3 AS rank, + json_build_object( + 'title', null, + 'image', ob.image, + 'url', ob.url, + 'alt', CONCAT('Book cover from ', ob.title, ' by ', ob.author), + 'subtext', CASE WHEN ob.rating IS NOT NULL THEN + ob.rating + ELSE + NULL + END + ) AS grid + FROM optimized_books ob + WHERE ob.status = 'finished' + ORDER BY ob.date_finished DESC, ob.title ASC + LIMIT 1 + ) + UNION ALL + ( + SELECT + om.title, + om.image, + om.url, + 'tv' AS type, + 4 AS rank, + json_build_object( + 'title', null, + 'url', om.url, + 'image', om.image, + 'backdrop', om.backdrop, + 'alt', CONCAT('Poster from ', om.title, ' (', om.year, ')'), + 'subtext', CASE WHEN om.rating IS NOT NULL THEN + om.rating::text + ELSE + om.year::text + END + ) AS grid + FROM optimized_movies om + WHERE om.last_watched IS NOT NULL + ORDER BY om.last_watched DESC, om.title ASC + OFFSET 1 LIMIT 1 + ) + UNION ALL + ( + SELECT + os.title, + os.image, + os.url, + 'tv' AS type, + 5 AS rank, + json_build_object( + 'title', null, + 'image', os.image, + 'url', os.url, + 'alt', CONCAT('Poster from ', os.title), + 'subtext', ( + SELECT CONCAT('S', e.season_number, 'E', e.episode_number) + FROM episodes e + WHERE e.show = os.id + ORDER BY e.last_watched_at DESC, e.season_number DESC, e.episode_number DESC + LIMIT 1 + ) + ) AS grid + FROM optimized_shows os + WHERE os.last_watched_at IS NOT NULL + ORDER BY os.last_watched_at DESC, os.title ASC + OFFSET 1 LIMIT 1 + ) + UNION ALL + ( + SELECT + ob.title, + ob.image, + ob.url, + 'books' AS type, + 6 AS rank, + json_build_object( + 'title', null, + 'image', ob.image, + 'url', ob.url, + 'alt', CONCAT('Book cover from ', ob.title, ' by ', ob.author), + 'subtext', CASE WHEN ob.rating IS NOT NULL THEN + ob.rating + ELSE + NULL + END + ) AS grid + FROM optimized_books ob + WHERE ob.status = 'finished' + ORDER BY ob.date_finished DESC, ob.title ASC + OFFSET 1 LIMIT 1 + ) + ) AS recent_watched_read_subquery +) +SELECT json_build_object( + 'recentMusic', ( + SELECT json_agg(m.* ORDER BY m.rank) + FROM recent_music m + ), + 'recentWatchedRead', ( + SELECT json_agg(w.* ORDER BY w.rank) + FROM recent_watched_read w + ) +) AS recent_activity; diff --git a/queries/views/media/shows/last_watched_episodes.psql b/queries/views/media/shows/last_watched_episodes.psql new file mode 100644 index 0000000..db0b91d --- /dev/null +++ b/queries/views/media/shows/last_watched_episodes.psql @@ -0,0 +1,10 @@ +CREATE OR REPLACE VIEW optimized_last_watched_episodes AS +SELECT DISTINCT ON (e.show) + e.show AS show_id, + e.season_number, + e.episode_number, + e.last_watched_at, + CONCAT('S', e.season_number, 'E', e.episode_number) AS last_watched_episode +FROM episodes e +WHERE e.last_watched_at IS NOT NULL +ORDER BY e.show, e.last_watched_at DESC; diff --git a/queries/views/media/shows/scheduled_episodes.psql b/queries/views/media/shows/scheduled_episodes.psql new file mode 100644 index 0000000..c74f8ca --- /dev/null +++ b/queries/views/media/shows/scheduled_episodes.psql @@ -0,0 +1,26 @@ +CREATE OR REPLACE VIEW optimized_scheduled_episodes AS +SELECT + se.show_id, + se.season_number, + se.episode_number, + se.status, + se.air_date, + ( + SELECT CONCAT('S', se2.season_number, 'E', se2.episode_number) + FROM scheduled_episodes se2 + WHERE se2.show_id = se.show_id + AND se2.status IN ('upcoming', 'aired') + ORDER BY se2.air_date ASC + LIMIT 1 + ) AS next_scheduled_episode, + ( + SELECT se2.air_date + FROM scheduled_episodes se2 + WHERE se2.show_id = se.show_id + AND se2.status IN ('upcoming', 'aired') + ORDER BY se2.air_date ASC + LIMIT 1 + ) AS next_air_date +FROM scheduled_episodes se +WHERE se.status IN ('upcoming', 'aired') +GROUP BY se.show_id, se.season_number, se.episode_number, se.status, se.air_date; diff --git a/queries/views/media/shows/scheduled_shows.psql b/queries/views/media/shows/scheduled_shows.psql new file mode 100644 index 0000000..f015bf8 --- /dev/null +++ b/queries/views/media/shows/scheduled_shows.psql @@ -0,0 +1,145 @@ +CREATE OR REPLACE VIEW optimized_scheduled_shows AS +SELECT json_build_object( + 'watching', ( + SELECT json_agg(watching) FROM ( + SELECT + s.id, + s.tmdb_id, + s.title, + s.year, + s.ongoing, + s.slug AS url, + CONCAT('/', df_art.filename_disk) AS image, + CONCAT('/', df_backdrop.filename_disk) AS backdrop, + json_build_object( + 'title', s.title, + 'image', CONCAT('/', df_art.filename_disk), + 'backdrop', CONCAT('/', df_backdrop.filename_disk), + 'url', s.slug, + 'alt', CONCAT('Poster from ', s.title), + 'subtext', COALESCE( + (SELECT CONCAT( + 'S', se.season_number, 'E', se.episode_number, ' • ', + CASE + WHEN EXTRACT(YEAR FROM se.air_date) < EXTRACT(YEAR FROM CURRENT_DATE) + THEN TO_CHAR(se.air_date, 'FMMM/FMDD/YY') + ELSE TO_CHAR(se.air_date, 'FMMM/FMDD') + END + ) + FROM scheduled_episodes se + WHERE se.show_id = s.id + AND se.status IN ('upcoming', 'aired') + AND NOT EXISTS ( + SELECT 1 FROM episodes e + WHERE e.show = s.id + AND e.season_number = se.season_number + AND e.episode_number = se.episode_number + ) + ORDER BY se.season_number ASC, se.episode_number ASC + LIMIT 1), + (SELECT CONCAT( + 'S', e.season_number, 'E', e.episode_number, ' • ', + CASE + WHEN EXTRACT(YEAR FROM e.last_watched_at) < EXTRACT(YEAR FROM CURRENT_DATE) + THEN TO_CHAR(e.last_watched_at, 'FMMM/FMDD/YY') + ELSE TO_CHAR(e.last_watched_at, 'FMMM/FMDD') + END + ) + FROM episodes e + WHERE e.show = s.id + ORDER BY e.last_watched_at DESC, e.season_number DESC, e.episode_number DESC + LIMIT 1), + s.year::text + ) + ) AS grid, + CASE + WHEN ( + SELECT se.air_date + FROM scheduled_episodes se + WHERE se.show_id = s.id + AND se.status IN ('upcoming', 'aired') + AND NOT EXISTS ( + SELECT 1 FROM episodes e + WHERE e.show = s.id + AND e.season_number = se.season_number + AND e.episode_number = se.episode_number + ) + ORDER BY se.season_number ASC, se.episode_number ASC + LIMIT 1 + ) >= NOW() + THEN ( + SELECT se.air_date::timestamp + FROM scheduled_episodes se + WHERE se.show_id = s.id + AND se.status IN ('upcoming', 'aired') + AND NOT EXISTS ( + SELECT 1 FROM episodes e + WHERE e.show = s.id + AND e.season_number = se.season_number + AND e.episode_number = se.episode_number + ) + ORDER BY se.season_number ASC, se.episode_number ASC + LIMIT 1 + ) + ELSE ( + SELECT MIN(e.last_watched_at)::timestamp + FROM episodes e + WHERE e.show = s.id + ) + END AS sort_date + FROM shows s + LEFT JOIN directus_files df_art ON s.art = df_art.id + LEFT JOIN directus_files df_backdrop ON s.backdrop = df_backdrop.id + WHERE s.ongoing = true + AND EXISTS ( + SELECT 1 + FROM scheduled_episodes se + WHERE se.show_id = s.id + AND se.status IN ('upcoming', 'aired') + ) + AND EXISTS ( + SELECT 1 + FROM episodes e + WHERE e.show = s.id + ) + ORDER BY sort_date ASC NULLS LAST, s.title ASC NULLS LAST + ) watching + ), + 'unstarted', ( + SELECT json_agg(unstarted) FROM ( + SELECT + s.id, + s.tmdb_id, + s.title, + s.year, + s.ongoing, + s.slug AS url, + CONCAT('/', df_art.filename_disk) AS image, + CONCAT('/', df_backdrop.filename_disk) AS backdrop, + json_build_object( + 'title', s.title, + 'image', CONCAT('/', df_art.filename_disk), + 'backdrop', CONCAT('/', df_backdrop.filename_disk), + 'url', s.slug, + 'alt', CONCAT('Poster from ', s.title), + 'subtext', s.year::text + ) AS grid + FROM shows s + LEFT JOIN directus_files df_art ON s.art = df_art.id + LEFT JOIN directus_files df_backdrop ON s.backdrop = df_backdrop.id + WHERE s.ongoing = true + AND EXISTS ( + SELECT 1 + FROM scheduled_episodes se + WHERE se.show_id = s.id + AND se.status IN ('upcoming', 'aired') + ) + AND NOT EXISTS ( + SELECT 1 + FROM episodes e + WHERE e.show = s.id + ) + ORDER BY s.title ASC + ) unstarted + ) +) AS scheduled_shows diff --git a/queries/views/media/shows/shows.psql b/queries/views/media/shows/shows.psql new file mode 100644 index 0000000..7b665b9 --- /dev/null +++ b/queries/views/media/shows/shows.psql @@ -0,0 +1,125 @@ +CREATE OR REPLACE VIEW optimized_shows AS +SELECT + s.id, + s.tmdb_id, + s.title, + s.year, + s.favorite, + s.tattoo, + s.description, + s.review, + s.ongoing, + s.slug AS url, + CONCAT('/', df_art.filename_disk) AS image, + CONCAT('/', df_backdrop.filename_disk) AS backdrop, + json_build_object( + 'title', NULL, + 'image', CONCAT('/', df_art.filename_disk), + 'backdrop', CONCAT('/', df_backdrop.filename_disk), + 'url', s.slug, + 'alt', CONCAT('Poster from ', s.title), + 'subtext', CASE + WHEN ( + SELECT MAX(e1.last_watched_at) + FROM episodes e1 + WHERE e1.show = s.id + ) >= NOW() - INTERVAL '90 days' THEN + (SELECT CONCAT('S', e2.season_number, 'E', e2.episode_number) + FROM episodes e2 + WHERE e2.show = s.id + ORDER BY e2.last_watched_at DESC, e2.season_number DESC, e2.episode_number DESC + LIMIT 1) + ELSE + s.year::text + END + ) AS grid, + json_build_object( + 'title', s.title, + 'year', s.year, + 'url', s.slug, + 'image', CONCAT('/', df_art.filename_disk), + 'backdrop', CONCAT('/', df_backdrop.filename_disk), + 'formatted_episode', COALESCE(( + SELECT CONCAT('S', e2.season_number, 'E', e2.episode_number) + FROM episodes e2 + WHERE e2.show = s.id + ORDER BY e2.last_watched_at DESC, e2.season_number DESC, e2.episode_number DESC + LIMIT 1 + ), NULL), + 'last_watched_at', ( + SELECT MAX(e3.last_watched_at) + FROM episodes e3 + WHERE e3.show = s.id + ) + ) AS episode, + ( + SELECT + json_agg(json_build_object('title', m.title, 'year', m.year, 'url', m.slug) + ORDER BY m.year DESC) + FROM + shows_movies sm + LEFT JOIN movies m ON sm.movies_id = m.id + WHERE + sm.shows_id = s.id + ) AS movies, + ( + SELECT + json_agg(json_build_object('title', b.title, 'author', b.author, 'url', b.slug) + ORDER BY b.title ASC) + FROM + shows_books sb + LEFT JOIN books b ON sb.books_id = b.id + WHERE + sb.shows_id = s.id + ) AS books, + ( + SELECT + json_agg(json_build_object('title', p.title, 'date', p.date, 'url', p.slug) + ORDER BY p.date DESC) + FROM + posts_shows ps + LEFT JOIN posts p ON ps.posts_id = p.id + WHERE + ps.shows_id = s.id + ) AS posts, + ( + SELECT + array_agg(t.name) + FROM + shows_tags st + LEFT JOIN tags t ON st.tags_id = t.id + WHERE + st.shows_id = s.id + ) AS tags, + ( + SELECT + json_agg(json_build_object('title', rs.title, 'year', rs.year, 'url', rs.slug) + ORDER BY rs.year DESC) + FROM + related_shows sr + LEFT JOIN shows rs ON sr.related_shows_id = rs.id + WHERE + sr.shows_id = s.id + ) AS related_shows, + ( + SELECT + json_agg(json_build_object('name', a.name_string, 'url', a.slug, 'country', a.country, 'total_plays', a.total_plays) + ORDER BY a.name_string ASC) + FROM + shows_artists sa + LEFT JOIN artists a ON sa.artists_id = a.id + WHERE + sa.shows_id = s.id + ) AS artists, + MAX(e.last_watched_at) AS last_watched_at +FROM + shows s + LEFT JOIN episodes e ON s.id = e.show + LEFT JOIN directus_files df_art ON s.art = df_art.id + LEFT JOIN directus_files df_backdrop ON s.backdrop = df_backdrop.id +GROUP BY + s.id, + df_art.filename_disk, + df_backdrop.filename_disk +ORDER BY + MAX(e.last_watched_at) DESC; diff --git a/scripts/lists/apache_modules.list b/scripts/lists/apache_modules.list new file mode 100644 index 0000000..fc4c622 --- /dev/null +++ b/scripts/lists/apache_modules.list @@ -0,0 +1,14 @@ +slotmem_shm +http2 +proxy_fcgi +deflate +expires +brotli +socache_shmcb +headers +remoteip +mpm_worker +rewrite +ssl +proxy +proxy_http diff --git a/scripts/lists/php_extensions.list b/scripts/lists/php_extensions.list new file mode 100644 index 0000000..e1bd992 --- /dev/null +++ b/scripts/lists/php_extensions.list @@ -0,0 +1,9 @@ +php8.3-cli +php8.3-fpm +php8.3-igbinary +php8.3-mbstring +php8.3-mysql +php8.3-opcache +php8.3-readline +php8.3-redis +php8.3-xml diff --git a/scripts/setup.sh b/scripts/setup.sh new file mode 100755 index 0000000..0c18677 --- /dev/null +++ b/scripts/setup.sh @@ -0,0 +1,146 @@ +#!/bin/bash + +COLOR_BLUE="\033[38;2;51;100;255m" +COLOR_RESET="\033[0m" + +echo "${COLOR_BLUE}" +echo "==========================================" +echo " setting up coryd.dev locally " +echo "==========================================" +echo "${COLOR_RESET}" + +# step 1: retrieve and build .env file from 1password +echo "${COLOR_BLUE}signing in to 1password...${COLOR_RESET}" +eval $(op signin) + +echo "${COLOR_BLUE}fetching secrets from 1password...${COLOR_RESET}" + +SECRETS_JSON='{ + "POSTGREST_URL": "{{ op://Private/coryd.dev secrets/POSTGREST_URL }}", + "POSTGREST_API_KEY": "{{ op://Private/coryd.dev secrets/POSTGREST_API_KEY }}", + "MASTODON_ACCESS_TOKEN": "{{ op://Private/coryd.dev secrets/MASTODON_ACCESS_TOKEN }}", + "MASTODON_SYNDICATION_TOKEN": "{{ op://Private/coryd.dev secrets/MASTODON_SYNDICATION_TOKEN }}", + "FORWARDEMAIL_API_KEY": "{{ op://Private/coryd.dev secrets/FORWARDEMAIL_API_KEY }}", + "BOOK_IMPORT_TOKEN": "{{ op://Private/coryd.dev secrets/BOOK_IMPORT_TOKEN }}", + "WATCHING_IMPORT_TOKEN": "{{ op://Private/coryd.dev secrets/WATCHING_IMPORT_TOKEN }}", + "TMDB_API_KEY": "{{ op://Private/coryd.dev secrets/TMDB_API_KEY }}", + "SEASONS_IMPORT_TOKEN": "{{ op://Private/coryd.dev secrets/SEASONS_IMPORT_TOKEN }}", + "NAVIDROME_SCROBBLE_TOKEN": "{{ op://Private/coryd.dev secrets/NAVIDROME_SCROBBLE_TOKEN }}", + "NAVIDROME_API_URL": "{{ op://Private/coryd.dev secrets/NAVIDROME_API_URL }}", + "NAVIDROME_API_TOKEN": "{{ op://Private/coryd.dev secrets/NAVIDROME_API_TOKEN }}", + "COOLIFY_REBUILD_TOKEN": "{{ op://Private/coryd.dev secrets/COOLIFY_REBUILD_TOKEN }}" +}' + +SECRETS=$(echo "$SECRETS_JSON" | op inject) + +if [ -z "$SECRETS" ]; then + echo "error: failed to retrieve secrets from 1password." + exit 1 +fi + +echo "${COLOR_BLUE}writing .env file...${COLOR_RESET}" +echo "$SECRETS" | jq -r 'to_entries | .[] | "\(.key)=\(.value)"' > .env + +# load environment variables from .env +export $(grep -v '^#' .env | xargs) + +# step 2: generate final config files from templates +echo "${COLOR_BLUE}generating configuration files from templates...${COLOR_RESET}" +mkdir -p generated + +for file in scripts/templates/*.template; do + [ -e "$file" ] || continue + + new_file="generated/$(basename ${file%.template})" + cp "$file" "$new_file" + + # use awk to replace placeholders safely + awk -v POSTGREST_URL="$POSTGREST_URL" \ + -v POSTGREST_API_KEY="$POSTGREST_API_KEY" \ + -v FORWARDEMAIL_API_KEY="$FORWARDEMAIL_API_KEY" \ + -v MASTODON_ACCESS_TOKEN="$MASTODON_ACCESS_TOKEN" \ + -v MASTODON_SYNDICATION_TOKEN="$MASTODON_SYNDICATION_TOKEN" \ + -v BOOK_IMPORT_TOKEN="$BOOK_IMPORT_TOKEN" \ + -v WATCHING_IMPORT_TOKEN="$WATCHING_IMPORT_TOKEN" \ + -v TMDB_API_KEY="$TMDB_API_KEY" \ + -v NAVIDROME_SCROBBLE_TOKEN="$NAVIDROME_SCROBBLE_TOKEN" \ + -v SEASONS_IMPORT_TOKEN="$SEASONS_IMPORT_TOKEN" \ + -v NAVIDROME_API_URL="$NAVIDROME_API_URL" \ + -v NAVIDROME_API_TOKEN="$NAVIDROME_API_TOKEN" \ + -v ARTIST_IMPORT_TOKEN="$ARTIST_IMPORT_TOKEN" \ + -v COOLIFY_REBUILD_TOKEN="$COOLIFY_REBUILD_TOKEN" \ + '{gsub(/{{POSTGREST_URL}}/, POSTGREST_URL); + gsub(/{{POSTGREST_API_KEY}}/, POSTGREST_API_KEY); + gsub(/{{FORWARDEMAIL_API_KEY}}/, FORWARDEMAIL_API_KEY); + gsub(/{{MASTODON_ACCESS_TOKEN}}/, MASTODON_ACCESS_TOKEN); + gsub(/{{MASTODON_SYNDICATION_TOKEN}}/, MASTODON_SYNDICATION_TOKEN); + gsub(/{{BOOK_IMPORT_TOKEN}}/, BOOK_IMPORT_TOKEN); + gsub(/{{WATCHING_IMPORT_TOKEN}}/, WATCHING_IMPORT_TOKEN); + gsub(/{{TMDB_API_KEY}}/, TMDB_API_KEY); + gsub(/{{NAVIDROME_SCROBBLE_TOKEN}}/, NAVIDROME_SCROBBLE_TOKEN); + gsub(/{{SEASONS_IMPORT_TOKEN}}/, SEASONS_IMPORT_TOKEN); + gsub(/{{NAVIDROME_API_URL}}/, NAVIDROME_API_URL); + gsub(/{{NAVIDROME_API_TOKEN}}/, NAVIDROME_API_TOKEN); + gsub(/{{ARTIST_IMPORT_TOKEN}}/, ARTIST_IMPORT_TOKEN); + gsub(/{{COOLIFY_REBUILD_TOKEN}}/, COOLIFY_REBUILD_TOKEN); + print}' "$new_file" > tmpfile && mv tmpfile "$new_file" +done + +echo "${COLOR_BLUE}all configurations generated in the 'generated' folder.${COLOR_RESET}" + +# step 3: ensure apache_modules.list exists +MODULES_LIST="scripts/lists/apache_modules.list" +if [ ! -f "$MODULES_LIST" ]; then + echo "apache_modules.list not found, generating it..." + a2query -m | awk '{print $1}' > "$MODULES_LIST" +fi + +# step 4: ensure php_extensions.list exists +PHP_EXTENSIONS_LIST="scripts/lists/php_extensions.list" +if [ ! -f "$PHP_EXTENSIONS_LIST" ]; then + echo "php_extensions.list not found, generating it..." + dpkg --get-selections | awk '/php8.3/ {print $1}' > "$PHP_EXTENSIONS_LIST" +fi + +# step 5: display manual installation instructions +echo "${COLOR_BLUE}" +echo "==========================================" +echo " setup complete! " +echo " your local environment is ready! 🚀 " +echo "==========================================" +echo "${COLOR_RESET}" + +echo "${COLOR_BLUE}next steps:${COLOR_RESET}" +echo "1️⃣ move the coryd.dev.conf apache configuration to the correct location:" +echo " sudo a2ensite coryd.dev.conf" +echo " sudo systemctl reload apache2" +echo "" +echo "2️⃣ enable the required apache modules:" +if [ -f "$MODULES_LIST" ]; then + REQUIRED_MODULES=$(tr '\n' ' ' < "$MODULES_LIST" | sed 's/ *$//') + if [ -n "$REQUIRED_MODULES" ]; then + echo " sudo a2enmod $REQUIRED_MODULES && sudo systemctl restart apache2" + else + echo " no required modules found." + fi +else + echo " error: apache_modules.list not found." +fi +echo "" +echo "3️⃣ install the required php extensions:" +if [ -f "$PHP_EXTENSIONS_LIST" ]; then + REQUIRED_PHP_EXTENSIONS=$(tr '\n' ' ' < "$PHP_EXTENSIONS_LIST" | sed 's/ *$//') + + if [ -n "$REQUIRED_PHP_EXTENSIONS" ]; then + echo " sudo apt install -y $REQUIRED_PHP_EXTENSIONS && sudo systemctl restart php8.3-fpm" + else + echo " no required php extensions found." + fi +else + echo " error: php_extensions.list not found." +fi +echo "" +echo "4️⃣ apply crontabs manually:" +echo " root: crontab -e" +echo " www-data: sudo crontab -u www-data -e" +echo "${COLOR_BLUE}all done! 🎉${COLOR_RESET}" diff --git a/scripts/templates/apache_vhost.conf.template b/scripts/templates/apache_vhost.conf.template new file mode 100644 index 0000000..6d42cf1 --- /dev/null +++ b/scripts/templates/apache_vhost.conf.template @@ -0,0 +1,53 @@ + + ServerAdmin hi@coryd.dev + ServerName coryd.dev + Redirect permanent / https://www.coryd.dev/ + + + + ServerAdmin hi@coryd.dev + ServerName coryd.dev + Redirect permanent / https://www.coryd.dev/ + + SSLEngine on + SSLCertificateFile /etc/letsencrypt/live/coryd.dev/fullchain.pem + SSLCertificateKeyFile /etc/letsencrypt/live/coryd.dev/privkey.pem + + + + ServerAdmin hi@coryd.dev + ServerName www.coryd.dev + DocumentRoot /var/www/coryd.dev + + SSLEngine on + SSLCertificateFile /etc/letsencrypt/live/coryd.dev/fullchain.pem + SSLCertificateKeyFile /etc/letsencrypt/live/coryd.dev/privkey.pem + + SetEnv POSTGREST_URL "{{POSTGREST_URL}}" + SetEnv POSTGREST_API_KEY "{{POSTGREST_API_KEY}}" + SetEnv BASE_URL "https://www.coryd.dev" + SetEnv FORWARDEMAIL_API_KEY "{{FORWARDEMAIL_API_KEY}}" + SetEnv MASTODON_ACCESS_TOKEN "{{MASTODON_ACCESS_TOKEN}}" + SetEnv MASTODON_SYNDICATION_TOKEN "{{MASTODON_SYNDICATION_TOKEN}}" + SetEnv BOOK_IMPORT_TOKEN "{{BOOK_IMPORT_TOKEN}}" + SetEnv WATCHING_IMPORT_TOKEN "{{WATCHING_IMPORT_TOKEN}}" + SetEnv TMDB_API_KEY "{{TMDB_API_KEY}}" + SetEnv SEASONS_IMPORT_TOKEN "{{SEASONS_IMPORT_TOKEN}}" + SetEnv NAVIDROME_SCROBBLE_TOKEN "{{NAVIDROME_SCROBBLE_TOKEN}}" + SetEnv NAVIDROME_API_URL "{{NAVIDROME_API_URL}}" + SetEnv NAVIDROME_API_TOKEN "{{NAVIDROME_API_TOKEN}}" + SetEnv ARTIST_IMPORT_TOKEN "{{ARTIST_IMPORT_TOKEN}}" + + SetEnvIf Authorization "(.*)" HTTP_AUTHORIZATION=$1 + RequestHeader set Authorization "%{HTTP_AUTHORIZATION}e" env=HTTP_AUTHORIZATION + + + Options Indexes FollowSymLinks MultiViews + AllowOverride All + Require all granted + + + + SetHandler "proxy:unix:/var/run/php/php8.3-fpm.sock|fcgi://localhost/" + + diff --git a/scripts/templates/root_crontab.template b/scripts/templates/root_crontab.template new file mode 100644 index 0000000..f6dca0c --- /dev/null +++ b/scripts/templates/root_crontab.template @@ -0,0 +1 @@ +0 2 * * * certbot renew --quiet && systemctl reload apache2 diff --git a/scripts/templates/www_crontab.template b/scripts/templates/www_crontab.template new file mode 100644 index 0000000..2d8dd37 --- /dev/null +++ b/scripts/templates/www_crontab.template @@ -0,0 +1,4 @@ +*/15 * * * * curl -X POST -H "Authorization: Bearer {{MASTODON_ACCESS_TOKEN}}" -H "Content-Type: application/json" https://www.coryd.dev/api/mastodon.php +0 * * * * curl -X POST "https://apps.coryd.dev/api/v1/deploy?uuid=q004wcg840s0s88g8cwo8wkg&force=true" -H "Authorization: Bearer {{COOLIFY_REBUILD_TOKEN}}" -H "Content-Type: application/json" >/dev/null 2>&1 +*/3 * * * * curl -X POST -H "Authorization: Bearer {{NAVIDROME_SCROBBLE_TOKEN}}" https://www.coryd.dev/api/scrobble.php +0 0 * * * curl -X POST -H "Authorization: Bearer {{SEASONS_IMPORT_TOKEN}}" https://www.coryd.dev/api/seasons-import.php diff --git a/server/utils/icons.php b/server/utils/icons.php new file mode 100644 index 0000000..f5054d9 --- /dev/null +++ b/server/utils/icons.php @@ -0,0 +1,16 @@ + '', + 'books' => '', + 'device-tv-old' => '', + 'headphones' => '', + 'movie' => '' + ]; + + return $icons[$iconName] ?? '[Missing: ' . htmlspecialchars($iconName) . ']'; + } + +?> diff --git a/server/utils/init.php b/server/utils/init.php new file mode 100644 index 0000000..c1650d2 --- /dev/null +++ b/server/utils/init.php @@ -0,0 +1,5 @@ + diff --git a/server/utils/media.php b/server/utils/media.php new file mode 100644 index 0000000..5b7195f --- /dev/null +++ b/server/utils/media.php @@ -0,0 +1,75 @@ + ["icon" => "headphones", "css_class" => "music", "label" => "Related artist(s)"], + "books" => ["icon" => "books", "css_class" => "books", "label" => "Related book(s)"], + "genres" => ["icon" => "headphones", "css_class" => "music", "label" => "Related genre(s)"], + "movies" => ["icon" => "movie", "css_class" => "movies", "label" => "Related movie(s)"], + "posts" => ["icon" => "article", "css_class" => "article", "label" => "Related post(s)"], + "shows" => ["icon" => "device-tv-old", "css_class" => "tv", "label" => "Related show(s)"] + ]; + + echo '
'; + + foreach ($sections as $key => $section) { + switch ($key) { + case "artists": + $items = $artists; + break; + case "books": + $items = $books; + break; + case "genres": + $items = $genres; + break; + case "movies": + $items = $movies; + break; + case "posts": + $items = $posts; + break; + case "shows": + $items = $shows; + break; + default: + $items = []; + } + + if (!empty($items)) { + echo '

'; + echo '' . getTablerIcon($section['icon']) . ' '; + echo htmlspecialchars($section['label']); + echo '

'; + echo '
    '; + + foreach ($items as $item) { + echo '
  • '; + echo '' . htmlspecialchars($item['title'] ?? $item['name'] ?? 'Untitled') . ''; + + if ($key === "artists" && isset($item['total_plays']) && $item['total_plays'] > 0) { + echo ' (' . htmlspecialchars($item['total_plays']) . ' play' . ($item['total_plays'] > 1 ? 's' : '') . ')'; + } elseif ($key === "books" && isset($item['author'])) { + echo ' by ' . htmlspecialchars($item['author']); + } elseif (($key === "movies" || $key === "shows") && isset($item['year'])) { + echo ' (' . htmlspecialchars($item['year']) . ')'; + } elseif ($key === "posts" && isset($item['date'])) { + echo ' (' . date("F j, Y", strtotime($item['date'])) . ')'; + } + + echo '
  • '; + } + + echo '
'; + } + } + + echo '
'; + } + +?> diff --git a/server/utils/strings.php b/server/utils/strings.php new file mode 100644 index 0000000..536306f --- /dev/null +++ b/server/utils/strings.php @@ -0,0 +1,73 @@ + true, + "linkify" => true, + ]); + + $md->plugin(new MarkdownItFootnote()); + + return $md->render($markdown); + } + + function parseCountryField($countryField) { + if (empty($countryField)) return null; + + $delimiters = [',', '/', '&', ' and ']; + $countries = [$countryField]; + + foreach ($delimiters as $delimiter) { + $tempCountries = []; + + foreach ($countries as $country) { + $tempCountries = array_merge($tempCountries, explode($delimiter, $country)); + } + + $countries = $tempCountries; + } + + $countries = array_map('trim', $countries); + $countries = array_map('getCountryName', $countries); + $countries = array_filter($countries); + + return implode(', ', array_unique($countries)); + } + + function getCountryName($countryName) { + $isoCodes = new \Sokil\IsoCodes\IsoCodesFactory(); + $countries = $isoCodes->getCountries(); + $country = $countries->getByAlpha2($countryName); + + if ($country) return $country->getName(); + + return ucfirst(strtolower($countryName)); + } + + function pluralize($count, $string, $trailing = '') { + if ((int)$count === 1) return $string; + + return $string . 's' . ($trailing ? $trailing : ''); + } + +?> diff --git a/src/assets/fonts/lb.woff2 b/src/assets/fonts/lb.woff2 new file mode 100644 index 0000000..dad8b9d Binary files /dev/null and b/src/assets/fonts/lb.woff2 differ diff --git a/src/assets/fonts/ll.woff2 b/src/assets/fonts/ll.woff2 new file mode 100644 index 0000000..814cccd Binary files /dev/null and b/src/assets/fonts/ll.woff2 differ diff --git a/src/assets/fonts/ml.woff2 b/src/assets/fonts/ml.woff2 new file mode 100644 index 0000000..3d02dad Binary files /dev/null and b/src/assets/fonts/ml.woff2 differ diff --git a/src/assets/fonts/sg.woff2 b/src/assets/fonts/sg.woff2 new file mode 100644 index 0000000..91b91c3 Binary files /dev/null and b/src/assets/fonts/sg.woff2 differ diff --git a/src/assets/icons/feed.png b/src/assets/icons/feed.png new file mode 100644 index 0000000..aed8ce0 Binary files /dev/null and b/src/assets/icons/feed.png differ diff --git a/src/assets/scripts/components/now-playing.js b/src/assets/scripts/components/now-playing.js new file mode 100644 index 0000000..ec49118 --- /dev/null +++ b/src/assets/scripts/components/now-playing.js @@ -0,0 +1,41 @@ +class NowPlaying extends HTMLElement { + static tagName = "now-playing"; + + static register(tagName = this.tagName, registry = globalThis.customElements) { + registry.define(tagName, this); + } + + async connectedCallback() { + this.contentElement = this.querySelector(".content"); + if (!this.contentElement) return; + + const cache = localStorage.getItem("now-playing-cache"); + if (cache) this.updateHTML(JSON.parse(cache)); + + await this.fetchAndUpdate(); + } + + async fetchAndUpdate() { + try { + const data = await this.fetchData(); + const newHTML = data?.content; + + if (newHTML && newHTML !== this.contentElement.innerHTML) { + this.updateHTML(newHTML); + localStorage.setItem("now-playing-cache", JSON.stringify(newHTML)); + } + } catch {} + } + + updateHTML(value) { + this.contentElement.innerHTML = value; + } + + async fetchData() { + return fetch(`/api/playing.php?nocache=${Date.now()}`) + .then(response => response.json()) + .catch(() => ({})); + } +} + +NowPlaying.register(); diff --git a/src/assets/scripts/components/select-pagination.js b/src/assets/scripts/components/select-pagination.js new file mode 100644 index 0000000..7ea1da0 --- /dev/null +++ b/src/assets/scripts/components/select-pagination.js @@ -0,0 +1,48 @@ +class SelectPagination extends HTMLElement { + static register(tagName = 'select-pagination') { + if ("customElements" in window) customElements.define(tagName, this) + } + + static get observedAttributes() { + return ['data-base-index'] + } + + get baseIndex() { + return this.getAttribute('data-base-index') || 0 + } + + connectedCallback() { + if (this.shadowRoot) return + + this.attachShadow({ mode: 'open' }).appendChild(document.createElement('slot')) + + const uriSegments = window.location.pathname.split('/').filter(Boolean) + let pageNumber = this.extractPageNumber(uriSegments) || 0 + + this.control = this.querySelector('select') + this.control.value = pageNumber + this.control.addEventListener('change', (event) => { + pageNumber = parseInt(event.target.value) + const updatedUrlSegments = this.updateUrlSegments(uriSegments, pageNumber) + window.location.href = `${window.location.origin}/${updatedUrlSegments.join('/')}` + }) + } + + extractPageNumber(segments) { + const lastSegment = segments[segments.length - 1] + return !isNaN(lastSegment) ? parseInt(lastSegment) : null + } + + updateUrlSegments(segments, pageNumber) { + if (!isNaN(segments[segments.length - 1])) { + segments[segments.length - 1] = pageNumber.toString() + } else { + segments.push(pageNumber.toString()) + } + + if (pageNumber === parseInt(this.baseIndex)) segments.pop() + return segments + } +} + +SelectPagination.register() diff --git a/src/assets/scripts/index.js b/src/assets/scripts/index.js new file mode 100644 index 0000000..71b0ec8 --- /dev/null +++ b/src/assets/scripts/index.js @@ -0,0 +1,72 @@ +window.addEventListener("load", () => { + // dialog controls + (() => { + if (document.querySelectorAll(".modal-open").length) { + document.querySelectorAll(".modal-open").forEach((button) => { + const modalId = button.getAttribute("data-modal-trigger"); + const dialog = document.getElementById(`dialog-${modalId}`); + + if (!dialog) return; + + const closeButton = dialog.querySelector(".modal-close"); + + button.addEventListener("click", () => { + dialog.showModal(); + dialog.classList.remove("closing"); + }); + + if (closeButton) + closeButton.addEventListener("click", () => { + dialog.classList.add("closing"); + setTimeout(() => dialog.close(), 200); + }); + + dialog.addEventListener("click", (event) => { + const rect = dialog.getBoundingClientRect(); + + if ( + event.clientX < rect.left || + event.clientX > rect.right || + event.clientY < rect.top || + event.clientY > rect.bottom + ) { + dialog.classList.add("closing"); + setTimeout(() => dialog.close(), 200); + } + }); + + + dialog.addEventListener("cancel", (event) => { + event.preventDefault(); + dialog.classList.add("closing"); + setTimeout(() => dialog.close(), 200); + }); + }); + } + })(); + + // text toggle for media pages + (() => { + const button = document.querySelector("[data-toggle-button]"); + const content = document.querySelector("[data-toggle-content]"); + const text = document.querySelectorAll("[data-toggle-content] p"); + const minHeight = 500; // this needs to match the height set on [data-toggle-content].text-toggle-hidden in text-toggle.css + const interiorHeight = Array.from(text).reduce( + (acc, node) => acc + node.scrollHeight, + 0, + ); + + if (!button || !content || !text) return; + + if (interiorHeight < minHeight) { + content.classList.remove("text-toggle-hidden"); + button.style.display = "none"; + return; + } + + button.addEventListener("click", () => { + const isHidden = content.classList.toggle("text-toggle-hidden"); + button.textContent = isHidden ? "Show more" : "Show less"; + }); + })(); +}); diff --git a/src/assets/styles/base/fonts.css b/src/assets/styles/base/fonts.css new file mode 100644 index 0000000..7ddfa7f --- /dev/null +++ b/src/assets/styles/base/fonts.css @@ -0,0 +1,31 @@ +@font-face { + font-family: "MonoLisa"; + src: url("/assets/fonts/ml.woff2") format("woff2"); + font-weight: 400; + font-style: normal; + font-display: swap; +} + +@font-face { + font-family: 'Lexend'; + src: url('/assets/fonts/ll.woff2') format('woff2'); + font-weight: 300; + font-style: normal; + font-display: swap; +} + +@font-face { + font-family: 'Lexend'; + src: url('/assets/fonts/lb.woff2') format('woff2'); + font-weight: 700; + font-style: normal; + font-display: swap; +} + +@font-face { + font-family: "Space Grotesk"; + src: url("/assets/fonts/sg.woff2") format("woff2"); + font-weight: 700; + font-style: normal; + font-display: swap; +} diff --git a/src/assets/styles/base/index.css b/src/assets/styles/base/index.css new file mode 100644 index 0000000..65dbe8c --- /dev/null +++ b/src/assets/styles/base/index.css @@ -0,0 +1,515 @@ +html, +body { + font-family: var(--font-body); + font-weight: var(--font-weight-light); + color: var(--text-color); + background: var(--background-color); +} + +html { + scrollbar-color: var(--accent-color) var(--gray-light); +} + +::-webkit-scrollbar { + width: var(--sizing-md); +} + +::-webkit-scrollbar-track { + background: var(--gray-light); +} + +::-webkit-scrollbar-thumb { + background: var(--accent-color); + border-radius: var(--border-radius-full); +} + +::-webkit-scrollbar-thumb:hover { + background: var(--accent-color-hover); +} + +::selection { + color: var(--color-lightest); + background: var(--accent-color); +} + +p { + margin: var(--margin-vertical-base-horizontal-zero); +} + +mark { + font-weight: var(--font-weight-bold); + color: var(--text-color-inverted); + background-color: var(--section-color, var(--accent-color)); + padding: var(--spacing-xs); + border-radius: var(--border-radius-slight); + + & > * { + color: var(--text-color-inverted); + } +} + +blockquote { + font-size: var(--font-size-lg); + color: var(--gray-dark); + padding-left: var(--spacing-lg); + border-left: var(--sizing-xs) solid var(--gray-dark); + margin: var(--margin-vertical-base-horizontal-zero); +} + +:is(h1, h2, h3) svg { + stroke-width: var(--stroke-width-bold); +} + +strong, +blockquote { + font-weight: var(--font-weight-bold); +} + +em, +blockquote { + font-style: italic; +} + +svg { + width: var(--sizing-svg); + height: var(--sizing-svg); + stroke: var(--icon-color); + stroke-width: var(--stroke-width-default); +} + +/* images */ +img { + border-radius: var(--border-radius-slight); + + &.image-banner { + border: var(--border-gray); + height: auto; + width: var(--sizing-full); + margin: var(--margin-vertical-base-horizontal-zero); + } +} + +/* lists */ +ul, +ol { + margin: var(--margin-vertical-base-horizontal-zero); + + &:not(.standalone) { + padding-left: var(--spacing-base); + } + + li:not(:last-child) { + margin-bottom: var(--spacing-lg); + } +} + +/* brand + section colors */ +.article, +.books, +.brand-github, +.brand-mastodon, +.brand-npm, +.calendar, +.coffee, +.concerts, +.country, +.device-tv-old, +.device-watch, +.error, +.favorite, +.github, +.headphones, +.heart-handshake, +.info-circle, +.link, +.mail, +.mail-plus, +.mastodon, +.movies, +.music, +.npm, +.old-post, +.rss, +.search, +.tattoo, +.tv, +.warning { + &.article { + --section-color: var(--article); + } + &.books { + --section-color: var(--books); + } + &.brand-github, + &.github { + --section-color: var(--brand-github); + } + &.brand-mastodon, + &.mastodon { + --section-color: var(--brand-mastodon); + } + &.brand-npm { + --section-color: var(--brand-npm); + } + &.calendar { + --section-color: var(--calendar); + } + &.coffee { + --section-color: var(--brand-buy-me-a-coffee); + } + &.concerts { + --section-color: var(--concerts); + } + &.country { + --section-color: var(--country); + } + &.device-tv-old { + --section-color: var(--tv); + } + &.device-watch { + --section-color: var(--now); + } + &.error { + --section-color: var(--error); + } + &.favorite { + --section-color: var(--favorite); + } + &.headphones { + --section-color: var(--music); + } + &.heart-handshake { + --section-color: var(--webrings); + } + &.info-circle { + --section-color: var(--about); + } + &.link { + --section-color: var(--link); + } + &.mail { + --section-color: var(--brand-proton); + } + &.mail-plus { + --section-color: var(--newsletter); + } + &.movies, + &.tv { + --section-color: var(--tv); + } + &.music { + --section-color: var(--music); + } + &.npm { + --section-color: var(--brand-npm); + } + &.old-post { + --section-color: var(--gray-dark); + } + &.rss { + --section-color: var(--brand-rss); + } + &.search { + --section-color: var(--search); + } + &.tattoo { + --section-color: var(--tattoo); + } + &.warning { + --section-color: var(--warning); + } + + --icon-color: var(--section-color); + --link-color: var(--section-color); + --banner-border-color: var(--section-color); + + color: var(--section-color); +} + +/* links */ +a { + color: var(--link-color); + text-underline-offset: var(--underline-offset-default); + transition: color var(--transition-duration-default) var(--transition-ease-in-out), + text-underline-offset var(--transition-duration-default) var(--transition-ease-in-out); + + img { + border: var(--border-default); + filter: var(--filter-image-default); + transition: filter var(--transition-duration-default) var(--transition-ease-in-out); + } + + svg { + transform: var(--transform-icon-default); + } + + &.back-link { + display: inline-flex; + align-items: center; + gap: var(--spacing-xs); + margin-bottom: var(--spacing-base); + + &:is(:hover, :focus, :active) svg { + transform: var(--transform-icon-default); + } + } + + --icon-color: var(--accent-color); + + &:is(:hover, :focus, :active) { + color: var(--link-color-hover); + text-underline-offset: var(--underline-offset-hover); + + img { + filter: var(--filter-image-light); + + @media (prefers-color-scheme: dark) { + filter: var(--filter-image-dark); + } + } + + svg { + transition: transform var(--transition-duration-default) var(--transition-ease-in-out); + transform: var(--transform-icon-tilt); + } + + --icon-color: var(--accent-color-hover); + } +} + +:is(h1, h2, h3, a, p, span, th, td, article aside):has(svg):not(.back-link) { + display: flex; + align-items: center; + gap: var(--spacing-xs); +} + +/* headers */ +h1, +h2, +h3 { + font-family: var(--font-heading); + font-weight: var(--font-weight-bold); + line-height: var(--line-height-md); + margin: var(--margin-vertical-base-horizontal-zero); + + a:is(:hover, :focus, :active) svg { + transform: var(--transform-icon-default); + } +} + +h1 { + font-size: var(--font-size-2xl); +} + +h2 { + font-size: var(--font-size-xl); + + &.page-title { + margin-top: 0; + } +} + +h3 { + font-size: var(--font-size-lg); +} + +@media screen and (min-width: 768px) { + h1 { + font-size: var(--font-size-3xl); + } + + h2 { + font-size: var(--font-size-2xl); + } + + h3 { + font-size: var(--font-size-xl); + } +} + +/* dividers */ +hr { + color: var(--gray-light); + margin: var(--margin-vertical-base-horizontal-zero); +} + +/* articles */ +time { + color: var(--gray-dark); + font-size: var(--font-size-sm); +} + +article { + margin-bottom: var(--spacing-base); + + &:not([class], :last-of-type) { + border-bottom: var(--border-gray); + } + + &.intro p { + margin-top: 0; + } + + h3 { + margin-top: 0; + } + + aside { + font-size: var(--font-size-sm); + + button { + font-weight: var(--font-weight-bold); + } + + svg { + --icon-color: var(--gray-dark); + --sizing-svg: var(--sizing-svg-sm); + } + } + + .footnotes ol p, + .footnotes-list p { + display: inline; + } +} + +/* tables */ +table { + display: block; + border: var(--border-gray); + border-radius: var(--border-radius-slight); + overflow-x: scroll; + white-space: nowrap; + caption-side: bottom; + overscroll-behavior: none; + margin: var(--margin-vertical-base-horizontal-zero); +} + +table, +th, +td { + border-collapse: collapse; +} + +:is(th, td):not(:first-child, :last-child) { + border-right: var(--border-gray); +} + +th, +tr:not(:last-child) { + border-bottom: var(--border-gray); +} + +th, +td { + padding: var(--spacing-sm); + word-break: break-word; + + &:first-child { + position: sticky; + left: 0; + max-width: calc(var(--sizing-3xl) * 5.5); + border-inline-end: none; + white-space: nowrap; + overflow: hidden; + text-overflow: ellipsis; + + &::after { + content: ""; + position: absolute; + inset-block-start: 0; + inset-inline-end: 0; + width: 1px; + height: var(--sizing-full); + background: var(--gray-light); + } + } +} + +th { + font-family: var(--font-heading); + font-weight: var(--font-weight-bold); + background-color: var(--gray-lighter); + text-align: left; +} + +td { + min-width: calc(var(--spacing-3xl) * 2); + white-space: nowrap; + overflow: hidden; + + &:first-child { + background: var(--background-color); + width: var(--sizing-full); + } +} + +td:first-of-type, +:where(thead, tfoot) th:nth-child(2) { + border-inline-start: none; +} + +/* header */ +.main-title { + display: flex; + flex-direction: column; + gap: var(--spacing-base); + width: var(--sizing-full); + padding-top: var(--spacing-3xl); + + @media screen and (min-width: 768px) { + flex-direction: row; + align-items: center; + justify-content: space-between; + gap: 0; + } + + h1 { + margin: 0; + padding: 0; + white-space: nowrap; + } +} + +/* nav */ +.active, +.active svg { + --icon-color: var(--accent-color-active); + + cursor: not-allowed; + color: var(--accent-color-active); +} + +/* layout */ +.default-wrapper { + padding-top: var(--spacing-2xl); +} + +.main-wrapper { + min-height: 100vh; + display: flex; + flex-direction: column; +} + +main { + flex: 1 1 0%; + margin: 0 auto; +} + +main, +footer { + width: calc(var(--sizing-full) * .8); + + @media screen and (min-width: 768px) { + max-width: 768px; + } +} + +footer { + margin: var(--sizing-3xl) auto 0; + + .updated { + font-size: var(--font-size-sm); + text-align: center; + } +} diff --git a/src/assets/styles/base/reset.css b/src/assets/styles/base/reset.css new file mode 100644 index 0000000..0911da6 --- /dev/null +++ b/src/assets/styles/base/reset.css @@ -0,0 +1,128 @@ +*, +*::before, +*::after { + margin: 0; + padding: 0; + box-sizing: border-box; +} + +:where([hidden]:not([hidden='until-found'])) { + display: none !important; +} + +:where(html) { + font-size: var(--sizing-full); + -webkit-text-size-adjust: none; + scrollbar-width: thin; + scrollbar-gutter: stable; + tab-size: 2; +} + +:where(html:has(dialog:modal[open])) { + overflow: clip; +} + +@media (prefers-reduced-motion: no-preference) { + :where(html:focus-within) { + scroll-behavior: smooth; + } +} + +:where(body) { + font-size: var(--font-size-base); + line-height: var(--line-height-base); + -webkit-font-smoothing: antialiased; + -webkit-text-size-adjust: var(--sizing-full); +} + +:where(button) { + all: unset; +} + +:where(input, button, textarea, select) { + font: inherit; + color: inherit; +} + +:where(textarea) { + resize: vertical; + resize: block; +} + +:where(button, label, select, summary, [role='button'], [role='option']) { + cursor: pointer; +} + +:where(:disabled) { + cursor: not-allowed; +} + +:where(label:has(> input:disabled), label:has(+ input:disabled)) { + cursor: not-allowed; +} + +:where(a) { + color: inherit; + text-underline-offset: var(--spacing-xs); +} + +ul { + list-style-type: disc; +} + +ol { + list-style-type: number; +} + +:where(ul, ol) { + list-style-position: inside; +} + +:where(img, svg, video, canvas, audio, iframe, embed, object) { + display: block; +} + +:where(p, h1, h2, h3) { + overflow-wrap: break-word; +} + +:where(hr) { + border: none; + border-block-start: 1px solid; + border-block-start-color: currentColor; + color: inherit; + block-size: 0; + overflow: visible; +} + +:where(dialog, [popover]) { + border: none; + max-width: unset; + max-height: unset; +} + +:where(dialog:not([open], [popover]), [popover]:not(:popover-open)) { + display: none !important; +} + +:where(:focus-visible) { + outline: var(--border-default); + outline-offset: 1px; + border-radius: var(--border-radius-slight); + box-shadow: 0 0 0 1px var(--accent-color); +} + +:where(:focus-visible, :target) { + scroll-margin-block: 8vh; +} + +:where(.visually-hidden:not(:focus-within, :active)) { + clip-path: inset(50%) !important; + height: 1px !important; + width: 1px !important; + overflow: hidden !important; + position: absolute !important; + white-space: nowrap !important; + border: 0 !important; + user-select: none !important; +} diff --git a/src/assets/styles/base/vars.css b/src/assets/styles/base/vars.css new file mode 100644 index 0000000..17481df --- /dev/null +++ b/src/assets/styles/base/vars.css @@ -0,0 +1,182 @@ +:root { + /* colors */ + --blue-100: #a2c4ff; + --blue-200: #6b9eff; + --blue-300: #3364ff; + --blue-400: #1e42c7; + + --gray-100: #f9fafb; + --gray-200: #eceef1; + --gray-300: #dfe3e8; + --gray-400: #959eae; + --gray-500: #7f899b; + --gray-600: #626d7f; + --gray-700: #545e71; + --gray-800: #4a5365; + --gray-900: #14161a; + + --gray-lighter: light-dark(var(--gray-200), var(--gray-700)); + --gray-light: light-dark(var(--gray-300), var(--gray-600)); + --gray-medium: var(--gray-400); + --gray-dark: light-dark(var(--gray-800), var(--gray-300)); + + /* base theme */ + --color-lightest: var(--gray-100); + --color-darkest: var(--gray-900); + + --accent-color: light-dark(var(--blue-300), var(--blue-200)); + --accent-color-hover: light-dark(var(--blue-400), var(--blue-100)); + --accent-color-active: light-dark(var(--blue-400), var(--blue-100)); + + --text-color: light-dark(var(--color-darkest), var(--color-lightest)); + --text-color-inverted: light-dark(var(--color-lightest), var(--color-darkest)); + --link-color: var(--accent-color); + --link-color-hover: var(--accent-color-hover); + --icon-color: var(--text-color); + --disabled-color: var(--gray-medium); + --code-color: light-dark(#6a3e9a, #d7a8ff); + + --background-color: light-dark(var(--color-lightest), var(--color-darkest)); + --background-color-inverted: light-dark(var(--color-darkest), var(--color-lightest)); + + --brand-buy-me-a-coffee: light-dark(#9500ff, #ffdd00); + --brand-github: light-dark(#333, #f5f5f5); + --brand-mastodon: light-dark(#563acc, #858afa); + --brand-npm: #cb3837; + --brand-proton: light-dark(#6d4af6, #c4b7ff); + --brand-rss: light-dark(#c24f19, #f26522); + + --article: light-dark(#007272, #00ffff); + --about: light-dark(#e4513a, #ff967d); + --books: light-dark(#8b4513, #5fa050); + --calendar: light-dark(#2c5c2c, #7ed97e); + --concerts: light-dark(#b3365c, #ff82aa); + --country: light-dark(#146a67, #80dcdc); + --error: light-dark(#b81f1f, #ff8b8b); + --favorite: light-dark(#b03c72, #ff9ccd); + --link: light-dark(#7b5cba, #e2b8ff); + --music: light-dark(#3d7099, #76b8cc); + --newsletter: light-dark(#37b0b0, #91fffa); + --now: light-dark(#cc1076, #ff82d5); + --search: light-dark(#6b5e3a, #c0b594); + --tattoo: light-dark(#951b1b, #ff7373); + --tv: light-dark(#cc3600, #d65f2b); + --warning: light-dark(#cc6f00, #ffbf66); + --webrings: light-dark(#b054b0, #ffb3ff); + + /* borders */ + --border-default: 1px solid var(--accent-color); + --border-default-hover: 1px solid var(--accent-color-hover); + --border-gray: 1px solid var(--gray-light); + + /* fonts */ + --font-body: "Lexend", -apple-system, BlinkMacSystemFont, "Segoe UI", Roboto, "Helvetica Neue", Arial, sans-serif; + --font-heading: "Space Grotesk", "Arial Black", "Arial Bold", Gadget, sans-serif; + --font-code: "MonoLisa", SFMono-Regular, Consolas, "Liberation Mono", Menlo, Courier, monospace; + + /* text */ + --font-size-xs: 0.7rem; + --font-size-sm: 0.85rem; + --font-size-base: 1rem; + --font-size-lg: 1.15rem; + --font-size-xl: 1.3rem; + --font-size-2xl: 1.45rem; + --font-size-3xl: 1.6rem; + + --font-weight-light: 300; + --font-weight-regular: 400; + --font-weight-bold: 700; + + --line-height-sm: 1; + --line-height-md: 1.5; + --line-height-base: 2; + + --underline-offset-default: 3px; + --underline-offset-hover: 4px; + + /* sizing */ + --sizing-xs: 0.25rem; + --sizing-sm: 0.5rem; + --sizing-md: 0.75rem; + --sizing-lg: 1rem; + --sizing-base: 1.5rem; + --sizing-xl: 1.75rem; + --sizing-2xl: 2rem; + --sizing-3xl: 2.25rem; + --sizing-full: 100%; + + --sizing-svg-sm: 18px; + --sizing-svg: 24px; + + /* spacing */ + --spacing-xs: var(--sizing-xs); + --spacing-sm: var(--sizing-sm); + --spacing-md: var(--sizing-md); + --spacing-lg: var(--sizing-lg); + --spacing-base: var(--sizing-base); + --spacing-xl: var(--sizing-xl); + --spacing-2xl: var(--sizing-2xl); + --spacing-3xl: var(--sizing-3xl); + + --margin-vertical-base-horizontal-zero: var(--spacing-base) 0; + + /* radii */ + --border-radius-slight: var(--sizing-xs); + --border-radius-full: 9999px; + + /* aspect ratios */ + --aspect-ratio-square: 1/1; + --aspect-ratio-vertical: 2/3; + --aspect-ratio-banner: 3/2; + --aspect-ratio-video: 16/9; + + --aspect-ratio: var(--aspect-ratio-square); + + /* grid columns */ + --grid-columns-one: repeat(1, minmax(0, 1fr)); + --grid-columns-two: repeat(2, minmax(0, 1fr)); + --grid-columns-three: repeat(3, minmax(0, 1fr)); + --grid-columns-four: repeat(4, minmax(0, 1fr)); + --grid-columns-six: repeat(6, minmax(0, 1fr)); + + --grid-square: var(--grid-columns-two); + --grid-vertical: var(--grid-columns-three); + + --grid-shape: var(--grid-square); + + @media screen and (min-width: 768px) { + --grid-square: var(--grid-columns-four); + --grid-vertical: var(--grid-columns-six); + } + + /* transitions */ + --transition-ease-in-out: cubic-bezier(.4, 0, .2, 1); + --transition-duration-default: 250ms; + + /* transforms */ + --transform-icon-default: rotate(0); + --transform-icon-tilt: rotate(7.5deg); + + @media (prefers-reduced-motion) { + --transform-icon-tilt: var(--transform-icon-default); + --underline-offset-hover: var(--underline-offset-default); + } + +/* filters */ +--filter-image-default: contrast(1) saturate(1) brightness(1); +--filter-image-light: contrast(1.2) saturate(1.2) brightness(0.9); +--filter-image-dark: contrast(1.1) saturate(1.1) brightness(1.1); + + /* svgs */ + --stroke-width-default: 1.3; + --stroke-width-bold: 2; + + /* shadows */ + --box-shadow-text-toggle: inset 0 -120px 60px -60px var(--background-color); + + /* modals */ + --modal-overlay-background: light-dark(#ffffffbf, #000000bf); + + /* input accent color */ + accent-color: var(--accent-color); +} diff --git a/src/assets/styles/components/banners.css b/src/assets/styles/components/banners.css new file mode 100644 index 0000000..2c16e2e --- /dev/null +++ b/src/assets/styles/components/banners.css @@ -0,0 +1,22 @@ +.banner { + padding: var(--spacing-md); + margin: var(--margin-vertical-base-horizontal-zero); + border: 1px solid; + border-color: var(--banner-border-color); + border-radius: var(--border-radius-slight); + + svg { + --sizing-svg: var(--sizing-svg-sm); + } + + p { + display: block; + font-size: var(--font-size-sm); + margin: 0; + + svg { + display: inline; + vertical-align: middle; + } + } +} diff --git a/src/assets/styles/components/buttons.css b/src/assets/styles/components/buttons.css new file mode 100644 index 0000000..bacac5f --- /dev/null +++ b/src/assets/styles/components/buttons.css @@ -0,0 +1,26 @@ +@import url("./tab-buttons.css"); +@import url("./text-toggle.css"); + +button:not([data-modal-button]), +.button { + appearance: none; + border: 2px solid var(--accent-color); + border-radius: var(--border-radius-full); + padding: var(--spacing-xs) var(--spacing-md); + font-size: var(--font-size-base); + font-weight: var(--font-weight-bold); + line-height: var(--line-height-base); + white-space: nowrap; + color: var(--text-color-inverted); + background-color: var(--accent-color); + transition: color var(--transition-duration-default) var(--transition-ease-in-out); + + &:not(.active):is(:hover, :active, :focus, :focus-within) { + background-color: var(--accent-color-hover); + border: 2px solid var(--accent-color-hover); + transition: + background-color var(--transition-duration-default) var(--transition-ease-in-out), + border var(--transition-duration-default) var(--transition-ease-in-out), + color var(--transition-duration-default) var(--transition-ease-in-out); + } +} diff --git a/src/assets/styles/components/forms.css b/src/assets/styles/components/forms.css new file mode 100644 index 0000000..503b1c0 --- /dev/null +++ b/src/assets/styles/components/forms.css @@ -0,0 +1,79 @@ +::placeholder { + color: var(--text-color); + opacity: .5; +} + +input:not([type="button"]):not([type="submit"]):not([type="reset"]):not([type="checkbox"]), +textarea { + width: var(--sizing-full); +} + +input:not([type="button"]):not([type="submit"]):not([type="reset"]):not([type="checkbox"]), +textarea, +select { + color: var(--text-color); + border-radius: var(--border-radius-slight); + background-color: var(--background-color); + padding: var(--spacing-sm); + border: var(--border-gray); +} + +form, +input:not([type="button"]):not([type="submit"]):not([type="reset"]):not([type="checkbox"]), +textarea { + margin-bottom: var(--spacing-base); +} + +textarea { + resize: vertical; +} + +.search__form { + margin-top: 0; + + .search__form--input::-webkit-search-cancel-button { + cursor: pointer; + } +} + +button svg, +label svg { + stroke: var(--section-color, var(--accent-color)); + cursor: pointer; + + &:is(:hover, :focus, :active) { + stroke: var(--accent-color-hover); + } +} + +.search__form--type { + display: flex; + gap: var(--spacing-md); + margin-top: var(--spacing-md); + border: none; + + @media screen and (max-width: 768px) { + flex-direction: column; + gap: var(--spacing-xs); + } +} + +.search__results { + margin: 0 0 var(--spacing-base); + padding: 0; + list-style: none; + display: none; + + li { + margin: var(--spacing-sm) 0; + + &:not(:last-child) { + margin-bottom: var(--spacing-base); + border-bottom: var(--border-gray); + } + } +} + +.search__load-more { + margin-bottom: var(--spacing-base); +} diff --git a/src/assets/styles/components/media-grid.css b/src/assets/styles/components/media-grid.css new file mode 100644 index 0000000..5729581 --- /dev/null +++ b/src/assets/styles/components/media-grid.css @@ -0,0 +1,69 @@ +.media-grid { + display: grid; + gap: var(--spacing-sm); + grid-template-columns: var(--grid-shape); + + a { + aspect-ratio: var(--aspect-ratio); + } + + & + .media-grid { + margin-top: var(--spacing-sm); + } + + &.vertical { + --grid-shape: var(--grid-vertical); + + a { + --aspect-ratio: var(--aspect-ratio-vertical); + } + } + + img { + width: var(--sizing-full); + height: auto; + } + + .media-grid-item { + position: relative; + border-radius: var(--border-radius-slight); + } + + .meta-text { + position: absolute; + z-index: 2; + left: var(--spacing-sm); + bottom: var(--spacing-sm); + max-width: calc(var(--sizing-full) - calc(var(--spacing-sm) * 2)); + color: var(--text-color-inverted); + background-color: var(--section-color, var(--accent-color)); + padding: var(--spacing-xs); + border-radius: var(--border-radius-slight); + + & > * { + color: var(--text-color-inverted); + } + + .header, + .subheader { + line-height: var(--line-height-md); + text-overflow: ellipsis; + overflow: hidden; + } + + .header { + font-size: var(--font-size-sm); + font-weight: var(--font-weight-bold); + display: -webkit-box; + -webkit-box-orient: vertical; + -webkit-line-clamp: 6; + line-clamp: 6; + text-overflow: ellipsis; + overflow: hidden; + } + + .subheader { + font-size: var(--font-size-xs); + } + } +} diff --git a/src/assets/styles/components/modal.css b/src/assets/styles/components/modal.css new file mode 100644 index 0000000..5e82cbb --- /dev/null +++ b/src/assets/styles/components/modal.css @@ -0,0 +1,92 @@ +@keyframes fadeIn { + from { opacity: 0; transform: scale(0.95); } + to { opacity: 1; transform: scale(1); } +} + +@keyframes fadeOut { + from { opacity: 1; transform: scale(1); } + to { opacity: 0; transform: scale(0.95); } +} + +.modal-wrapper { + background: var(--modal-overlay-background); + z-index: 5; +} + +.modal-wrapper, +.modal-body { + inset: 0; + position: fixed; +} + +.modal-wrapper, +.modal-body, +dialog { + width: var(--sizing-full); + height: var(--sizing-full); +} + +.modal-input { + display: none; + + &:checked ~ .modal-wrapper { + display: block; + } + + &:not(:checked) ~ .modal-wrapper { + display: none; + } +} + +.modal-open, +.modal-close { + display: inline-flex; + vertical-align: middle; + color: var(--section-color, var(--accent-color)); + transform: var(--transform-icon-default); + transition: color var(--transition-duration-default) var(--transition-ease-in-out), + transform var(--transition-duration-default) var(--transition-ease-in-out); + + + &:is(:hover, :focus, :active) { + color: var(--link-color-hover); + transform: var(--transform-icon-tilt); + } +} + +dialog, +.modal-body { + background: var(--background-color); + padding: var(--spacing-lg) var(--spacing-base); + overflow-y: auto; + border-radius: var(--border-radius-slight); + + &.closing { + animation: fadeOut var(--transition-duration-default) var(--transition-ease-in-out); + } + + h3 { + margin-top: 0; + } + + @media (min-width: 768px) { + max-width: calc(var(--sizing-full) * .75); + max-height: calc(var(--sizing-full) * .75); + inset: calc(var(--sizing-full) * .125); + border: var(--border-gray); + } + + .modal-close { + position: sticky; + top: 0; + left: var(--sizing-full); + } +} + +dialog { + animation: fadeIn var(--transition-duration-default) var(--transition-ease-in-out); +} + +dialog::backdrop { + background: var(--modal-overlay-background); +} diff --git a/src/assets/styles/components/music-chart.css b/src/assets/styles/components/music-chart.css new file mode 100644 index 0000000..7361737 --- /dev/null +++ b/src/assets/styles/components/music-chart.css @@ -0,0 +1,101 @@ +.music-chart { + margin: var(--margin-vertical-base-horizontal-zero); + + ol { + padding-left: 0; + + @media screen and (min-width: 768px) { + list-style-position: outside; + } + } + + .chart-item { + display: grid; + grid-template-columns: var(--grid-columns-one); + align-items: center; + + &:not(:last-of-type) { + margin-bottom: var(--spacing-lg); + } + + @media screen and (min-width: 768px) { + grid-template-columns: var(--grid-columns-two); + } + + @media screen and (max-width: 768px) { + progress { + margin-top: var(--spacing-sm); + } + } + + img { + width: calc(var(--sizing-3xl) * 1.5); + height: calc(var(--sizing-3xl) * 1.5); + + @media screen and (min-width: 768px) { + width: calc(var(--sizing-3xl) * 2); + height: calc(var(--sizing-3xl) * 2); + } + } + + .chart-item-info { + display: flex; + flex-direction: column; + gap: var(--spacing-xs); + } + + .chart-item-progress { + display: flex; + justify-content: end; + + progress { + @media screen and (min-width: 768px) { + max-width: calc(var(--sizing-full) * .8); + } + } + } + + .meta { + display: flex; + flex-direction: row; + align-items: center; + gap: var(--spacing-md); + + @media screen and (min-width: 768px) { + padding-right: var(--spacing-base); + } + + .meta-text { + display: flex; + flex-direction: column; + justify-content: start; + gap: var(--spacing-sm); + } + } + + .title { + font-weight: var(--font-weight-bold); + } + + .title, + .subheader, + time { + line-height: var(--line-height-md); + word-break: break-word; + } + + .subheader, + time { + font-size: var(--font-size-sm); + } + + time { + margin-top: var(--spacing-sm); + + @media screen and (min-width: 768px) { + text-align: right; + white-space: nowrap; + } + } + } +} diff --git a/src/assets/styles/components/nav/footer.css b/src/assets/styles/components/nav/footer.css new file mode 100644 index 0000000..98839a3 --- /dev/null +++ b/src/assets/styles/components/nav/footer.css @@ -0,0 +1,31 @@ +nav { + &.social, + &.sub-pages { + display: flex; + flex-direction: row; + flex-wrap: wrap; + align-items: center; + justify-content: center; + } + + &.social { + gap: var(--spacing-md); + margin-bottom: var(--spacing-lg); + width: var(--sizing-full); + + .icon > span, + .active > span { + display: none; + } + + .active { + display: flex; + } + } + + &.sub-pages { + font-size: var(--font-size-sm); + padding-bottom: var(--spacing-3xl); + gap: var(--sizing-sm); + } +} diff --git a/src/assets/styles/components/nav/primary.css b/src/assets/styles/components/nav/primary.css new file mode 100644 index 0000000..4f55be3 --- /dev/null +++ b/src/assets/styles/components/nav/primary.css @@ -0,0 +1,25 @@ +.nav-list { + display: flex; + flex-direction: row; + flex-wrap: wrap; + list-style: none; + gap: var(--spacing-md); + padding: 0; + margin: 0; + + @media screen and (min-width: 768px) { + justify-content: center; + } + + & > li { + margin-bottom: 0; + + :is(.icon, .active) svg { + display: block; + } + + :is(.icon, .active) span { + display: none; + } + } +} diff --git a/src/assets/styles/components/paginator.css b/src/assets/styles/components/paginator.css new file mode 100644 index 0000000..3265321 --- /dev/null +++ b/src/assets/styles/components/paginator.css @@ -0,0 +1,19 @@ +.pagination { + display: flex; + align-items: center; + justify-content: space-between; + margin-top: var(--spacing-base); + + p { + text-align: center; + } + + a svg { + transform: var(--transform-icon-default); + } + + span svg { + cursor: not-allowed; + stroke: var(--disabled-color); + } +} diff --git a/src/assets/styles/components/progress-bar.css b/src/assets/styles/components/progress-bar.css new file mode 100644 index 0000000..45bd445 --- /dev/null +++ b/src/assets/styles/components/progress-bar.css @@ -0,0 +1,23 @@ +progress { + appearance: none; + height: var(--sizing-lg); + width: var(--sizing-full); + background-color: var(--gray-light); + border-radius: var(--border-radius-full); + overflow: hidden; +} + +progress::-webkit-progress-bar { + background-color: var(--gray-light); + border-radius: var(--border-radius-full); +} + +progress::-webkit-progress-value { + background-color: var(--accent-color); + border-radius: var(--border-radius-full); +} + +progress::-moz-progress-bar { + background-color: var(--accent-color); + border-radius: var(--border-radius-full); +} diff --git a/src/assets/styles/components/tab-buttons.css b/src/assets/styles/components/tab-buttons.css new file mode 100644 index 0000000..ca4480a --- /dev/null +++ b/src/assets/styles/components/tab-buttons.css @@ -0,0 +1,34 @@ +#tracks-recent, +#tracks-chart, +.tracks-recent, +.tracks-chart { + display: none; +} + +#tracks-recent:checked ~ .tracks-recent, +#tracks-chart:checked ~ .tracks-chart { + display: block; +} + +input[id="tracks-recent"] ~ .tracks-recent, +input[id="tracks-chart"] ~ .tracks-chart { + margin-top: var(--spacing-base); +} + +#tracks-recent:checked ~ [for="tracks-recent"], +#tracks-chart:checked ~ [for="tracks-chart"] { + cursor: not-allowed; + border-color: var(--accent-color); + background-color: var(--accent-color); +} + +#tracks-recent:not(:checked) ~ [for="tracks-recent"], +#tracks-chart:not(:checked) ~ [for="tracks-chart"] { + color: var(--accent-color); + background: transparent; +} + +#tracks-recent:not(:checked) ~ [for="tracks-recent"]:is(:hover, :active), +#tracks-chart:not(:checked) ~ [for="tracks-chart"]:is(:hover, :active) { + color: var(--accent-color-hover); +} diff --git a/src/assets/styles/components/text-toggle.css b/src/assets/styles/components/text-toggle.css new file mode 100644 index 0000000..936e24d --- /dev/null +++ b/src/assets/styles/components/text-toggle.css @@ -0,0 +1,21 @@ +[data-toggle-content].text-toggle-hidden { + position: relative; + height: 500px; + overflow: hidden; + margin: var(--margin-vertical-base-horizontal-zero); + + p:first-of-type { + margin-top: 0; + } + + &::after { + position: absolute; + z-index: 1; + content: ""; + box-shadow: var(--box-shadow-text-toggle); + width: var(--sizing-full); + height: calc(var(--sizing-full) * .2); + bottom: 0; + left: 0; + } +} diff --git a/src/assets/styles/components/youtube-player.css b/src/assets/styles/components/youtube-player.css new file mode 100644 index 0000000..d9bcedf --- /dev/null +++ b/src/assets/styles/components/youtube-player.css @@ -0,0 +1,13 @@ +youtube-video { + aspect-ratio: var(--aspect-ratio-video); + width: var(--sizing-full); + display: flex; + overflow: hidden; + margin: var(--margin-vertical-base-horizontal-zero); + border: var(--border-default); + border-radius: var(--border-radius-slight); + + &:hover { + border: var(--border-default-hover); + } +} diff --git a/src/assets/styles/index.css b/src/assets/styles/index.css new file mode 100644 index 0000000..b263bcb --- /dev/null +++ b/src/assets/styles/index.css @@ -0,0 +1,37 @@ +@layer reset, defaults, base, page, components, plugins; + +/* style resets */ +@import url("./base/reset.css") layer(reset); + +/* core defaults */ +@import url("./base/fonts.css") layer(defaults); +@import url("./base/vars.css") layer(defaults); + +/* base styles */ +@import url("./base/index.css") layer(base); + +/* page styles */ +@import url("./pages/about.css") layer(page); +@import url("./pages/books.css") layer(page); +@import url("./pages/contact.css") layer(page); +@import url("./pages/links.css") layer(page); +@import url("./pages/media.css") layer(page); +@import url("./pages/music.css") layer(page); +@import url("./pages/watching.css") layer(page); +@import url("./pages/webrings.css") layer(page); + +/* plugins */ +@import url("./plugins/prism.css") layer(plugins); + +/* component styles */ +@import url("./components/banners.css") layer(components); +@import url("./components/buttons.css") layer(components); +@import url("./components/forms.css") layer(components); +@import url("./components/media-grid.css") layer(components); +@import url("./components/nav/primary.css") layer(components); +@import url("./components/nav/footer.css") layer(components); +@import url("./components/modal.css") layer(components); +@import url("./components/music-chart.css") layer(components); +@import url("./components/paginator.css") layer(components); +@import url("./components/progress-bar.css") layer(components); +@import url("./components/youtube-player.css") layer(components); diff --git a/src/assets/styles/noscript.css b/src/assets/styles/noscript.css new file mode 100644 index 0000000..3504f7f --- /dev/null +++ b/src/assets/styles/noscript.css @@ -0,0 +1,14 @@ +/* generic helper to hide client side content */ +.client-side { + display:none +} + +/* unset text toggle implementation on artist + genre pages */ +[data-toggle-content].text-toggle-hidden { + height: unset !important; + overflow: unset !important; + margin-bottom: unset !important; +} +[data-toggle-content].text-toggle-hidden::after { + display: none !important; +} diff --git a/src/assets/styles/pages/about.css b/src/assets/styles/pages/about.css new file mode 100644 index 0000000..2c8b03b --- /dev/null +++ b/src/assets/styles/pages/about.css @@ -0,0 +1,21 @@ +.avatar-wrapper { + --avatar-size: 16rem; + + display: flex; + justify-content: center; + width: var(--sizing-full); + + @media screen and (min-width: 768px) { + --avatar-size: 24rem; + } + + img { + width: var(--avatar-size); + height: var(--avatar-size); + } +} + +.about-title { + margin: var(--margin-vertical-base-horizontal-zero); + text-align: center; +} diff --git a/src/assets/styles/pages/books.css b/src/assets/styles/pages/books.css new file mode 100644 index 0000000..f370d5c --- /dev/null +++ b/src/assets/styles/pages/books.css @@ -0,0 +1,84 @@ +:is(.book-entry, .book-focus) img { + height: auto; + aspect-ratio: var(--aspect-ratio-vertical); +} + +.book-years a:first-of-type { + font-weight: var(--font-weight-bold); +} + +.book-entry { + display: flex; + flex-direction: column; + align-items: center; + gap: var(--spacing-sm); + + &:not(:last-of-type) { + padding-bottom: var(--spacing-base); + border-bottom: var(--border-gray); + } + + @media screen and (min-width: 768px) { + flex-direction: row; + gap: var(--spacing-base); + align-items: start; + } + + img { + max-width: calc(var(--sizing-3xl) * 4); + } + + .media-meta { + margin-top: var(--sizing-base); + align-items: center; + + @media screen and (min-width: 768px) { + margin-top: 0; + align-items: start; + } + + .description p:last-of-type { + margin-bottom: 0; + } + + progress { + margin-bottom: 0; + + @media screen and (min-width: 768px) { + margin-top: 0; + } + } + } +} + +.book-focus .book-display { + display: flex; + flex-direction: column; + align-items: center; + gap: var(--spacing-base); + margin-bottom: var(--spacing-base); + + @media screen and (min-width: 768px) { + flex-direction: row; + align-items: start; + } + + .media-meta { + align-items: center; + + @media screen and (min-width: 768px) { + align-items: start; + } + } +} + +.book-entry, +.book-focus .book-display { + progress { + max-width: 85%; + + @media screen and (min-width: 768px) { + max-width: 60%; + } + } +} diff --git a/src/assets/styles/pages/contact.css b/src/assets/styles/pages/contact.css new file mode 100644 index 0000000..b426634 --- /dev/null +++ b/src/assets/styles/pages/contact.css @@ -0,0 +1,36 @@ +.contact-wrapper { + display: grid; + grid-template-columns: var(--grid-columns-one); + gap: var(--spacing-base); + + @media screen and (min-width: 768px) { + grid-template-columns: var(--grid-columns-two); + } + + .hp, + label > span { + display: none; + } + + textarea { + height: calc(var(--sizing-3xl) * 5); + } + + .column.description { + p:first-of-type { + margin-top: 0; + } + + ul { + margin-bottom: 0; + } + } +} + +.contact-success-wrapper { + text-align: center; + + h2 { + margin: 0; + } +} diff --git a/src/assets/styles/pages/links.css b/src/assets/styles/pages/links.css new file mode 100644 index 0000000..aaf280d --- /dev/null +++ b/src/assets/styles/pages/links.css @@ -0,0 +1,19 @@ +.link-grid { + display: grid; + gap: var(--spacing-sm); + grid-template-columns: var(--grid-columns-one); + + @media screen and (min-width: 768px) { + grid-template-columns: var(--grid-columns-two); + } + + .link-box { + border: var(--border-gray); + border-radius: var(--border-radius-slight); + padding: var(--spacing-sm) var(--spacing-md); + + article { + margin: 0; + } + } +} diff --git a/src/assets/styles/pages/media.css b/src/assets/styles/pages/media.css new file mode 100644 index 0000000..9cbc819 --- /dev/null +++ b/src/assets/styles/pages/media.css @@ -0,0 +1,34 @@ +.media-meta { + display: flex; + flex-direction: column; + gap: var(--spacing-sm); + width: var(--sizing-full); + + h2 { + margin: 0; + } + + .sub-meta { + font-size: var(--font-size-sm); + display: inline; + + svg { + --sizing-svg: var(--sizing-svg-sm); + + display: inline; + vertical-align: middle; + } + } +} + +.image-media { + border: var(--border-gray); +} + +.associated-media { + margin: var(--margin-vertical-base-horizontal-zero); +} + +.concerts { + margin-top: var(--spacing-base); +} diff --git a/src/assets/styles/pages/music.css b/src/assets/styles/pages/music.css new file mode 100644 index 0000000..6a950b6 --- /dev/null +++ b/src/assets/styles/pages/music.css @@ -0,0 +1,56 @@ +.artist-focus { + .image-media { + aspect-ratio: var(--aspect-ratio-square); + width: var(--sizing-full); + height: auto; + + @media screen and (min-width: 768px) { + max-width: calc(var(--sizing-3xl) * 6.75); + } + } + + .artist-display { + display: flex; + flex-direction: column; + gap: var(--spacing-xs); + margin-bottom: var(--spacing-base); + + @media screen and (min-width: 768px) { + flex-direction: row; + gap: var(--spacing-md); + } + + @media screen and (max-width: 768px) { + .media-meta { + margin-top: var(--spacing-base); + } + } + } + + table + p { + font-size: var(--font-size-sm); + margin: var(--spacing-base) 0 0; + } +} + +table.music-ranking { + img { + border: var(--border-gray); + } + + td:first-child div { + display: flex; + flex-direction: column; + gap: var(--spacing-xs); + align-items: center; + flex-wrap: wrap; + text-wrap: auto; + text-align: center; + + @media screen and (min-width: 768px) { + flex-direction: row; + gap: var(--spacing-md); + text-align: unset; + } + } +} diff --git a/src/assets/styles/pages/watching.css b/src/assets/styles/pages/watching.css new file mode 100644 index 0000000..4e02a6a --- /dev/null +++ b/src/assets/styles/pages/watching.css @@ -0,0 +1,28 @@ +.watching.hero { + position: relative; + + img { + aspect-ratio: var(--aspect-ratio-banner); + } + + .meta-text { + color: var(--color-lightest); + position: absolute; + z-index: 2; + left: var(--spacing-sm); + bottom: var(--spacing-sm); + + .header { + font-weight: var(--font-weight-bold); + } + + .subheader { + font-size: var(--font-size-xs); + } + + .header, + .subheader { + line-height: var(--line-height-md); + } + } +} diff --git a/src/assets/styles/pages/webrings.css b/src/assets/styles/pages/webrings.css new file mode 100644 index 0000000..f97e99e --- /dev/null +++ b/src/assets/styles/pages/webrings.css @@ -0,0 +1,20 @@ +.webring-wrapper, +.webring-navigation { + display: flex; + align-items: center; +} + +.webring-wrapper { + flex-direction: column; + text-align: center; + margin: var(--margin-vertical-base-horizontal-zero); + + p { + margin: 0; + } + + .webring-navigation { + justify-content: center; + gap: var(--spacing-sm); + } +} diff --git a/src/assets/styles/plugins/prism.css b/src/assets/styles/plugins/prism.css new file mode 100644 index 0000000..99b4949 --- /dev/null +++ b/src/assets/styles/plugins/prism.css @@ -0,0 +1,114 @@ +code, +pre { + color: var(--blue-100); + background: none; + border-radius: var(--border-radius-slight); + font-family: var(--font-code); + font-weight: var(--font-weight-regular); + font-size: var(--font-size-sm); + text-align: left; + white-space: pre; + word-spacing: normal; + word-break: normal; + word-wrap: normal; + line-height: var(--line-height-md); + tab-size: 2; + hyphens: none; +} + +pre { + padding: var(--spacing-lg); + margin: var(--sizing-xl) 0; + overflow: auto; + background: var(--gray-900); + border: var(--border-gray); + + code { + white-space: pre-wrap; + word-wrap: break-word; + overflow-wrap: break-word; + padding: 0; + } +} + +:not(pre) > code { + color: var(--code-color); + background: light-dark(var(--gray-200), var(--gray-900)); + border: var(--border-gray); + padding: var(--spacing-xs); + white-space: normal +} + +.namespace { + opacity: 0.7; +} + +.language-css .token.string, +.style .token.string { + color: #99ccff; +} + +.token { + color: var(--blue-200); + + &.comment, + &.prolog, + &.doctype, + &.cdata { + color: var(--gray-500); + } + + &.punctuation { + color: var(--gray-300); + } + + &.boolean, + &.number { + color: var(--blue-300); + } + + &.selector, + &.attr-name, + &.string, + &.char, + &.builtin, + &.inserted { + color: #6fff6f; + } + + &.operator, + &.entity, + &.url, + &.variable { + color: #99ccff; + } + + &.atrule, + &.attr-value, + &.function, + &.class-name { + color: #ff8f66; + } + + &.keyword { + color: #00ffff; + } + + &.regex, + &.important { + color: #ff7373; + } + + &.italic { + font-style: italic; + } + + &.entity { + cursor: help; + } + + &.important, + &.bold { + font-weight: var(--font-weight-bold); + } +} diff --git a/src/assets/styles/styles.json b/src/assets/styles/styles.json new file mode 100644 index 0000000..b822534 --- /dev/null +++ b/src/assets/styles/styles.json @@ -0,0 +1,3 @@ +{ + "eleventyExcludeFromCollections": true +} diff --git a/src/data/albumReleases.js b/src/data/albumReleases.js new file mode 100644 index 0000000..506939b --- /dev/null +++ b/src/data/albumReleases.js @@ -0,0 +1,60 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchAlbumReleases = async () => { + try { + const data = await EleventyFetch( + `${POSTGREST_URL}/optimized_album_releases`, + { + duration: "1d", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }, + ); + + const pacificNow = new Date().toLocaleString("en-US", { + timeZone: "America/Los_Angeles", + }); + const pacificDate = new Date(pacificNow); + pacificDate.setHours(0, 0, 0, 0); + const todayTimestamp = pacificDate.getTime() / 1000; + + const all = data + .map((album) => { + const releaseDate = new Date(album.release_timestamp * 1000); + + return { + ...album, + description: album.artist?.description || "No description", + date: releaseDate.toLocaleDateString("en-US", { + year: "numeric", + month: "long", + day: "numeric", + }), + }; + }) + .sort((a, b) => a.release_timestamp - b.release_timestamp); + + const upcoming = all.filter( + (album) => + album.release_timestamp > todayTimestamp && + album.total_plays === 0, + ); + + return { all, upcoming }; + } catch (error) { + console.error("Error fetching and processing album releases:", error); + return { all: [], upcoming: [] }; + } +}; + +export default async function () { + return await fetchAlbumReleases(); +} diff --git a/src/data/allActivity.js b/src/data/allActivity.js new file mode 100644 index 0000000..c2aa946 --- /dev/null +++ b/src/data/allActivity.js @@ -0,0 +1,27 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +export default async function fetchAllActivity() { + try { + const data = await EleventyFetch( + `${POSTGREST_URL}/optimized_all_activity`, + { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + } + ); + + return data?.[0] || []; + } catch (error) { + console.error("Error fetching activity:", error); + return []; + } +} diff --git a/src/data/blogroll.js b/src/data/blogroll.js new file mode 100644 index 0000000..f86833d --- /dev/null +++ b/src/data/blogroll.js @@ -0,0 +1,26 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchBlogroll = async () => { + try { + return await EleventyFetch(`${POSTGREST_URL}/optimized_blogroll`, { + duration: "1d", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }); + } catch (error) { + console.error("Error fetching and processing the blogroll:", error); + return []; + } +}; + +export default async function () { + return await fetchBlogroll(); +} diff --git a/src/data/books.js b/src/data/books.js new file mode 100644 index 0000000..a58f0bb --- /dev/null +++ b/src/data/books.js @@ -0,0 +1,57 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchAllBooks = async () => { + try { + return await EleventyFetch( + `${POSTGREST_URL}/optimized_books?order=date_finished.desc`, + { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }, + ); + } catch (error) { + console.error("Error fetching books:", error); + return []; + } +}; + +const sortBooksByYear = (books) => { + const years = {}; + books.forEach((book) => { + const year = book.year; + if (!years[year]) { + years[year] = { value: year, data: [book] }; + } else { + years[year].data.push(book); + } + }); + return Object.values(years).filter((year) => year.value); +}; + +const currentYear = new Date().getFullYear(); + +export default async function () { + const books = await fetchAllBooks(); + const sortedByYear = sortBooksByYear(books); + const booksForCurrentYear = + sortedByYear + .find((yearGroup) => yearGroup.value === currentYear) + ?.data.filter((book) => book.status === "finished") || []; + + return { + all: books, + years: sortedByYear, + currentYear: booksForCurrentYear, + feed: books.filter((book) => book.feed), + daysRead: books[0]?.days_read + }; +} diff --git a/src/data/concerts.js b/src/data/concerts.js new file mode 100644 index 0000000..852746d --- /dev/null +++ b/src/data/concerts.js @@ -0,0 +1,38 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchAllConcerts = async () => { + try { + return await EleventyFetch(`${POSTGREST_URL}/optimized_concerts`, { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }); + } catch (error) { + console.error("Error fetching concerts:", error); + return []; + } +}; + +const processConcerts = (concerts) => + concerts.map((concert) => ({ + ...concert, + artist: concert.artist || { name: concert.artist_name_string, url: null }, + })); + +export default async function () { + try { + const concerts = await fetchAllConcerts(); + return processConcerts(concerts); + } catch (error) { + console.error("Error fetching and processing concerts data:", error); + return []; + } +} diff --git a/src/data/feeds.js b/src/data/feeds.js new file mode 100644 index 0000000..538f11c --- /dev/null +++ b/src/data/feeds.js @@ -0,0 +1,56 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchFeeds = async () => { + try { + return await EleventyFetch(`${POSTGREST_URL}/optimized_feeds?select=*`, { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }); + } catch (error) { + console.error("Error fetching feed metadata:", error); + return []; + } +}; + +const fetchFeedData = async (feedKey) => { + try { + return await EleventyFetch(`${POSTGREST_URL}/rpc/get_feed_data`, { + duration: "1h", + type: "json", + fetchOptions: { + method: "POST", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + body: JSON.stringify({ feed_key: feedKey }), + }, + }); + } catch (error) { + console.error(`Error fetching feed data for ${feedKey}:`, error); + return []; + } +}; + +export default async function () { + const feeds = await fetchFeeds(); + const feedsWithData = []; + + for (const feed of feeds) { + feedsWithData.push({ + ...feed, + entries: await fetchFeedData(feed.data), + }); + } + + return feedsWithData; +}; diff --git a/src/data/globals.js b/src/data/globals.js new file mode 100644 index 0000000..36bec98 --- /dev/null +++ b/src/data/globals.js @@ -0,0 +1,31 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchGlobals = async () => { + try { + const data = await EleventyFetch( + `${POSTGREST_URL}/optimized_globals?select=*`, + { + duration: "1d", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }, + ); + + return data[0]; + } catch (error) { + console.error("Error fetching globals:", error); + return {}; + } +}; + +export default async function () { + return await fetchGlobals(); +} diff --git a/src/data/headers.js b/src/data/headers.js new file mode 100644 index 0000000..5844c6b --- /dev/null +++ b/src/data/headers.js @@ -0,0 +1,26 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchHeaders = async () => { + try { + return await EleventyFetch(`${POSTGREST_URL}/optimized_headers?select=*`, { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }); + } catch (error) { + console.error("Error fetching header data:", error); + return []; + } +}; + +export default async function () { + return await fetchHeaders(); +} diff --git a/src/data/links.js b/src/data/links.js new file mode 100644 index 0000000..ff394ce --- /dev/null +++ b/src/data/links.js @@ -0,0 +1,31 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchAllLinks = async () => { + try { + return await EleventyFetch(`${POSTGREST_URL}/optimized_links?select=*`, { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }); + } catch (error) { + console.error("Error fetching links:", error); + return []; + } +}; + +export default async function () { + const links = await fetchAllLinks(); + + return { + all: links, + feed: links.filter((links) => links.feed), + } +} diff --git a/src/data/movies.js b/src/data/movies.js new file mode 100644 index 0000000..b14bb67 --- /dev/null +++ b/src/data/movies.js @@ -0,0 +1,62 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchAllMovies = async () => { + try { + return await EleventyFetch(`${POSTGREST_URL}/optimized_movies?select=*`, { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }); + } catch (error) { + console.error("Error fetching movies:", error); + return []; + } +}; + +export default async function () { + try { + const movies = await fetchAllMovies(); + const favoriteMovies = movies.filter((movie) => movie.favorite); + const now = new Date(); + + const recentlyWatchedMovies = movies.filter((movie) => { + const lastWatched = movie.last_watched; + if (!lastWatched) return false; + + const lastWatchedDate = new Date(lastWatched); + if (isNaN(lastWatchedDate.getTime())) return false; + + const sixMonthsAgo = new Date(); + sixMonthsAgo.setMonth(sixMonthsAgo.getMonth() - 6); + + return lastWatchedDate >= sixMonthsAgo; + }); + + return { + movies, + watchHistory: movies.filter((movie) => movie.last_watched), + recentlyWatched: recentlyWatchedMovies, + favorites: favoriteMovies.sort((a, b) => + a.title.localeCompare(b.title), + ), + feed: movies.filter((movie) => movie.feed), + }; + } catch (error) { + console.error("Error fetching and processing movies data:", error); + return { + movies: [], + watchHistory: [], + recentlyWatched: [], + favorites: [], + feed: [], + }; + } +} diff --git a/src/data/music.js b/src/data/music.js new file mode 100644 index 0000000..1574664 --- /dev/null +++ b/src/data/music.js @@ -0,0 +1,89 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchDataFromView = async (viewName) => { + try { + return await EleventyFetch(`${POSTGREST_URL}/${viewName}?select=*`, { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }); + } catch (error) { + console.error(`Error fetching data from view ${viewName}:`, error); + return []; + } +}; + +export default async function fetchMusicData() { + try { + const [ + recentTracks, + weekTracks, + weekArtists, + weekAlbums, + weekGenres, + monthTracks, + monthArtists, + monthAlbums, + monthGenres, + ] = await Promise.all([ + fetchDataFromView("recent_tracks"), + fetchDataFromView("week_tracks"), + fetchDataFromView("week_artists"), + fetchDataFromView("week_albums"), + fetchDataFromView("week_genres"), + fetchDataFromView("month_tracks"), + fetchDataFromView("month_artists"), + fetchDataFromView("month_albums"), + fetchDataFromView("month_genres"), + ]); + + return { + recent: recentTracks, + week: { + tracks: weekTracks, + artists: weekArtists, + albums: weekAlbums, + genres: weekGenres, + totalTracks: weekTracks + .reduce((acc, track) => acc + track.plays, 0) + .toLocaleString("en-US"), + }, + month: { + tracks: monthTracks, + artists: monthArtists, + albums: monthAlbums, + genres: monthGenres, + totalTracks: monthTracks + .reduce((acc, track) => acc + track.plays, 0) + .toLocaleString("en-US"), + }, + }; + } catch (error) { + console.error("Error fetching and processing music data:", error); + return { + recent: [], + week: { + tracks: [], + artists: [], + albums: [], + genres: [], + totalTracks: "0", + }, + month: { + tracks: [], + artists: [], + albums: [], + genres: [], + totalTracks: "0", + }, + }; + } +} diff --git a/src/data/nav.js b/src/data/nav.js new file mode 100644 index 0000000..02b6f62 --- /dev/null +++ b/src/data/nav.js @@ -0,0 +1,52 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchAllNavigation = async () => { + try { + const data = await EleventyFetch( + `${POSTGREST_URL}/optimized_navigation?select=*`, + { + duration: "1d", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }, + ); + + const nav = data.reduce((acc, item) => { + const navItem = { + title: item.title || item.page_title, + permalink: item.permalink || item.page_permalink, + icon: item.icon, + sort: item.sort, + }; + + if (!acc[item.menu_location]) { + acc[item.menu_location] = [navItem]; + } else { + acc[item.menu_location].push(navItem); + } + + return acc; + }, {}); + + Object.keys(nav).forEach((location) => { + nav[location].sort((a, b) => a.sort - b.sort); + }); + + return nav; + } catch (error) { + console.error("Error fetching navigation data:", error); + return {}; + } +}; + +export default async function () { + return await fetchAllNavigation(); +} diff --git a/src/data/nowPlaying.js b/src/data/nowPlaying.js new file mode 100644 index 0000000..d6905b0 --- /dev/null +++ b/src/data/nowPlaying.js @@ -0,0 +1,42 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchLatestListen = async () => { + try { + const data = await EleventyFetch( + `${POSTGREST_URL}/optimized_latest_listen?select=*`, + { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }, + ); + + const trackData = data[0]; + if (!trackData) { + return { content: "🎧 No recent listens found" }; + } + + const emoji = trackData.artist_emoji || trackData.genre_emoji || "🎧"; + + return { + content: `${emoji} ${ + trackData.track_name + } by ${trackData.artist_name}`, + }; + } catch (error) { + console.error("Error fetching the latest listen:", error); + return {}; + } +}; + +export default async function () { + return await fetchLatestListen(); +} diff --git a/src/data/pages.js b/src/data/pages.js new file mode 100644 index 0000000..04b56f6 --- /dev/null +++ b/src/data/pages.js @@ -0,0 +1,26 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchAllPages = async () => { + try { + return await EleventyFetch(`${POSTGREST_URL}/optimized_pages?select=*`, { + duration: "1d", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }); + } catch (error) { + console.error("Error fetching pages:", error); + return []; + } +}; + +export default async function () { + return await fetchAllPages(); +} diff --git a/src/data/posts.js b/src/data/posts.js new file mode 100644 index 0000000..6a981a4 --- /dev/null +++ b/src/data/posts.js @@ -0,0 +1,34 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchAllPosts = async () => { + try { + return await EleventyFetch( + `${POSTGREST_URL}/optimized_posts?select=*&order=date.desc`, + { + duration: "1d", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }, + ); + } catch (error) { + console.error("Error fetching posts:", error); + return []; + } +}; + +export default async function () { + const posts = await fetchAllPosts(); + + return { + all: posts, + feed: posts.filter((posts) => posts.feed), + }; +} diff --git a/src/data/recentActivity.js b/src/data/recentActivity.js new file mode 100644 index 0000000..da4dd78 --- /dev/null +++ b/src/data/recentActivity.js @@ -0,0 +1,29 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +export default async function () { + try { + const data = await EleventyFetch( + `${POSTGREST_URL}/optimized_recent_activity`, + { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + } + ); + + const feeds = data?.[0]?.feed || []; + + return feeds.filter((item) => item !== null); + } catch (error) { + console.error("Error fetching recent activity:", error); + return []; + } +} diff --git a/src/data/recentMedia.js b/src/data/recentMedia.js new file mode 100644 index 0000000..173b10e --- /dev/null +++ b/src/data/recentMedia.js @@ -0,0 +1,33 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchRecentMedia = async () => { + try { + const data = await EleventyFetch( + `${POSTGREST_URL}/optimized_recent_media?select=*`, + { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }, + ); + + const [{ recent_activity } = {}] = data; + + return recent_activity || []; + } catch (error) { + console.error("Error fetching recent media data:", error); + return []; + } +}; + +export default async function () { + return await fetchRecentMedia(); +} diff --git a/src/data/redirects.js b/src/data/redirects.js new file mode 100644 index 0000000..d42c0cb --- /dev/null +++ b/src/data/redirects.js @@ -0,0 +1,29 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchRedirects = async () => { + try { + return await EleventyFetch( + `${POSTGREST_URL}/optimized_redirects?select=*`, + { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }, + ); + } catch (error) { + console.error("Error fetching redirect data:", error); + return []; + } +}; + +export default async function () { + return await fetchRedirects(); +} diff --git a/src/data/robots.js b/src/data/robots.js new file mode 100644 index 0000000..96a89cb --- /dev/null +++ b/src/data/robots.js @@ -0,0 +1,37 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchAllRobots = async () => { + try { + const data = await EleventyFetch( + `${POSTGREST_URL}/optimized_robots?select=path,user_agents`, + { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }, + ); + + const sortedData = data.sort((a, b) => { + const aHasWildcard = a.user_agents.includes("*") ? 0 : 1; + const bHasWildcard = b.user_agents.includes("*") ? 0 : 1; + return aHasWildcard - bHasWildcard || a.path.localeCompare(b.path); + }); + + return sortedData; + } catch (error) { + console.error("Error fetching robot data:", error); + return []; + } +}; + +export default async function () { + return await fetchAllRobots(); +} diff --git a/src/data/sitemap.js b/src/data/sitemap.js new file mode 100644 index 0000000..a63ebbe --- /dev/null +++ b/src/data/sitemap.js @@ -0,0 +1,26 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchSitemap = async () => { + try { + return await EleventyFetch(`${POSTGREST_URL}/optimized_sitemap?select=*`, { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }); + } catch (error) { + console.error("Error fetching sitemap entries:", error); + return []; + } +}; + +export default async function () { + return await fetchSitemap(); +} diff --git a/src/data/stats.js b/src/data/stats.js new file mode 100644 index 0000000..2025abf --- /dev/null +++ b/src/data/stats.js @@ -0,0 +1,27 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchStats = async () => { + try { + return await EleventyFetch(`${POSTGREST_URL}/optimized_stats?select=*`, { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }); + } catch (error) { + console.error("Error fetching stats data:", error); + return []; + } +}; + +export default async function () { + const stats = await fetchStats(); + return stats[0]; +} diff --git a/src/data/syndication.js b/src/data/syndication.js new file mode 100644 index 0000000..1fb3108 --- /dev/null +++ b/src/data/syndication.js @@ -0,0 +1,31 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchSyndication = async () => { + try { + const data = await EleventyFetch( + `${POSTGREST_URL}/optimized_syndication`, + { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }, + ); + + return data?.[0] || []; + } catch (error) { + console.error("Error fetching syndication data:", error); + return []; + } +}; + +export default async function () { + return await fetchSyndication(); +} diff --git a/src/data/topAlbums.js b/src/data/topAlbums.js new file mode 100644 index 0000000..e9be800 --- /dev/null +++ b/src/data/topAlbums.js @@ -0,0 +1,31 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchTopAlbums = async () => { + try { + const data = await EleventyFetch( + `${POSTGREST_URL}/optimized_albums?select=table&order=total_plays_raw.desc&limit=8`, + { + duration: "1d", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }, + ); + + return data; + } catch (error) { + console.error("Error fetching top albums:", error); + return {}; + } +}; + +export default async function () { + return await fetchTopAlbums(); +} diff --git a/src/data/topArtists.js b/src/data/topArtists.js new file mode 100644 index 0000000..9b17dea --- /dev/null +++ b/src/data/topArtists.js @@ -0,0 +1,31 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchTopArtists = async () => { + try { + const data = await EleventyFetch( + `${POSTGREST_URL}/optimized_artists?select=table&order=total_plays_raw.desc&limit=8`, + { + duration: "1d", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }, + ); + + return data; + } catch (error) { + console.error("Error fetching top artists:", error); + return {}; + } +}; + +export default async function () { + return await fetchTopArtists(); +} diff --git a/src/data/tv.js b/src/data/tv.js new file mode 100644 index 0000000..5a4b615 --- /dev/null +++ b/src/data/tv.js @@ -0,0 +1,59 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchAllShows = async () => { + try { + return await EleventyFetch(`${POSTGREST_URL}/optimized_shows?select=*`, { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }); + } catch (error) { + console.error("Error fetching shows:", error); + return []; + } +}; + +export default async function () { + try { + const shows = await fetchAllShows(); + + const watchedShows = shows.filter( + (show) => show.last_watched_at !== null, + ); + + const episodes = watchedShows.map((show) => ({ + title: show.episode.title, + year: show.year, + formatted_episode: show.episode.formatted_episode, + url: show.episode.url, + image: show.episode.image, + backdrop: show.episode.backdrop, + last_watched_at: show.episode.last_watched_at, + grid: show.grid, + })); + + return { + shows, + recentlyWatched: episodes.slice(0, 125), + favorites: shows + .filter((show) => show.favorite) + .sort((a, b) => a.title.localeCompare(b.title)), + }; + } catch (error) { + console.error("Error fetching and processing shows data:", error); + + return { + shows: [], + recentlyWatched: [], + favorites: [], + }; + } +} diff --git a/src/data/upcomingShows.js b/src/data/upcomingShows.js new file mode 100644 index 0000000..62c3258 --- /dev/null +++ b/src/data/upcomingShows.js @@ -0,0 +1,29 @@ +import EleventyFetch from "@11ty/eleventy-fetch"; + +const { POSTGREST_URL, POSTGREST_API_KEY } = process.env; + +const fetchUpcomingShows = async () => { + try { + return await EleventyFetch(`${POSTGREST_URL}/optimized_scheduled_shows?select=*`, { + duration: "1h", + type: "json", + fetchOptions: { + method: "GET", + headers: { + "Content-Type": "application/json", + Authorization: `Bearer ${POSTGREST_API_KEY}`, + }, + }, + }); + } catch (error) { + console.error("Error fetching upcoming shows:", error); + return []; + } +}; + +export default async function () { + const data = await fetchUpcomingShows(); + const upcomingShows = data?.[0]?.scheduled_shows; + + return upcomingShows +} diff --git a/src/feeds/json.liquid b/src/feeds/json.liquid new file mode 100644 index 0000000..fc73798 --- /dev/null +++ b/src/feeds/json.liquid @@ -0,0 +1,36 @@ +--- +layout: null +eleventyExcludeFromCollections: true +excludeFromSitemap: true +pagination: + data: feeds + size: 1 + alias: feed +permalink: "{{ feed.permalink }}.json" +--- +{ + "version": "https://jsonfeed.org/version/1", + "title": "{{ feed.title | append: " • " | append: globals.site_name }}", + "icon": "{{ globals.url }}/assets/icons/feed.png", + "home_page_url": "{{ globals.url }}", + "feed_url": "{{ globals.url }}{{ feed.permalink }}.json", + "items": [ + {%- for entry in feed.entries limit:20 %} + {%- assign feedItem = entry.feed | default: entry -%} + {%- capture contentHtml -%} + {%- if feedItem.content -%} + {{ feedItem.content | markdown | convertRelativeLinks: globals.url }} + {%- else -%} + {{ feedItem.description | markdown | convertRelativeLinks: globals.url }} + {%- endif -%} + {%- endcapture -%} + { + "id": "{{ feedItem.url | generatePermalink: globals.url | encodeAmp }}", + "title": "{{ feedItem.title | jsonEscape }}", + "content_html": {{ contentHtml | jsonEscape }}, + "date_published": "{{ feedItem.date | date: "%a, %d %b %Y %H:%M:%S %z" }}", + "url": "{{ feedItem.url | generatePermalink: globals.url | encodeAmp }}" + }{%- unless forloop.last -%},{%- endunless -%} + {%- endfor -%} + ] +} diff --git a/src/feeds/opml.liquid b/src/feeds/opml.liquid new file mode 100644 index 0000000..1ec1dcf --- /dev/null +++ b/src/feeds/opml.liquid @@ -0,0 +1,18 @@ +--- +permalink: "/blogroll.opml" +layout: null +eleventyExcludeFromCollections: true +excludeFromSitemap: true +--- + + + + OPML for all feeds in {{ globals.site_name }}'s blogroll + {{ page.date | stringToRFC822Date }} + + + {%- for blog in blogroll -%} + + {%- endfor -%} + + diff --git a/src/feeds/releases.liquid b/src/feeds/releases.liquid new file mode 100644 index 0000000..90109b6 --- /dev/null +++ b/src/feeds/releases.liquid @@ -0,0 +1,7 @@ +--- +layout: null +permalink: "/music/releases.ics" +eleventyExcludeFromCollections: true +excludeFromSitemap: true +--- +{{ collections.albumReleasesCalendar }} diff --git a/src/feeds/rss.liquid b/src/feeds/rss.liquid new file mode 100644 index 0000000..87fff91 --- /dev/null +++ b/src/feeds/rss.liquid @@ -0,0 +1,49 @@ +--- +layout: null +eleventyExcludeFromCollections: true +excludeFromSitemap: true +pagination: + data: feeds + size: 1 + alias: feed +permalink: "{{ feed.permalink }}.xml" +--- + + + + <![CDATA[{{ feed.title | append: " • " | append: globals.site_name }}]]> + {{ globals.url }}{{ feed.permalink }}.xml + + + {{ "now" | date:"%a, %d %b %Y %H:%M:%S %z" }} + + {{ globals.url }}/assets/icons/feed.png + <![CDATA[{{ feed.title | append: " • " | append: globals.site_name }}]]> + {{ globals.url }}{{ feed.permalink }}.xml + 144 + 144 + + {%- for entry in feed.entries limit:20 %} + {%- assign feedItem = entry.feed | default: entry -%} + + <![CDATA[{{ feedItem.title }}]]> + {{ feedItem.url | generatePermalink: globals.url | encodeAmp }} + {{ feedItem.url | generatePermalink: globals.url | encodeAmp }} + {{ feedItem.date | date: "%a, %d %b %Y %H:%M:%S %z" }} + {%- if feedItem.image -%} + + {%- endif -%} + + {%- endif -%} + {%- if feedItem.content -%} + {{ feedItem.content | markdown | convertRelativeLinks: globals.url }} + {%- else -%} + {{ feedItem.description | markdown | convertRelativeLinks: globals.url }} + {%- endif -%} + ]]> + + {%- endfor -%} + + diff --git a/src/feeds/sitemap.liquid b/src/feeds/sitemap.liquid new file mode 100644 index 0000000..d16e0de --- /dev/null +++ b/src/feeds/sitemap.liquid @@ -0,0 +1,14 @@ +--- +permalink: "/sitemap.xml" +layout: null +eleventyExcludeFromCollections: true +excludeFromSitemap: true +--- + + +{%- for page in sitemap %} + + {{ page.url | prepend: globals.url }} + +{%- endfor %} + diff --git a/src/includes/blocks/associated-media.liquid b/src/includes/blocks/associated-media.liquid new file mode 100644 index 0000000..4d0e288 --- /dev/null +++ b/src/includes/blocks/associated-media.liquid @@ -0,0 +1,50 @@ +{% assign media = artists | concat:books | concat:genres | concat:movies | concat:posts | concat:shows %} +{% if media.size > 0 %} +
+ {% assign sections = + "artists:headphones:music:Related artist(s)," | append: + "books:books:books:Related book(s)," | append: + "genres:headphones:music:Related genre(s)," | append: + "movies:movie:movies:Related movie(s)," | append: + "posts:article:article:Related post(s)," | append: + "shows:device-tv-old:tv:Related show(s)" + | split:"," %} + {% for section in sections %} + {% assign parts = section | split:":" %} + {% assign key = parts[0] %} + {% assign icon = parts[1] %} + {% assign css_class = parts[2] %} + {% assign label = parts[3] %} + {% case key %} + {% when "artists" %} {% assign items = artists %} + {% when "books" %} {% assign items = books %} + {% when "genres" %} {% assign items = genres %} + {% when "movies" %} {% assign items = movies %} + {% when "posts" %} {% assign items = posts %} + {% when "shows" %} {% assign items = shows %} + {% endcase %} + {% if items and items.size > 0 %} +

+ {% tablericon icon %} + {{ label }} +

+
    + {% for item in items %} +
  • + {{ item.title | default:item.name }} + {% if key == "artists" and item.total_plays > 0 %} + ({{ item.total_plays }} {{ item.total_plays | pluralize:"play" }}) + {% elsif key == "books" %} + by {{ item.author }} + {% elsif key == "movies" or key == "shows" %} + ({{ item.year }}) + {% elsif key == "posts" %} + ({{ item.date | date:"%B %e, %Y" }}) + {% endif %} +
  • + {% endfor %} +
+ {% endif %} + {% endfor %} +
+{% endif %} diff --git a/src/includes/blocks/banners/calendar.liquid b/src/includes/blocks/banners/calendar.liquid new file mode 100644 index 0000000..19b274b --- /dev/null +++ b/src/includes/blocks/banners/calendar.liquid @@ -0,0 +1,3 @@ + diff --git a/src/includes/blocks/banners/coffee.liquid b/src/includes/blocks/banners/coffee.liquid new file mode 100644 index 0000000..71e5792 --- /dev/null +++ b/src/includes/blocks/banners/coffee.liquid @@ -0,0 +1,5 @@ + diff --git a/src/includes/blocks/banners/error.liquid b/src/includes/blocks/banners/error.liquid new file mode 100644 index 0000000..efe903f --- /dev/null +++ b/src/includes/blocks/banners/error.liquid @@ -0,0 +1,3 @@ + diff --git a/src/includes/blocks/banners/github.liquid b/src/includes/blocks/banners/github.liquid new file mode 100644 index 0000000..e444e98 --- /dev/null +++ b/src/includes/blocks/banners/github.liquid @@ -0,0 +1,3 @@ + diff --git a/src/includes/blocks/banners/mastodon.liquid b/src/includes/blocks/banners/mastodon.liquid new file mode 100644 index 0000000..fdd0124 --- /dev/null +++ b/src/includes/blocks/banners/mastodon.liquid @@ -0,0 +1,8 @@ +{%- if url -%} + +{%- endif -%} diff --git a/src/includes/blocks/banners/npm.liquid b/src/includes/blocks/banners/npm.liquid new file mode 100644 index 0000000..29cd6c2 --- /dev/null +++ b/src/includes/blocks/banners/npm.liquid @@ -0,0 +1,3 @@ + diff --git a/src/includes/blocks/banners/old-post.liquid b/src/includes/blocks/banners/old-post.liquid new file mode 100644 index 0000000..f233e46 --- /dev/null +++ b/src/includes/blocks/banners/old-post.liquid @@ -0,0 +1,5 @@ +{%- if isOldPost -%} + +{%- endif -%} diff --git a/src/includes/blocks/banners/rss.liquid b/src/includes/blocks/banners/rss.liquid new file mode 100644 index 0000000..99f6b71 --- /dev/null +++ b/src/includes/blocks/banners/rss.liquid @@ -0,0 +1,3 @@ + diff --git a/src/includes/blocks/banners/warning.liquid b/src/includes/blocks/banners/warning.liquid new file mode 100644 index 0000000..17e8070 --- /dev/null +++ b/src/includes/blocks/banners/warning.liquid @@ -0,0 +1,3 @@ + diff --git a/src/includes/blocks/hero.liquid b/src/includes/blocks/hero.liquid new file mode 100644 index 0000000..19fb82b --- /dev/null +++ b/src/includes/blocks/hero.liquid @@ -0,0 +1,17 @@ +{{ alt | replaceQuotes }} \ No newline at end of file diff --git a/src/includes/blocks/index.liquid b/src/includes/blocks/index.liquid new file mode 100644 index 0000000..f5e1517 --- /dev/null +++ b/src/includes/blocks/index.liquid @@ -0,0 +1,32 @@ +{%- for block in blocks -%} + {%- case block.type -%} + {%- when "youtube_player" -%} + {% render "blocks/youtube-player.liquid", + url:block.url + %} + {%- when "github_banner" -%} + {% render "blocks/banners/github.liquid", + url:block.url + %} + {%- when "npm_banner" -%} + {% render "blocks/banners/npm.liquid", + url:block.url, + command:block.command + %} + {%- when "rss_banner" -%} + {% render "blocks/banners/rss.liquid", + url:block.url, + text:block.text + %} + {%- when "hero" -%} + {% render "blocks/hero.liquid", + globals:globals, + image:block.image, + alt:block.alt + %} + {%- when "markdown" -%} + {{ block.text | markdown }} + {%- when "divider" -%} + {{ block.markup | markdown }} + {%- endcase -%} +{%- endfor -%} diff --git a/src/includes/blocks/modal.liquid b/src/includes/blocks/modal.liquid new file mode 100644 index 0000000..7544720 --- /dev/null +++ b/src/includes/blocks/modal.liquid @@ -0,0 +1,29 @@ +{%- capture labelContent -%} + {%- if icon -%} + {% tablericon icon %} + {%- elsif label -%} + {{ label }} + {%- endif -%} +{%- endcapture -%} +{% assign modalId = id | default:"modal-controls" %} + + + + + {{ content }} + diff --git a/src/includes/blocks/now-playing.liquid b/src/includes/blocks/now-playing.liquid new file mode 100644 index 0000000..66e0332 --- /dev/null +++ b/src/includes/blocks/now-playing.liquid @@ -0,0 +1,7 @@ + +

+ Now playing + + {{ nowPlaying }} + +

diff --git a/src/includes/blocks/youtube-player.liquid b/src/includes/blocks/youtube-player.liquid new file mode 100644 index 0000000..eeb8e6f --- /dev/null +++ b/src/includes/blocks/youtube-player.liquid @@ -0,0 +1,2 @@ + + diff --git a/src/includes/fetchers/artist.php.liquid b/src/includes/fetchers/artist.php.liquid new file mode 100644 index 0000000..cfb4413 --- /dev/null +++ b/src/includes/fetchers/artist.php.liquid @@ -0,0 +1,80 @@ +connect('127.0.0.1', 6379); + $useRedis = true; + } + } catch (Exception $e) { + error_log("Redis not available: " . $e->getMessage()); + } + + if ($useRedis && $redis->exists($cacheKey)) { + $artist = json_decode($redis->get($cacheKey), true); + } else { + $apiUrl = "$postgrestUrl/optimized_artists?url=eq./" . $url; + $client = new Client(); + + try { + $response = $client->request("GET", $apiUrl, [ + "headers" => [ + "Accept" => "application/json", + "Authorization" => "Bearer {$postgrestApiKey}", + ], + ]); + + $artistData = json_decode($response->getBody(), true); + + if (!$artistData) { + echo file_get_contents(__DIR__ . "/../../404/index.html"); + exit(); + } + + $artist = $artistData[0]; + + if ($useRedis) { + $redis->setex($cacheKey, 3600, json_encode($artist)); + } + } catch (Exception $e) { + error_log($e->getMessage()); + echo file_get_contents(__DIR__ . "/../../404/index.html"); + exit(); + } + } + + $artist["description"] = parseMarkdown($artist["description"]); + $pageTitle = htmlspecialchars( + "Artists • " . $artist["name"], + ENT_QUOTES, + "UTF-8" + ); + $pageDescription = truncateText(htmlspecialchars( + strip_tags($artist["description"]), + ENT_QUOTES, + "UTF-8" + ), 250); + $ogImage = htmlspecialchars($artist["image"] . "?class=w800", ENT_QUOTES, "UTF-8"); + $fullUrl = "https://www.coryd.dev" . $requestUri; + + header("Cache-Control: public, max-age=3600"); + header("Expires: " . gmdate("D, d M Y H:i:s", time() + 3600) . " GMT"); +?> diff --git a/src/includes/fetchers/book.php.liquid b/src/includes/fetchers/book.php.liquid new file mode 100644 index 0000000..254f24f --- /dev/null +++ b/src/includes/fetchers/book.php.liquid @@ -0,0 +1,103 @@ +connect('127.0.0.1', 6379); + $useRedis = true; + } + } catch (Exception $e) { + error_log("Redis not available: " . $e->getMessage()); + } + + if ($useRedis && $redis->exists($cacheKey)) { + $book = json_decode($redis->get($cacheKey), true); + } else { + $apiUrl = "$postgrestUrl/optimized_books?url=eq./" . $url; + $client = new Client(); + + try { + $response = $client->request("GET", $apiUrl, [ + "headers" => [ + "Accept" => "application/json", + "Authorization" => "Bearer {$postgrestApiKey}", + ], + ]); + + $bookData = json_decode($response->getBody(), true); + + if (!$bookData) { + echo file_get_contents(__DIR__ . "/../404/index.html"); + exit(); + } + + $book = $bookData[0]; + + if ($useRedis) { + $redis->setex($cacheKey, 3600, json_encode($book)); + } + } catch (Exception $e) { + error_log($e->getMessage()); + echo file_get_contents(__DIR__ . "/../404/index.html"); + exit(); + } + } + + $book["description"] = parseMarkdown($book["description"]); + $pageTitle = htmlspecialchars( + "Books • " . $book["title"] . " by " . $book["author"], + ENT_QUOTES, + "UTF-8" + ); + $pageDescription = truncateText(htmlspecialchars( + strip_tags($book["description"]), + ENT_QUOTES, + "UTF-8" + ), 250); + $ogImage = htmlspecialchars($book["image"] . "?class=w800", ENT_QUOTES, "UTF-8"); + $fullUrl = "https://www.coryd.dev" . $requestUri; + + header("Cache-Control: public, max-age=3600"); + header("Expires: " . gmdate("D, d M Y H:i:s", time() + 3600) . " GMT"); +?> diff --git a/src/includes/fetchers/genre.php.liquid b/src/includes/fetchers/genre.php.liquid new file mode 100644 index 0000000..6333b04 --- /dev/null +++ b/src/includes/fetchers/genre.php.liquid @@ -0,0 +1,71 @@ +connect('127.0.0.1', 6379); + $useRedis = true; + } + } catch (Exception $e) { + error_log("Redis not available: " . $e->getMessage()); + } + + if ($useRedis && $redis->exists($cacheKey)) { + $genre = json_decode($redis->get($cacheKey), true); + } else { + $apiUrl = "$postgrestUrl/optimized_genres?url=eq./" . $url; + $client = new Client(); + + try { + $response = $client->request("GET", $apiUrl, [ + "headers" => [ + "Accept" => "application/json", + "Authorization" => "Bearer {$postgrestApiKey}", + ], + ]); + + $genreData = json_decode($response->getBody(), true); + + if (!$genreData) { + echo file_get_contents(__DIR__ . "/../../404/index.html"); + exit(); + } + + $genre = $genreData[0]; + + if ($useRedis) { + $redis->setex($cacheKey, 3600, json_encode($genre)); + } + } catch (Exception $e) { + error_log($e->getMessage()); + echo file_get_contents(__DIR__ . "/../../404/index.html"); + exit(); + } + } + + $pageTitle = htmlspecialchars("Genres • " . $genre["name"], ENT_QUOTES, "UTF-8"); + $pageDescription = truncateText(htmlspecialchars(strip_tags($genre["description"]), ENT_QUOTES, "UTF-8"), 250); + $ogImage = htmlspecialchars($genre["artists"][0]["image"] . "?class=w800", ENT_QUOTES, "UTF-8"); + $fullUrl = "https://www.coryd.dev" . $requestUri; + + header("Cache-Control: public, max-age=3600"); + header("Expires: " . gmdate("D, d M Y H:i:s", time() + 3600) . " GMT"); +?> diff --git a/src/includes/fetchers/movie.php.liquid b/src/includes/fetchers/movie.php.liquid new file mode 100644 index 0000000..6e4053d --- /dev/null +++ b/src/includes/fetchers/movie.php.liquid @@ -0,0 +1,80 @@ +connect('127.0.0.1', 6379); + $useRedis = true; + } + } catch (Exception $e) { + error_log("Redis not available: " . $e->getMessage()); + } + + if ($useRedis && $redis->exists($cacheKey)) { + $movie = json_decode($redis->get($cacheKey), true); + } else { + $apiUrl = "$postgrestUrl/optimized_movies?url=eq./" . $url; + $client = new Client(); + + try { + $response = $client->request("GET", $apiUrl, [ + "headers" => [ + "Accept" => "application/json", + "Authorization" => "Bearer {$postgrestApiKey}", + ], + ]); + + $movieData = json_decode($response->getBody(), true); + + if (!$movieData) { + echo file_get_contents(__DIR__ . "/../../404/index.html"); + exit(); + } + + $movie = $movieData[0]; + + if ($useRedis) { + $redis->setex($cacheKey, 3600, json_encode($movie)); + } + } catch (Exception $e) { + error_log($e->getMessage()); + echo file_get_contents(__DIR__ . "/../../404/index.html"); + exit(); + } + } + + $movie["description"] = parseMarkdown($movie["description"]); + $pageTitle = htmlspecialchars( + "Movies • " . $movie["title"], + ENT_QUOTES, + "UTF-8" + ); + $pageDescription = truncateText(htmlspecialchars( + strip_tags($movie["description"]), + ENT_QUOTES, + "UTF-8" + ), 250); + $ogImage = htmlspecialchars($movie["backdrop"] . "?class=w800", ENT_QUOTES, "UTF-8"); + $fullUrl = "https://www.coryd.dev" . $requestUri; + + header("Cache-Control: public, max-age=3600"); + header("Expires: " . gmdate("D, d M Y H:i:s", time() + 3600) . " GMT"); +?> diff --git a/src/includes/fetchers/show.php.liquid b/src/includes/fetchers/show.php.liquid new file mode 100644 index 0000000..5520d84 --- /dev/null +++ b/src/includes/fetchers/show.php.liquid @@ -0,0 +1,71 @@ +connect('127.0.0.1', 6379); + $useRedis = true; + } + } catch (Exception $e) { + error_log("Redis not available: " . $e->getMessage()); + } + + if ($useRedis && $redis->exists($cacheKey)) { + $show = json_decode($redis->get($cacheKey), true); + } else { + $apiUrl = "$postgrestUrl/optimized_shows?url=eq./" . $url; + $client = new Client(); + + try { + $response = $client->request("GET", $apiUrl, [ + "headers" => [ + "Accept" => "application/json", + "Authorization" => "Bearer {$postgrestApiKey}", + ], + ]); + + $showData = json_decode($response->getBody(), true); + + if (!$showData) { + echo file_get_contents(__DIR__ . "/../../404/index.html"); + exit(); + } + + $show = $showData[0]; + + if ($useRedis) { + $redis->setex($cacheKey, 3600, json_encode($show)); + } + } catch (Exception $e) { + error_log($e->getMessage()); + echo file_get_contents(__DIR__ . "/../../404/index.html"); + exit(); + } + } + + $pageTitle = htmlspecialchars("Show • " . $show["title"], ENT_QUOTES, "UTF-8"); + $pageDescription = truncateText(htmlspecialchars(strip_tags($show["description"]), ENT_QUOTES, "UTF-8"), 250); + $ogImage = htmlspecialchars($show["image"] . "?class=w800", ENT_QUOTES, "UTF-8"); + $fullUrl = "https://www.coryd.dev" . $requestUri; + + header("Cache-Control: public, max-age=3600"); + header("Expires: " . gmdate("D, d M Y H:i:s", time() + 3600) . " GMT"); +?> diff --git a/src/includes/home/intro.liquid b/src/includes/home/intro.liquid new file mode 100644 index 0000000..5b8626b --- /dev/null +++ b/src/includes/home/intro.liquid @@ -0,0 +1,8 @@ +
+ {{ intro }} + {% render "blocks/now-playing.liquid", + nowPlaying:nowPlaying + section:"music" + %} +
+
diff --git a/src/includes/home/recent-activity.liquid b/src/includes/home/recent-activity.liquid new file mode 100644 index 0000000..31fe31d --- /dev/null +++ b/src/includes/home/recent-activity.liquid @@ -0,0 +1,60 @@ +
+

+ {% tablericon "activity" %} + Recent activity +

+

+ Posts • + Links • + Watching • + Books +

+ {%- for item in items -%} +
+ +

+ {%- if item.type == "concerts" -%} + {%- capture artistName -%} + {%- if item.artist_url -%} + {{ item.title | split: ' at ' | first }} + {%- else -%} + {{ item.title | split: ' at ' | first }} + {%- endif -%} + {%- endcapture -%} + {%- capture venue -%} + {%- if item.venue_lat and item.venue_lon -%} + {{ item.venue_name }} + {%- else -%} + {{ item.venue_name }} + {%- endif -%} + {%- endcapture -%} + {{ artistName }} + {% if venue %} at {{ venue }}{% endif %} + {%- else -%} + {{ item.title }} + {%- if item.type == "link" and item.author -%} + via + {%- if item.author.url -%} + {{ item.author.name }} + {%- else -%} + {{ item.author.name }} + {%- endif -%} + {%- endif -%} + {%- endif -%} +

+
+ {%- endfor -%} +
diff --git a/src/includes/home/recent-media.liquid b/src/includes/home/recent-media.liquid new file mode 100644 index 0000000..b023ec3 --- /dev/null +++ b/src/includes/home/recent-media.liquid @@ -0,0 +1,19 @@ +
+ {% render "media/grid.liquid", + globals:globals, + data:media.recentMusic, + count:8, + loading:"eager" + %} + {% render "media/grid.liquid", + globals:globals, + data:media.recentWatchedRead, + shape:"vertical", + count:6 + loading:"eager" + %} + {% render "blocks/banners/rss.liquid", + url:"/feeds", + text:"Subscribe to my movies, books, links or activity feed(s)" + %} +
diff --git a/src/includes/layout/footer.liquid b/src/includes/layout/footer.liquid new file mode 100644 index 0000000..da7cc3d --- /dev/null +++ b/src/includes/layout/footer.liquid @@ -0,0 +1,19 @@ +{%- assign updateTime = "" -%} +{%- if updated == "now" -%} + {%- assign updateTime = "now" | date:"%B %-d, %l:%M %P", "America/Los_Angeles" -%} +{%- elsif pageUpdated -%} + {%- assign updateTime = page.updated | date:"%B %-d, %l:%M %P", "America/Los_Angeles" -%} +{%- endif -%} + + {%- if updateTime -%} +

This page was last updated on {{ updateTime | strip }}.

+ {%- endif -%} + {% render "nav/social.liquid", + page:page, + links:nav.footer_icons + %} + {% render "nav/secondary.liquid", + page:page, + links:nav.footer_text + %} + diff --git a/src/includes/layout/header.liquid b/src/includes/layout/header.liquid new file mode 100644 index 0000000..53e294a --- /dev/null +++ b/src/includes/layout/header.liquid @@ -0,0 +1,13 @@ +
+

+ {%- if page.url == "/" -%} + {{ globals.site_name }} + {%- else -%} + {{ globals.site_name }} + {%- endif -%} +

+ {% render "nav/primary.liquid", + page:page, + nav:nav + %} +
diff --git a/src/includes/media/grid.liquid b/src/includes/media/grid.liquid new file mode 100644 index 0000000..d91f6d6 --- /dev/null +++ b/src/includes/media/grid.liquid @@ -0,0 +1,47 @@ + +{% render "nav/paginator.liquid", + pagination:pagination +%} diff --git a/src/includes/media/music/charts/item.liquid b/src/includes/media/music/charts/item.liquid new file mode 100644 index 0000000..861421a --- /dev/null +++ b/src/includes/media/music/charts/item.liquid @@ -0,0 +1,13 @@ +
+
+ {{ item.chart.title }} + {%- assign playsLabel = item.chart.plays | pluralize:"play" -%} + {{ item.chart.artist }} + {{ item.chart.plays }} {{ playsLabel }} +
+
+ {% render "media/progress-bar.liquid", + percentage:item.chart.percentage + %} +
+
diff --git a/src/includes/media/music/charts/rank.liquid b/src/includes/media/music/charts/rank.liquid new file mode 100644 index 0000000..2e9b77c --- /dev/null +++ b/src/includes/media/music/charts/rank.liquid @@ -0,0 +1,24 @@ +
+
    + {%- if count -%} + {%- for item in data limit:count -%} +
  1. + {% render "media/music/charts/item.liquid", + item:item + %} +
  2. + {%- endfor -%} + {%- else -%} + {%- for item in pagination.items -%} +
  3. + {% render "media/music/charts/item.liquid", + item:item + %} +
  4. + {%- endfor -%} + {%- endif -%} +
+
+{% render "nav/paginator.liquid", + pagination:pagination +%} diff --git a/src/includes/media/music/charts/recent.liquid b/src/includes/media/music/charts/recent.liquid new file mode 100644 index 0000000..000a035 --- /dev/null +++ b/src/includes/media/music/charts/recent.liquid @@ -0,0 +1,30 @@ +
+ {%- for item in data limit:10 -%} +
+
+ + {{ item.chart.alt | replaceQuotes }} + +
+ {{ item.chart.title }} + {{ item.chart.subtext }} +
+
+ +
+ {%- endfor -%} +
diff --git a/src/includes/media/music/tables/all-time/albums.liquid b/src/includes/media/music/tables/all-time/albums.liquid new file mode 100644 index 0000000..35962e6 --- /dev/null +++ b/src/includes/media/music/tables/all-time/albums.liquid @@ -0,0 +1,21 @@ + + + + + + + + {% for album in topAlbums %} + + + + + + + {% endfor %} +
Albums (all time)ArtistPlaysYear
+
+ {{ album.table.alt }} + {{ album.table.title }} +
+
{{ album.table.artist }}{{ album.table.plays }}{{ album.table.year }}
diff --git a/src/includes/media/music/tables/all-time/artists.liquid b/src/includes/media/music/tables/all-time/artists.liquid new file mode 100644 index 0000000..1ead164 --- /dev/null +++ b/src/includes/media/music/tables/all-time/artists.liquid @@ -0,0 +1,19 @@ + + + + + + + {% for artist in topArtists %} + + + + + + {% endfor %} +
Artists (all time)GenrePlays
+ + {{ artist.table.emoji }} {{ artist.table.genre }}{{ artist.table.plays }}
diff --git a/src/includes/media/progress-bar.liquid b/src/includes/media/progress-bar.liquid new file mode 100644 index 0000000..fe55bf7 --- /dev/null +++ b/src/includes/media/progress-bar.liquid @@ -0,0 +1,3 @@ +{%- if percentage -%} +{{ percentage }}% +{%- endif -%} diff --git a/src/includes/media/watching/hero.liquid b/src/includes/media/watching/hero.liquid new file mode 100644 index 0000000..ca123d6 --- /dev/null +++ b/src/includes/media/watching/hero.liquid @@ -0,0 +1,18 @@ + +
+
+
{{ movie.title }}
+
+ {%- if movie.rating -%} + {{ movie.rating }} + {%- endif -%} + ({{ movie.year }}) +
+
+ {% render "blocks/hero.liquid", + globals:globals, + image:movie.backdrop, + alt:movie.title + %} +
+
diff --git a/src/includes/metadata/base.liquid b/src/includes/metadata/base.liquid new file mode 100644 index 0000000..040d5ce --- /dev/null +++ b/src/includes/metadata/base.liquid @@ -0,0 +1,13 @@ + + + + + + + + + + + + + diff --git a/src/includes/metadata/dynamic.php.liquid b/src/includes/metadata/dynamic.php.liquid new file mode 100644 index 0000000..49b75f1 --- /dev/null +++ b/src/includes/metadata/dynamic.php.liquid @@ -0,0 +1,7 @@ +<?= htmlspecialchars($pageTitle ?? "{{ pageTitle }}", ENT_QUOTES, 'UTF-8') ?> • {{ globals.site_name }} + + + +" /> + + diff --git a/src/includes/metadata/index.liquid b/src/includes/metadata/index.liquid new file mode 100644 index 0000000..dea6c6e --- /dev/null +++ b/src/includes/metadata/index.liquid @@ -0,0 +1,94 @@ +{%- assign fullUrl = globals.url | append: page.url -%} +{%- capture pageTitle -%} + {%- if page.title -%} + {{ page.title | append: ' • ' | append: globals.site_name }} + {%- elsif title -%} + {{ title | append: ' • ' | append: globals.site_name }} + {%- else -%} + {{ globals.site_name }} + {%- endif -%} +{%- endcapture -%} +{%- capture pageDescription -%} + {% if page.description %} + {{ page.description }} + {% elsif description %} + {{ description }} + {% else %} + {{ globals.site_description }} + {% endif %} +{%- endcapture -%} +{%- assign ogImage = globals.cdn_url | append: globals.avatar -%} +{%- case schema -%} + {%- when 'artist' -%} + {% render "fetchers/artist.php.liquid" %} + {%- when 'genre' -%} + {% render "fetchers/genre.php.liquid" %} + {%- when 'book' -%} + {% render "fetchers/book.php.liquid" %} + {%- when 'movie' -%} + {% render "fetchers/movie.php.liquid" %} + {%- when 'show' -%} + {% render "fetchers/show.php.liquid" %} + {%- when 'blog' -%} + {%- assign pageTitle = post.title -%} + {%- assign pageDescription = post.description -%} + {%- assign ogImage = globals.cdn_url | append: post.image -%} + {%- when 'music-index', 'music-week-artists' -%} + {%- assign ogImage = globals.cdn_url | append: music.week.artists[0].grid.image -%} + {%- when 'music-week-albums', 'music-week-tracks' -%} + {%- assign ogImage = globals.cdn_url | append: music.week.albums[0].grid.image -%} + {%- when 'music-month-artists' -%} + {%- assign ogImage = globals.cdn_url | append: music.month.artists[0].grid.image -%} + {%- when 'music-month-albums' -%} + {%- assign ogImage = globals.cdn_url | append: music.month.albums[0].grid.image -%} + {%- when 'music-releases' -%} + {%- assign ogImage = globals.cdn_url | append: albumReleases.upcoming[0].grid.image -%} + {%- when 'books' -%} + {%- assign overviewBook = books.all | filterBooksByStatus: 'started' | reverse | first %} + {%- assign ogImage = globals.cdn_url | append: overviewBook.image -%} + {%- when 'books-year' -%} + {%- assign pageTitle = 'Books' | append: ' • ' | append: year.value | append: ' • ' | append: globals.site_name -%} + {%- capture pageDescription -%} + Here's what I read in {{ year.value }}. + {%- endcapture -%} + {%- assign bookData = year.data | filterBooksByStatus: 'finished' -%} + {%- assign bookYear = bookData | shuffleArray | first -%} + {%- assign ogImage = globals.cdn_url | append: bookYear.image -%} + {%- when 'favorite-movies' -%} + {%- assign favoriteMovie = movies.favorites | shuffleArray | first %} + {%- assign ogImage = globals.cdn_url | append: favoriteMovie.backdrop -%} + {%- when 'favorite-shows' -%} + {%- assign favoriteShow = tv.favorites | shuffleArray | first %} + {%- assign ogImage = globals.cdn_url | append: favoriteShow.backdrop -%} + {%- when 'watching' -%} + {%- assign overviewMovie = movies.recentlyWatched | first %} + {%- assign ogImage = globals.cdn_url | append: overviewMovie.backdrop -%} + {%- when 'upcoming-shows' -%} + {%- assign upcomingShow = upcomingShows.watching | shuffleArray | first %} + {%- assign ogImage = globals.cdn_url | append: upcomingShow.backdrop -%} + {%- when 'page' -%} + {%- assign pageDescription = page.description -%} +{% endcase %} +{%- if type == 'dynamic' -%} +{% render "metadata/dynamic.php.liquid" + fullUrl:fullUrl, + pageTitle:pageTitle, + pageDescription:pageDescription, + ogImage:ogImage, + globals:globals, +%} +{%- else -%} +{% render "metadata/static.liquid" + fullUrl:fullUrl, + pageTitle:pageTitle, + pageDescription:pageDescription + ogImage:ogImage, + globals:globals, +%} +{%- endif -%} +{% render "metadata/base.liquid" + pageTitle:pageTitle, + globals:globals, + eleventy:eleventy, + appVersion:appVersion, +%} diff --git a/src/includes/metadata/static.liquid b/src/includes/metadata/static.liquid new file mode 100644 index 0000000..abccf49 --- /dev/null +++ b/src/includes/metadata/static.liquid @@ -0,0 +1,9 @@ +{%- assign description = pageDescription | markdown | strip_html | htmlTruncate | escape -%} +{{- pageTitle -}} + + + + + + + diff --git a/src/includes/nav/link.liquid b/src/includes/nav/link.liquid new file mode 100644 index 0000000..3e8207e --- /dev/null +++ b/src/includes/nav/link.liquid @@ -0,0 +1,30 @@ +{%- assign categoryUrl = link.permalink | downcase -%} +{%- assign isHttp = categoryUrl contains "http" -%} +{%- if categoryUrl | isLinkActive:page.url -%} + + {%- if link.icon -%} + {% tablericon link.icon %} + {{ link.title }} + {%- else -%} + {{ link.title }} + {%- endif -%} + +{%- else -%} + + {%- if link.icon -%} + {% tablericon link.icon %} + {{ link.title }} + {%- else -%} + {{ link.title }} + {%- endif -%} + +{%- endif -%} diff --git a/src/includes/nav/paginator.liquid b/src/includes/nav/paginator.liquid new file mode 100644 index 0000000..73c487a --- /dev/null +++ b/src/includes/nav/paginator.liquid @@ -0,0 +1,47 @@ +{%- assign pageCount = pagination.pages.size | default:0 -%} +{%- assign hidePagination = pageCount <= 1 -%} +{%- unless hidePagination -%} + + +{%- endunless -%} diff --git a/src/includes/nav/primary.liquid b/src/includes/nav/primary.liquid new file mode 100644 index 0000000..d5145d5 --- /dev/null +++ b/src/includes/nav/primary.liquid @@ -0,0 +1,12 @@ + diff --git a/src/includes/nav/secondary.liquid b/src/includes/nav/secondary.liquid new file mode 100644 index 0000000..b1796cc --- /dev/null +++ b/src/includes/nav/secondary.liquid @@ -0,0 +1,9 @@ + diff --git a/src/includes/nav/social.liquid b/src/includes/nav/social.liquid new file mode 100644 index 0000000..6f76583 --- /dev/null +++ b/src/includes/nav/social.liquid @@ -0,0 +1,8 @@ + diff --git a/src/layouts/base.liquid b/src/layouts/base.liquid new file mode 100644 index 0000000..ea200a2 --- /dev/null +++ b/src/layouts/base.liquid @@ -0,0 +1,53 @@ + + + + + + + + + + + {% render "metadata/index.liquid", + schema:schema, + type:type, + page:page, + globals:globals, + post:post, + title:title, + description:description, + movies:movies, + music:music, + albumReleases:albumReleases, + tv:tv, + upcomingShows:upcomingShows, + books:books, + year:year + eleventy:eleventy + %} + + + + +
+
+ {% render "layout/header.liquid", + globals:globals, + page:page, + nav:nav + %} +
+ {{ content }} +
+
+ {% render "layout/footer.liquid", + page:page, + nav:nav, + updated:updated, + pageUpdated:page.updated + %} +
+ + diff --git a/src/meta/htaccess.liquid b/src/meta/htaccess.liquid new file mode 100644 index 0000000..665be3f --- /dev/null +++ b/src/meta/htaccess.liquid @@ -0,0 +1,112 @@ +--- +permalink: "/.htaccess" +layout: null +eleventyExcludeFromCollections: true +excludeFromSitemap: true +--- +RewriteEngine On + +Options -Indexes + +DirectoryIndex index.php index.html + +# serve directory index files directly (index.html) +RewriteCond %{REQUEST_FILENAME} -d +RewriteCond %{REQUEST_FILENAME}/index.html -f +RewriteRule ^(.*)$ $1/index.html [L] + +# serve directory index files directly (index.php) +RewriteCond %{REQUEST_FILENAME} -d +RewriteCond %{REQUEST_FILENAME}/index.php -f +RewriteRule ^(.*)$ $1/index.php [L] + +ErrorDocument 403 /403/index.html +ErrorDocument 404 /404/index.html +ErrorDocument 429 /429/index.html +ErrorDocument 500 /500/index.html + +# media routing + +# media routing + +## artists +RewriteRule ^music/artists/([^/]+)/?$ music/artists/index.php [L] + +## books +RewriteRule ^books/([^/]+)/?$ books/index.php [L] +RewriteRule ^books/years/(\d{4})/?$ books/years/index.html [L] +RewriteRule ^books/?$ books/books.html [L] + +## movies +RewriteRule ^watching/movies/([^/]+)/?$ watching/movies/index.php [L] + +## shows +RewriteRule ^watching/shows/([^/]+)/?$ watching/shows/index.php [L] + +## genres +RewriteRule ^music/genres/([^/]+)/?$ music/genres/index.php [L] + +{% for redirect in redirects -%} +Redirect {{ redirect.status_code | default: "301" }} {{ redirect.source_url }} {{ redirect.destination_url }} +{% endfor -%} + +{% for pathData in headers %} + + {%- for header in pathData.headers %} + Header set {{ header.header_name }} "{% if header.header_name == "Content-Disposition" and header.header_value contains 'filename="' %}{{ header.header_value | replace: '"', '' }}{% else %}{{ header.header_value }}{% endif %}" + {%- endfor %} + +{% endfor %} + +{%- assign userAgents = "" -%} +{% for robot in robots -%} + {%- for userAgent in robot.user_agents -%} + {%- if userAgent != "*" and userAgent != "NaN" -%} + {%- assign userAgents = userAgents | append: userAgent %} + {%- unless forloop.last -%} + {%- assign userAgents = userAgents | append: "|" -%} + {%- endunless -%} + {%- endif -%} + {%- endfor -%} +{%- endfor %} +{% if userAgents != "" or referers != "" -%} +RewriteCond %{HTTP_USER_AGENT} "{{ userAgents }}" [NC] +RewriteCond %{REQUEST_URI} !^/robots\.txt$ [NC] +RewriteRule .* /403/index.html [L,R=403] +{%- endif %} + + + AddOutputFilterByType DEFLATE text/html text/plain text/xml text/css text/javascript application/javascript application/json application/font-woff2 + + + + AddOutputFilterByType BROTLI_COMPRESS text/html text/plain text/xml text/css text/javascript application/javascript application/json application/font-woff2 + + + + ExpiresActive On + ExpiresDefault "access plus 1 month" + ExpiresByType application/font-woff2 "access plus 1 year" + ExpiresByType text/html "access plus 1 hour" + ExpiresByType text/css "access plus 1 week" + ExpiresByType application/javascript "access plus 1 week" + ExpiresByType image/jpeg "access plus 1 month" + ExpiresByType image/png "access plus 1 month" + ExpiresByType image/gif "access plus 1 month" + ExpiresByType image/svg+xml "access plus 1 month" + ExpiresByType image/x-icon "access plus 1 year" + ExpiresByType application/json "access plus 1 week" + ExpiresByType application/octet-stream "access plus 1 month" + ExpiresByType font/ttf "access plus 1 year" + ExpiresByType font/otf "access plus 1 year" + ExpiresByType application/wasm "access plus 1 year" + + + + + Header set Cache-Control "public, max-age=31536000" + + + Header set Cache-Control "public, max-age=3600, must-revalidate" + + diff --git a/src/meta/humans.liquid b/src/meta/humans.liquid new file mode 100644 index 0000000..d630f2e --- /dev/null +++ b/src/meta/humans.liquid @@ -0,0 +1,15 @@ +--- +permalink: "/humans.txt" +layout: null +eleventyExcludeFromCollections: true +excludeFromSitemap: true +--- +## team + +{{ globals.site_name }} +{{ globals.url }} +{{ globals.mastodon }} + +## colophon + +{{ globals.url }}/colophon diff --git a/src/meta/robots.liquid b/src/meta/robots.liquid new file mode 100644 index 0000000..75969c5 --- /dev/null +++ b/src/meta/robots.liquid @@ -0,0 +1,16 @@ +--- +permalink: "/robots.txt" +layout: null +eleventyExcludeFromCollections: true +excludeFromSitemap: true +--- +Sitemap: {{ globals.url }}{{ globals.sitemap_uri }} + +User-agent: * +Disallow: +{% for robot in robots %} +{% for agent in robot.user_agents -%} +User-agent: {{ agent }} +{% endfor -%} +Disallow: {{ robot.path }} +{% endfor %} diff --git a/src/meta/webfinger.json.liquid b/src/meta/webfinger.json.liquid new file mode 100644 index 0000000..5ff1fb6 --- /dev/null +++ b/src/meta/webfinger.json.liquid @@ -0,0 +1,34 @@ +--- +permalink: "/.well-known/webfinger" +layout: null +eleventyExcludeFromCollections: true +excludeFromSitemap: true +--- +{ + "subject":"acct:{{ globals.webfinger_username }}@{{ globals.webfinger_hostname }}", + "aliases":[ + "https://{{ globals.webfinger_hostname }}/@{{ globals.webfinger_username }}", + "https://{{ globals.webfinger_hostname }}/users/{{ globals.webfinger_username }}" + ], + "links":[ + { + "rel":"http://webfinger.net/rel/profile-page", + "type":"text/html", + "href":"https://{{ globals.webfinger_hostname }}/@{{ globals.webfinger_username }}" + }, + { + "rel":"self", + "type":"application/activity+json", + "href":"https://{{ globals.webfinger_hostname }}/users/{{ globals.webfinger_username }}" + }, + { + "rel":"http://ostatus.org/schema/1.0/subscribe", + "template":"https://{{ globals.webfinger_hostname }}/authorize_interaction?uri={uri}" + }, + { + "rel":"http://webfinger.net/rel/avatar", + "type":"image/png", + "href":"{{ globals.cdn_url }}{{ globals.avatar }}?class=squarebase" + } + ] +} diff --git a/src/pages/dynamic/artist.php.liquid b/src/pages/dynamic/artist.php.liquid new file mode 100644 index 0000000..70f3596 --- /dev/null +++ b/src/pages/dynamic/artist.php.liquid @@ -0,0 +1,135 @@ +--- +permalink: /music/artists/index.php +type: dynamic +schema: artist +--- +{% tablericon "arrow-left" %} Back to music +
+
+ ?class=w200&type=webp 200w, + {{ globals.cdn_url }}?class=w600&type=webp 400w, + {{ globals.cdn_url }}?class=w800&type=webp 800w + " + sizes="(max-width: 450px) 200px, + (max-width: 850px) 400px, + 800px" + src="{{ globals.cdn_url }}?class=w200&type=webp" + alt="" + decoding="async" + width="200" + height="200" + /> +
+

+ {% tablericon "map-pin" %} + + {% tablericon "heart" %} This is one of my favorite artists! + + + {% tablericon "needle" %} I have a tattoo inspired by this artist! + + 0): ?> + + + + + + + + + "> + + + +
+
+ + +

Overview

+
+ +
+ + + +

+ {% tablericon "device-speaker" %} + I've seen this artist live! +

+
    + + ' . htmlspecialchars($concert["venue_name_short"]) . ''; + } else { + $venue = htmlspecialchars($concert["venue_name_short"]); + } + } + $modalId = "modal-" . htmlspecialchars($concert["id"]); + ?> +
  • + On + + at + + + + + + + + + + +
  • + +
+ + + + + + + + + + + + + + +
AlbumPlaysYear
0 ? $album["total_plays"] : "-" ?>
+
diff --git a/src/pages/dynamic/book.php.liquid b/src/pages/dynamic/book.php.liquid new file mode 100644 index 0000000..a262042 --- /dev/null +++ b/src/pages/dynamic/book.php.liquid @@ -0,0 +1,66 @@ +--- +permalink: /books/index.php +type: dynamic +schema: book +--- +{% tablericon "arrow-left" %} Back to books +
+
+ ?class=verticalsm&type=webp 200w, + {{ globals.cdn_url }}?class=verticalmd&type=webp 400w, + {{ globals.cdn_url }}?class=verticalbase&type=webp 800w + " + sizes="(max-width: 450px) 203px, + (max-width: 850px) 406px, + (max-width: 1000px) 812px, + 812px" + src="{{ globals.cdn_url }}?class=verticalsm&type=webp" + alt=" by " + decoding="async" + width="200" + height="307" + /> +
+

+ + + + + By + + + {% tablericon "heart" %} This is one of my favorite books! + + + {% tablericon "needle" %} I have a tattoo inspired by this book! + + + Finished on: + + " max="100"> + +
+
+ + {% render "blocks/banners/warning.liquid", text: "There are probably spoilers after this banner — this is a warning about them." %} +

My thoughts

+ + + + +

Overview

+ + +
diff --git a/src/pages/dynamic/genre.php.liquid b/src/pages/dynamic/genre.php.liquid new file mode 100644 index 0000000..d842bae --- /dev/null +++ b/src/pages/dynamic/genre.php.liquid @@ -0,0 +1,42 @@ +--- +permalink: /music/genres/index.php +type: dynamic +schema: genre +--- +{% tablericon "arrow-left" %} Back to music +

+
+ + 0): ?> +

My top artists are + ' . htmlspecialchars($artist["name"]) . ''; + } + echo implode(', ', $artistLinks); + ?>. I've listened to tracks from this genre.

+
+ + + +

Overview

+
+ +

">Continue reading at Wikipedia.

+

Wikipedia content provided under the terms of the + Creative Commons BY-SA license

+
+ + +
diff --git a/src/pages/dynamic/movie.php.liquid b/src/pages/dynamic/movie.php.liquid new file mode 100644 index 0000000..4a3172f --- /dev/null +++ b/src/pages/dynamic/movie.php.liquid @@ -0,0 +1,58 @@ +--- +permalink: /watching/movies/index.php +type: dynamic +schema: movie +--- +{% tablericon "arrow-left" %} Back to watching +
+ ?class=bannersm&type=webp 256w, + {{ globals.cdn_url }}?class=bannermd&type=webp 512w, + {{ globals.cdn_url }}?class=bannerbase&type=webp 1024w + " + sizes="(max-width: 450px) 256px, + (max-width: 850px) 512px, + 1024px" + src="{{ globals.cdn_url }}?class=bannersm&type=webp" + alt=" ()" + class="image-banner" + decoding="async" + width="256" + height="180" + /> +
+

()

+ + + + + {% tablericon "heart" %} This is one of my favorite movies! + + + {% tablericon "needle" %} I have a tattoo inspired by this movie! + + + Last watched on . + +
+ + {% render "blocks/banners/warning.liquid", text: "There are probably spoilers after this banner — this is a warning about them." %} +

My thoughts

+ + + + +

Overview

+ + +
diff --git a/src/pages/dynamic/show.php.liquid b/src/pages/dynamic/show.php.liquid new file mode 100644 index 0000000..149fddb --- /dev/null +++ b/src/pages/dynamic/show.php.liquid @@ -0,0 +1,58 @@ +--- +permalink: /watching/shows/index.php +type: dynamic +schema: show +--- +{% tablericon "arrow-left" %} Back to watching +
+ ?class=bannersm&type=webp 256w, + {{ globals.cdn_url }}?class=bannermd&type=webp 512w, + {{ globals.cdn_url }}?class=bannerbase&type=webp 1024w + " + sizes="(max-width: 450px) 256px, + (max-width: 850px) 512px, + 1024px" + src="{{ globals.cdn_url }}?class=bannersm&type=webp" + alt=" ()" + class="image-banner" + decoding="async" + width="256" + height="180" + /> +
+

()

+ + {% tablericon "heart" %} This is one of my favorite shows! + + + {% tablericon "needle" %} I have a tattoo inspired by this show! + + + I last watched + + on . + + +
+ + {% render "blocks/banners/warning.liquid", text: "There are probably spoilers after this banner — this is a warning about them." %} +

My thoughts

+ + + + +

Overview

+ + +
diff --git a/src/pages/index.html b/src/pages/index.html new file mode 100644 index 0000000..4c61e1a --- /dev/null +++ b/src/pages/index.html @@ -0,0 +1,14 @@ +--- +permalink: / +--- +{% render "home/intro.liquid" + intro:globals.intro, + nowPlaying:nowPlaying.content +%} +{% render "home/recent-media.liquid" + media:recentMedia, + globals:globals +%} +{% render "home/recent-activity.liquid" + items:recentActivity +%} diff --git a/src/pages/media/books/index.html b/src/pages/media/books/index.html new file mode 100644 index 0000000..4411179 --- /dev/null +++ b/src/pages/media/books/index.html @@ -0,0 +1,55 @@ +--- +title: Books +description: Here's what I'm reading at the moment. +permalink: "/books/index.html" +schema: books +updated: "now" +--- +{%- assign currentYear = 'now' | date: "%Y" -%} +{%- assign bookData = books.all | filterBooksByStatus: 'started' | reverse -%} +{%- assign currentBookCount = books.currentYear | size -%} +

Currently reading

+

Here's what I'm reading at the moment. I've finished {{ currentBookCount }} books this year. I've read {{ books.daysRead }} days in a row and counting.

+

{{ books.years | bookYearLinks }}

+{% render "blocks/banners/rss.liquid", + url: "/feeds/books.xml", + text: "Subscribe to my books feed or follow along on this page" +%} +
+{% for book in bookData %} + {% capture alt %}{{ book.title }} by {{ book.authors }}{% endcapture %} +
+ + {{ alt | replaceQuotes }} + +
+ +

{{ book.title }}

+
+ {% if book.author %} + By {{ book.author }} + {% endif %} + {% if book.progress %} + {% render "media/progress-bar.liquid", + percentage:book.progress + %} + {% endif %} + {% if book.description %} +
{{ book.description | normalize_whitespace | markdown | htmlTruncate }}
+ {% endif %} +
+
+{% endfor %} diff --git a/src/pages/media/books/year.html b/src/pages/media/books/year.html new file mode 100644 index 0000000..2f8b738 --- /dev/null +++ b/src/pages/media/books/year.html @@ -0,0 +1,29 @@ +--- +pagination: + data: books.years + size: 1 + alias: year +permalink: "/books/years/{{ year.value }}/index.html" +schema: books-year +--- +{%- assign bookData = year.data | filterBooksByStatus: 'finished' -%} +{%- assign bookDataFavorites = bookData | findFavoriteBooks -%} +{%- capture favoriteBooks -%}{{ bookDataFavorites | shuffleArray | mediaLinks: "book", 5 }}{%- endcapture -%} +{%- assign currentYear = 'now' | date: "%Y" -%} +{%- assign yearString = year.value | append: '' -%} +{%- assign currentYearString = currentYear | append: '' -%} +{% tablericon "arrow-left" %} Back to books +

{{ year.value }} • Books

+{% if yearString == currentYearString %} +

I've finished {{ bookData.size }} book{% unless bookData.size == 1 %}s{% endunless %} this year.{%- if favoriteBooks %} Among my favorites are {{ favoriteBooks }}.{%- endif -%}

+{% else %} +

I finished {{ bookData.size }} book{% unless bookData.size == 1 %}s{% endunless %} in {{ year.value }}.{%- if favoriteBooks %} Among my favorites were {{ favoriteBooks }}.{%- endif -%}

+{% endif %} +
+{% render "media/grid.liquid", + globals:globals, + data:bookData, + shape:"vertical", + count:200, + loading:"eager" +%} diff --git a/src/pages/media/music/concerts.html b/src/pages/media/music/concerts.html new file mode 100644 index 0000000..2db851a --- /dev/null +++ b/src/pages/media/music/concerts.html @@ -0,0 +1,48 @@ +--- +title: Concerts +description: These are concerts I've attended (not all of them — just the ones I could remember or glean from emails, photo metadata et al). +pagination: + data: concerts + size: 30 +permalink: "/music/concerts/{% if pagination.pageNumber > 0 %}{{ pagination.pageNumber }}/{% endif %}index.html" +--- +{%- if pagination.pageNumber == 0 -%} +

Concerts

+

These are concerts I've attended (not all of them — just the ones I could remember or glean from emails, photo metadata et al). I've been to at least {{ concerts | size }} shows. You can also take a look at the music I've been listening to lately.

+
+{%- endif -%} +
    + {%- for concert in pagination.items -%} + {%- capture artistName -%} + {% if concert.artist.url %} + {{ concert.artist.name }} + {% else %} + {{ concert.artist.name }} + {% endif %} + {%- endcapture -%} + {%- capture venue -%} + {% if concert.venue.name %} + {% if concert.venue.latitude and concert.venue.longitude %} + {{ concert.venue.name_short }} + {% else %} + {{ concert.venue.name_short }} + {% endif %} + {% endif %} + {%- endcapture -%} +
  • + {{ artistName }} on {{ concert.date | date: "%B %e, %Y" }} + {% if venue %} at {{ venue }}{% endif %} + {%- if concert.notes -%} + {% assign notes = concert.notes | prepend: "### Notes\n" | markdown %} + {% render "blocks/modal.liquid", + icon:"info-circle", + content:notes, + id:concert.id + %} + {%- endif -%} +
  • + {%- endfor -%} +
+{% render "nav/paginator.liquid", + pagination:pagination +%} diff --git a/src/pages/media/music/index.html b/src/pages/media/music/index.html new file mode 100644 index 0000000..e3f4403 --- /dev/null +++ b/src/pages/media/music/index.html @@ -0,0 +1,80 @@ +--- +title: Music +description: This is everything I've been listening to recently — it's collected in a database as I listen to it and displayed here. +permalink: "/music/index.html" +schema: music-index +updated: "now" +--- +

{{ title }}

+

I've listened to {{ music.week.artists.size }} artists, {{ music.week.albums.size }} albums and {{ music.week.totalTracks }} tracks this week. Most of that has been {{ music.week.genres | mediaLinks: "genre", 5 }}.

+

Take a look at what I've listened to this month or check out the concerts I've been to.

+{% render "blocks/now-playing.liquid", + nowPlaying:nowPlaying.content +%} +
+

+ + {% tablericon "microphone-2" %} Artists + +

+{% render "media/grid.liquid", + globals:globals, + data:music.week.artists, + count:8, + loading:"eager" +%} +{% render "media/music/tables/all-time/artists.liquid", + globals:globals, + topArtists:topArtists +%} +

+ + {% tablericon "vinyl" %} Albums + +

+{% render "media/grid.liquid", + globals:globals, + data:music.week.albums, + count:8 +%} +{% render "media/music/tables/all-time/albums.liquid", + globals:globals, + topAlbums:topAlbums +%} +

+ + {% tablericon "playlist" %} + Tracks + +

+
+ + + + +
+ {% render "media/music/charts/recent.liquid", + globals:globals, + data:music.recent + %} +
+
+ {% render "media/music/charts/rank.liquid", + data:music.week.tracks, + count:10 + %} +
+
+{%- if albumReleases.upcoming.size > 0 -%} +

+ + {% tablericon "calendar-time" %} + Anticipated albums + +

+ {% render "media/grid.liquid", + globals:globals, + data:albumReleases.upcoming, + count:8 + %} +{%- endif -%} diff --git a/src/pages/media/music/releases.html b/src/pages/media/music/releases.html new file mode 100644 index 0000000..4c741ba --- /dev/null +++ b/src/pages/media/music/releases.html @@ -0,0 +1,23 @@ +--- +title: Anticipated albums +description: These are the album releases I'm currently looking forward to. +permalink: "/music/album-releases/index.html" +schema: music-releases +updated: "now" +--- +

{{ title }}

+

These are all albums I'm looking forward to (this year — next year?).

+

Take a look at what I'm listening to now or check out the concerts I've been to.

+{% render "blocks/banners/calendar.liquid", + url:"/music/releases.ics", + text:"Subscribe to my album releases calendar" +%} +
+{%- if albumReleases.upcoming.size > 0 -%} +{% render "media/grid.liquid", + globals:globals, + data:albumReleases.upcoming, +%} +{%- else -%} +

OH NO THERE'S NO MUSIC TO LOOK FORWARD TO.

+{%- endif -%} diff --git a/src/pages/media/music/this-month/albums.html b/src/pages/media/music/this-month/albums.html new file mode 100644 index 0000000..2e987fb --- /dev/null +++ b/src/pages/media/music/this-month/albums.html @@ -0,0 +1,22 @@ +--- +title: Albums this month +description: These are the albums I've been listening to this month. All of them are awesome. +pagination: + data: music.month.albums + size: 24 +permalink: "/music/this-month/albums/{% if pagination.pageNumber > 0 %}{{ pagination.pageNumber }}/{% endif %}index.html" +schema: music-month-albums +updated: "now" +--- +{% if pagination.pageNumber == 0 %} +

Albums this month

+

These are the albums I've been listening to this month. All of them are awesome. Listed in descending order from most plays to least.

+

You can also take a look at the artists I've listened to this month, the artists I've listened to this week or the albums I've listened to this week.

+

I also keep track of the concerts I've been to.

+
+{% endif %} +{% render "media/grid.liquid", + globals:globals, + data:pagination.items, + pagination:pagination +%} diff --git a/src/pages/media/music/this-month/artists.html b/src/pages/media/music/this-month/artists.html new file mode 100644 index 0000000..ba11a4c --- /dev/null +++ b/src/pages/media/music/this-month/artists.html @@ -0,0 +1,22 @@ +--- +title: Artists this month +description: These are the artists I've been listening to this month. All of them are awesome. +pagination: + data: music.month.artists + size: 24 +permalink: "/music/this-month/artists/{% if pagination.pageNumber > 0 %}{{ pagination.pageNumber }}/{% endif %}index.html" +schema: music-month-artists +updated: "now" +--- +{% if pagination.pageNumber == 0 %} +

Artists this month

+

These are the artists I've been listening to this month. All of them are awesome. Listed in descending order from most plays to least.

+

You can also take a look at the the albums I've listened to this week, albums I've listened to this month or the artists I've listened to this week.

+

I also keep track of the concerts I've been to.

+
+{% endif %} +{% render "media/grid.liquid", + globals:globals, + data:pagination.items, + pagination:pagination +%} diff --git a/src/pages/media/music/this-month/index.html b/src/pages/media/music/this-month/index.html new file mode 100644 index 0000000..87dc6e9 --- /dev/null +++ b/src/pages/media/music/this-month/index.html @@ -0,0 +1,36 @@ +--- +title: Music this month +description: This is everything I've been listening to this month — it's collected in a database as I listen to it and displayed here. +permalink: "/music/this-month/index.html" +updated: "now" +--- +

{{ title }}

+

I've listened to {{ music.month.artists.size }} artists, {{ music.month.albums.size }} albums and {{ music.month.totalTracks }} tracks this month. Most of that has been {{ music.month.genres | mediaLinks: "genre", 5 }}.

+

Take a look at what I've listened to this week or check out the concerts I've been to.

+
+

+ + {% tablericon "microphone-2" %} Artists + +

+{% render "media/grid.liquid", + globals:globals, + data:music.month.artists, + count:8, + loading: "eager" +%} +

+ + {% tablericon "vinyl" %} Albums + +

+{% render "media/grid.liquid", + globals:globals, + data:music.month.albums, + count:8 +%} +

{% tablericon "playlist" %} Tracks

+{% render "media/music/charts/rank.liquid", + data:music.month.tracks, + count:10 +%} diff --git a/src/pages/media/music/this-week/albums.html b/src/pages/media/music/this-week/albums.html new file mode 100644 index 0000000..252f392 --- /dev/null +++ b/src/pages/media/music/this-week/albums.html @@ -0,0 +1,22 @@ +--- +title: Albums this week +description: These are the albums I've been listening to this week. All of them are awesome. +pagination: + data: music.week.albums + size: 24 +permalink: "/music/this-week/albums/{% if pagination.pageNumber > 0 %}{{ pagination.pageNumber }}/{% endif %}index.html" +schema: music-week-albums +updated: "now" +--- +{% if pagination.pageNumber == 0 %} +

Albums this week

+

These are the albums I've been listening to this week. All of them are awesome. Listed in descending order from most plays to least.

+

You can also take a look at the artists I've listened to this month, the artists I've listened to this week or the albums I've listened to this month.

+

I also keep track of the concerts I've been to.

+
+{% endif %} +{% render "media/grid.liquid", + globals:globals, + data:pagination.items, + pagination:pagination +%} diff --git a/src/pages/media/music/this-week/artists.html b/src/pages/media/music/this-week/artists.html new file mode 100644 index 0000000..8021b8e --- /dev/null +++ b/src/pages/media/music/this-week/artists.html @@ -0,0 +1,22 @@ +--- +title: Artists this week +description: These are the artists I've been listening to this week. All of them are awesome. +pagination: + data: music.week.artists + size: 24 +permalink: "/music/this-week/artists/{% if pagination.pageNumber > 0 %}{{ pagination.pageNumber }}/{% endif %}index.html" +schema: music-week-artists +updated: "now" +--- +{% if pagination.pageNumber == 0 %} +

Artists this week

+

These are the artists I've been listening to this week. All of them are awesome. Listed in descending order from most plays to least.

+

You can also take a look at the albums I've listened to this week, the albums I've listened to this month or the artists I've listened to this month.

+

I also keep track of the concerts I've been to.

+
+{% endif %} +{% render "media/grid.liquid", + globals:globals, + data:pagination.items, + pagination:pagination +%} diff --git a/src/pages/media/music/this-week/tracks.html b/src/pages/media/music/this-week/tracks.html new file mode 100644 index 0000000..e126f2c --- /dev/null +++ b/src/pages/media/music/this-week/tracks.html @@ -0,0 +1,21 @@ +--- +title: Tracks this week +description: These are tracks artists I've been listening to this week. Some of them are awesome. +pagination: + data: music.week.tracks + size: 30 +permalink: "/music/this-week/tracks/{% if pagination.pageNumber > 0 %}{{ pagination.pageNumber }}/{% endif %}index.html" +schema: music-week-tracks +updated: "now" +--- +{% if pagination.pageNumber == 0 %} +

Artists this week

+

These are the tracks I've been listening to this week. Some of them are awesome. Listed in descending order from most plays to least.

+

You can also take a look at the albums I've listened to this week, the albums I've listened to this month, the artists I've listened to this week or the the artists I've listened to this month.

+

I also keep track of the concerts I've been to.

+
+{% endif %} +{% render "media/music/charts/rank.liquid", + data:pagination.items, + pagination:pagination +%} diff --git a/src/pages/media/watching/favorites/movies.html b/src/pages/media/watching/favorites/movies.html new file mode 100644 index 0000000..0b3a470 --- /dev/null +++ b/src/pages/media/watching/favorites/movies.html @@ -0,0 +1,22 @@ +--- +title: Favorite movies +description: These are my favorite movies. There are many like them, but these are mine. +pagination: + data: movies.favorites + size: 24 +permalink: "/watching/favorites/movies/{% if pagination.pageNumber > 0 %}{{ pagination.pageNumber }}/{% endif %}index.html" +schema: favorite-movies +--- +{% tablericon "arrow-left" %} Back to watching +{% if pagination.pageNumber == 0 %} +

{{ title }}

+

These are my favorite movies. There are many like them, but these are mine.

+
+{% endif %} +{% render "media/grid.liquid", + globals:globals, + data:pagination.items, + pagination:pagination, + shape:"vertical" + count:24 +%} diff --git a/src/pages/media/watching/favorites/shows.html b/src/pages/media/watching/favorites/shows.html new file mode 100644 index 0000000..322b9c5 --- /dev/null +++ b/src/pages/media/watching/favorites/shows.html @@ -0,0 +1,22 @@ +--- +title: Favorite shows +description: These are my favorite shows. There are many like them, but these are mine. +pagination: + data: tv.favorites + size: 24 +permalink: "/watching/favorites/shows/{% if pagination.pageNumber > 0 %}{{ pagination.pageNumber }}/{% endif %}index.html" +schema: favorite-shows +--- +{% tablericon "arrow-left" %} Back to watching +{% if pagination.pageNumber == 0 %} +

{{ title }}

+

These are my favorite shows. There are many like them, but these are mine.

+
+{% endif %} +{% render "media/grid.liquid", + globals:globals, + data:pagination.items, + pagination:pagination, + shape:"vertical" + count:24 +%} diff --git a/src/pages/media/watching/index.html b/src/pages/media/watching/index.html new file mode 100644 index 0000000..c342978 --- /dev/null +++ b/src/pages/media/watching/index.html @@ -0,0 +1,66 @@ +--- +title: Watching +description: Here's all of the TV and movies I've been watching presented in what is (hopefully) an organized fashion. +permalink: "/watching/index.html" +schema: watching +updated: "now" +--- +{%- assign featuredMovie = movies.recentlyWatched | shuffleArray | first -%} +

{{ title }}

+{% render "media/watching/hero.liquid", + globals:globals, + movie:featuredMovie +%} +

Here's all of the TV and movies I've been watching presented in what is (hopefully) an organized fashion.

+

You can see all of the shows I've got queued up here.

+{% render "blocks/banners/rss.liquid", + url: "/feeds/movies.xml", + text: "Subscribe to my movies feed or follow along on this page" +%} +
+

+ + {% tablericon "movie" %} Recent movies + +

+{% render "media/grid.liquid", + globals:globals, + data:movies.recentlyWatched, + shape:"vertical", + count:6 +%} +

+ + {% tablericon "device-tv-old" %} Recent shows + +

+{% render "media/grid.liquid", + globals:globals, + data:tv.recentlyWatched, + shape:"vertical", + count:6 +%} +

+ + {% tablericon "star" %} Favorite movies + +

+{% assign favoriteMovies = movies.favorites | shuffleArray %} +{% render "media/grid.liquid", + globals:globals, + data:favoriteMovies, + shape:"vertical", + count:6 +%} +

+ + {% tablericon "star" %} Favorite shows + +

+{% assign favoriteShows = tv.favorites | shuffleArray %} +{% render "media/grid.liquid", + globals:globals, + data:favoriteShows, + shape:"vertical", + count:6 +%} diff --git a/src/pages/media/watching/recent/movies.html b/src/pages/media/watching/recent/movies.html new file mode 100644 index 0000000..77a540c --- /dev/null +++ b/src/pages/media/watching/recent/movies.html @@ -0,0 +1,22 @@ +--- +title: Recent movies +description: These are my favorite movies. There are many like them, but these are mine. +pagination: + data: movies.recentlyWatched + size: 24 +permalink: "/watching/recent/movies/{% if pagination.pageNumber > 0 %}{{ pagination.pageNumber }}/{% endif %}index.html" +schema: favorite-movies +--- +{% tablericon "arrow-left" %} Back to watching +{% if pagination.pageNumber == 0 %} +

{{ title }}

+

These are my favorite movies. There are many like them, but these are mine.

+
+{% endif %} +{% render "media/grid.liquid", + globals:globals, + data:pagination.items, + pagination:pagination, + shape:"vertical" + count:24 +%} diff --git a/src/pages/media/watching/recent/shows.html b/src/pages/media/watching/recent/shows.html new file mode 100644 index 0000000..5243970 --- /dev/null +++ b/src/pages/media/watching/recent/shows.html @@ -0,0 +1,22 @@ +--- +title: Recent shows +description: These are my favorite shows. There are many like them, but these are mine. +pagination: + data: tv.recentlyWatched + size: 24 +permalink: "/watching/recent/shows/{% if pagination.pageNumber > 0 %}{{ pagination.pageNumber }}/{% endif %}index.html" +schema: favorite-shows +--- +{% tablericon "arrow-left" %} Back to watching +{% if pagination.pageNumber == 0 %} +

{{ title }}

+

These are my favorite shows. There are many like them, but these are mine.

+
+{% endif %} +{% render "media/grid.liquid", + globals:globals, + data:pagination.items, + pagination:pagination, + shape:"vertical" + count:24 +%} diff --git a/src/pages/media/watching/upcoming-shows.html b/src/pages/media/watching/upcoming-shows.html new file mode 100644 index 0000000..606367e --- /dev/null +++ b/src/pages/media/watching/upcoming-shows.html @@ -0,0 +1,28 @@ +--- +title: Upcoming shows +description: Here are all of the episodes I've got queued up from the shows I'm watching. +permalink: "/watching/shows/upcoming/index.html" +schema: upcoming-shows +updated: "now" +--- +{%- assign featuredMovie = upcomingShows.watching | shuffleArray | first -%} +{% tablericon "arrow-left" %} Back to watching +

{{ title }}

+{% render "media/watching/hero.liquid", + globals:globals, + movie:featuredMovie +%} +

Here's all of the TV shows I'm keeping up with. Shows I want to watch but haven't started are at the bottom of the page — the rest are sorted by air and watch date. Shows I follow with new episodes appear first, followed by shows I'm catching up on and those with new episodes on the way.

+
+

Watching

+{% render "media/grid.liquid", + globals:globals, + data:upcomingShows.watching, + shape:"vertical" +%} +

Not started

+{% render "media/grid.liquid", + globals:globals, + data:upcomingShows.unstarted, + shape:"vertical" +%} diff --git a/src/pages/page.html b/src/pages/page.html new file mode 100644 index 0000000..d290a87 --- /dev/null +++ b/src/pages/page.html @@ -0,0 +1,16 @@ +--- +pagination: + data: pages + size: 1 + alias: page +permalink: "{{ page.permalink }}/index.html" +image: "{{ page.open_graph_image | prepend: globals.cdn_url | default: globals.avatar }}" +updated: "{{ page.updated | default: null }}" +schema: page +--- +{% render "blocks/index.liquid", + blocks:page.blocks, + globals:globals, + collections:collections, + links:links +%} diff --git a/src/pages/pages.json b/src/pages/pages.json new file mode 100644 index 0000000..9988fb1 --- /dev/null +++ b/src/pages/pages.json @@ -0,0 +1,3 @@ +{ + "layout": "base.liquid" +} \ No newline at end of file diff --git a/src/pages/sections/links.html b/src/pages/sections/links.html new file mode 100644 index 0000000..9d68a6c --- /dev/null +++ b/src/pages/sections/links.html @@ -0,0 +1,31 @@ +--- +title: Links +description: These are links I've liked or otherwise found interesting. They're all added manually, after having been read and, I suppose, properly considered. +pagination: + data: links.all + size: 30 +permalink: "/links/{% if pagination.pageNumber > 0 %}{{ pagination.pageNumber }}/{% endif %}index.html" +--- +{% if pagination.pageNumber == 0 %} +

Links

+

These are links I've liked or otherwise found interesting. They're all added manually, after having been read and, I suppose, properly considered.

+{% render "blocks/banners/rss.liquid", + url: "/feeds/links.xml", + text: "Subscribe to my links feed or follow along on this page" +%} +
+{% endif %} + +{% render "nav/paginator.liquid", + pagination:pagination +%} diff --git a/src/pages/sections/posts/index.html b/src/pages/sections/posts/index.html new file mode 100644 index 0000000..fc418c8 --- /dev/null +++ b/src/pages/sections/posts/index.html @@ -0,0 +1,34 @@ +--- +title: All posts +pagination: + data: posts.all + size: 15 +permalink: "/posts/{% if pagination.pageNumber > 0 %}{{ pagination.pageNumber }}/{% endif %}index.html" +--- +{% if pagination.pageNumber == 0 %} +

Posts

+

These are all of my blog posts on this site (I like some more than others).

+

I tend to write about whatever strikes me, with a focus on development, technology, automation or issues I run into with these things. This is all typically light on editing with and heavy on spur of the moment thoughts.

+{% render "blocks/banners/rss.liquid", + url: "/feeds/posts.xml", + text: "Subscribe to my posts feed or follow along on this page" +%} +
+{% endif %} +{% for post in pagination.items %} +
+ +

+ {{ post.title }} +

+

{{ post.description | markdown }}

+
+{% endfor %} +{% render "nav/paginator.liquid", + pagination:pagination +%} diff --git a/src/pages/sections/posts/post.html b/src/pages/sections/posts/post.html new file mode 100644 index 0000000..ee8d560 --- /dev/null +++ b/src/pages/sections/posts/post.html @@ -0,0 +1,61 @@ +--- +pagination: + data: posts.all + size: 1 + alias: post +permalink: "{{ post.url }}/index.html" +schema: blog +--- +
+ +

+ {{ post.title }} +

+
+ {% render "blocks/banners/old-post.liquid", + isOldPost:post.old_post + %} + {%- if post.image -%} + {{ post.image_alt | replaceQuotes }} + {%- endif -%} + {{ post.content | markdown }} + {% render "blocks/index.liquid", + blocks:post.blocks + %} + {% render "blocks/associated-media.liquid", + artists: post.artists, + books: post.books, + genres: post.genres, + movies: post.movies, + posts: post.posts, + shows: post.shows + %} + {% render "blocks/banners/mastodon.liquid" + url:post.mastodon_url + %} + {% render "blocks/banners/coffee.liquid" %} +
+
diff --git a/src/pages/static/blogroll.html b/src/pages/static/blogroll.html new file mode 100644 index 0000000..9c48793 --- /dev/null +++ b/src/pages/static/blogroll.html @@ -0,0 +1,35 @@ +--- +title: Blogroll +permalink: /blogroll/index.html +description: These are awesome blogs that I enjoy and you may enjoy too. +--- +

{{ title }}

+

You can download an OPML file containing all of these feeds and import them into your RSS reader.

+ + + + + + + {% for blog in blogroll %} + + + + + + {% endfor %} +
NameLinkSubscribe
{{ blog.name }}{{ blog.url | replace: "https://", "" }} + {%- if blog.rss_feed -%} + {% tablericon "rss" %}  + {%- endif -%} + {%- if blog.json_feed -%} + {% tablericon "json" %}  + {%- endif -%} + {%- if blog.newsletter -%} + {% tablericon "mail-plus" %}  + {%- endif -%} + {%- if blog.mastodon -%} + {% tablericon "brand-mastodon" %}  + {%- endif -%} +
+

Head on over to blogroll.org to find more blogs to follow or search for feeds using feedle.

diff --git a/src/pages/static/errors/403.html b/src/pages/static/errors/403.html new file mode 100644 index 0000000..4326ee0 --- /dev/null +++ b/src/pages/static/errors/403.html @@ -0,0 +1,42 @@ +--- +title: 403 +description: Sorry, you're not allowed to see that! +permalink: /403/index.html +eleventyExcludeFromCollections: true +excludeFromSitemap: true +--- + +
+ An image of Daria Morgendorffer sitting at a table reading As I Lay Dying. +
+
+

403

+

Hi! So, this is a 403 page. In internet parlance that translates to forbidden which, unfortunately, means you're not allowed to see what you asked this server for.

+
+ diff --git a/src/pages/static/errors/404.html b/src/pages/static/errors/404.html new file mode 100644 index 0000000..e462a32 --- /dev/null +++ b/src/pages/static/errors/404.html @@ -0,0 +1,44 @@ +--- +title: 404 +description: What kind of idiots do you have working here? +permalink: /404/index.html +eleventyExcludeFromCollections: true +excludeFromSitemap: true +--- + +
+ An image Kevin McCallister screaming taken from the movie Home Alone 2. +
+
+

404

+

What kind of idiots do you have working here?

+

Hurry up and skip out on the room service bill!

+
+ diff --git a/src/pages/static/errors/429.html b/src/pages/static/errors/429.html new file mode 100644 index 0000000..197a907 --- /dev/null +++ b/src/pages/static/errors/429.html @@ -0,0 +1,42 @@ +--- +title: 429 +description: Hey! Knock that off. +permalink: /429/index.html +eleventyExcludeFromCollections: true +excludeFromSitemap: true +--- + +
+ An image Elmo standing next to Jack Black who is smiling and holding a stop sign. +
+
+

429

+

Hey! Knock that off. Take a break and try again.

+
+ diff --git a/src/pages/static/errors/500.html b/src/pages/static/errors/500.html new file mode 100644 index 0000000..0a70e1c --- /dev/null +++ b/src/pages/static/errors/500.html @@ -0,0 +1,43 @@ +--- +title: 500 +description: Oh wow, that's really broken. +permalink: /500/index.html +eleventyExcludeFromCollections: true +excludeFromSitemap: true +--- + +
+ An image of from IT Crowd where Maurice types at a computer with a fire in t he foreground. +
+
+

500

+

Well, something's on fire. I'd head for the exit.

+
+ diff --git a/src/pages/static/search.html b/src/pages/static/search.html new file mode 100644 index 0000000..0dfe348 --- /dev/null +++ b/src/pages/static/search.html @@ -0,0 +1,260 @@ +--- +title: Search +permalink: /search/index.html +description: Search through posts and other content on my site. +--- + +

Search

+

+ You can find posts, links, + artists, genres, + movies, shows and + books via the field below (though it only surfaces movies + and shows I've watched and books I've written something about). +

+ +
+ +
+ Filter by type +
+ + + + + + +
+
+ +
+
    + + + diff --git a/src/pages/static/stats.html b/src/pages/static/stats.html new file mode 100644 index 0000000..5bae982 --- /dev/null +++ b/src/pages/static/stats.html @@ -0,0 +1,42 @@ +--- +title: Stats +permalink: /stats/index.html +description: Some basic stats about my activity on this site. +updated: "now" +--- +

    Stats

    +

    I share the music I listen to, concerts I attend, shows and movies I watch, books I read, posts I write, and links I enjoy on this site. I have some basic counts of each below.

    +
    +

    I've listened to {{ stats.listen_count }} {{ stats.listen_count | pluralize: "track" }} by {{ stats.artist_count }} {{ stats.artist_count | pluralize: "artist" }} across {{ stats.genre_count }} {{ stats.genre_count | pluralize: "genre" }}.

    +

    I've been to {{ stats.concert_count }} {{ stats.concert_count | pluralize: "concert" }} at {{ stats.venue_count }} {{ stats.venue_count | pluralize: "venue" }}.

    +

    I've watched {{ stats.episode_count }} {{ stats.episode_count | pluralize: "episode" }} of {{ stats.show_count }} {{ stats.show_count | pluralize: "show" }}{% if stats.episode_count != "1" %} (some more than once){% endif %}.

    +

    I've watched {{ stats.movie_count }} {{ stats.movie_count | pluralize: "movie" }}{% if stats.movie_count != "1" %} (some more than once){% endif %}.

    +

    I've read {{ stats.book_count }} {{ stats.book_count | pluralize: "book" }}. I've read {{ books.daysRead }} {{ books.daysRead | pluralize: "day" }} in a row and counting.

    +

    I've written {{ stats.post_count }} {{ stats.post_count | pluralize: "post" }}.

    + +
    +{% for year_stats in stats.yearly_breakdown %} +

    {{ year_stats.year }}

    +
      + {% if year_stats.listen_count %} +
    • Listened to {{ year_stats.listen_count }} {{ year_stats.listen_count | pluralize: "track" }} by {{ year_stats.artist_count }} {{ year_stats.artist_count | pluralize: "artist" }} across {{ year_stats.genre_count }} {{ year_stats.genre_count | pluralize: "genre" }}.
    • + {% endif %} + {% if year_stats.concert_count %} +
    • Attended {{ year_stats.concert_count }} {{ year_stats.concert_count | pluralize: "concert" }} at {{ year_stats.venue_count }} {{ year_stats.venue_count | pluralize: "venue" }}.
    • + {% endif %} + {% if year_stats.episode_count %} +
    • Watched {{ year_stats.episode_count }} {{ year_stats.episode_count | pluralize: "episode" }} of {{ year_stats.show_count }} {{ year_stats.show_count | pluralize: "show" }}{% if year_stats.episode_count != "1" %} (some more than once){% endif %}.
    • + {% endif %} + {% if year_stats.movie_count %}
    • Watched {{ year_stats.movie_count }} {{ year_stats.movie_count | pluralize: "movie" }}{% if year_stats.movie_count != "1" %} (some more than once){% endif %}.
    • + {% endif %} + {% if year_stats.book_count %} +
    • Read {{ year_stats.book_count }} {{ year_stats.book_count | pluralize: "book" }}.
    • + {% endif %} + {% if year_stats.post_count %} +
    • Wrote {{ year_stats.post_count }} {{ year_stats.post_count | pluralize: "post" }}.
    • + {% endif %} + {% if year_stats.link_count %} + + {% endif %} +
    +{% endfor %}