diff --git a/src/index.css b/.nojekyll similarity index 100% rename from src/index.css rename to .nojekyll diff --git a/README.md b/README.md index 23f035899..48169e37f 100644 --- a/README.md +++ b/README.md @@ -1,3 +1,50 @@ -# Lama Dev AI Chat Bot App Starter Setup +# Lama Dev - AI Chatbot -This template provides a minimal setup to get React 19 working in Vite with HMR and some ESLint rules. \ No newline at end of file +Lama Dev is an AI-powered chatbot application built using React, Node.js, and MongoDB. It allows users to engage in real-time conversations and ask any question, leveraging the Google Gemini API for intelligent responses. + +## Features + +- **AI-Powered Conversations:** Users can ask questions and receive AI-generated responses using the Google Gemini API. + +- **User Authentication:** Secure login and registration using JWT-based authentication. + +- **Chat History:** Stores user conversations for easy access and continuity. + +- **Real-Time Communication:** WebSocket integration for instant messaging. + +- **Scalable Backend:** Node.js and Express.js ensure efficient request handling and performance optimization. + +- **Database Management:** MongoDB stores chat data securely. + +## Technologies Used + +Frontend: React.js, Tailwind CSS + +Backend: Node.js, Express.js + +Database: MongoDB + +APIs: Google Gemini API, JWT Authentication + +Real-Time Communication: WebSockets + +### API Endpoints + +- POST /api/auth/register - Register a new user + +- POST /api/auth/login - Authenticate user + +- GET /api/chat/history - Fetch user chat history + +- POST /api/chat/send - Send a user query and receive AI response + +## Contributing + +Contributions are welcome! Please fork the repository and submit a pull request with your proposed changes. + +## Screenshots + + + + + diff --git a/assets/Pick1.png b/assets/Pick1.png new file mode 100644 index 000000000..304c14ce1 Binary files /dev/null and b/assets/Pick1.png differ diff --git a/assets/Pick2.png b/assets/Pick2.png new file mode 100644 index 000000000..91a266c44 Binary files /dev/null and b/assets/Pick2.png differ diff --git a/assets/Pick3.png b/assets/Pick3.png new file mode 100644 index 000000000..e847ddca2 Binary files /dev/null and b/assets/Pick3.png differ diff --git a/backend/.env b/backend/.env new file mode 100644 index 000000000..5ce2d706b --- /dev/null +++ b/backend/.env @@ -0,0 +1,9 @@ +IMAGE_KIT_ENDPOINT=https://ik.imagekit.io/fhfbjxkr0 +IMAGE_KIT_PUBLIC_KEY=public_Vf3TxCowJ3PoNhPtxA6sW3caRqw= +IMAGE_KIT_PRIVATE_KEY=private_cC+DYZpwj1ahsupedteN38CsIdE= + +CLIENT_URL = http://localhost:5173 +MONGO = mongodb+srv://kartikeypachori1610:CgsxqpqUaSru7TJ0@lamadev.1b2i8.mongodb.net/aichat?retryWrites=true&w=majority&appName=LamaDev + +CLERK_PUBLISHABLE_KEY=pk_test_c3RlYWR5LW1vbmtleS00My5jbGVyay5hY2NvdW50cy5kZXYk +CLERK_SECRET_KEY=sk_test_HrZ9UciTatw1DqT21VQqhInKfueo0OvSKjEq6I70BK \ No newline at end of file diff --git a/backend/index.js b/backend/index.js new file mode 100644 index 000000000..b64a67765 --- /dev/null +++ b/backend/index.js @@ -0,0 +1,168 @@ +import express from "express"; +import ImageKit from "imagekit"; +import cors from "cors"; +import mongoose from "mongoose"; +import Chat from "./models/chat.js"; +import UserChats from "./models/userChats.js"; +import { ClerkExpressRequireAuth } from "@clerk/clerk-sdk-node"; + +const port = process.env.PORT || 3000; +const app = express(); + +app.use( + cors({ + origin: process.env.CLIENT_URL, + credentials: true, + }) +); + +app.use(express.json()); + +const connect = async () => { + try { + await mongoose.connect(process.env.MONGO); + console.log("Connected to MongoDB"); + } catch (err) { + console.log(err); + } +}; + +const imagekit = new ImageKit({ + urlEndpoint: process.env.IMAGE_KIT_ENDPOINT, + publicKey: process.env.IMAGE_KIT_PUBLIC_KEY, + privateKey: process.env.IMAGE_KIT_PRIVATE_KEY, +}); + +app.get("/api/upload", (req, res) => { + const result = imagekit.getAuthenticationParameters(); + res.send(result); +}); + +// app.get("/api/test", ClerkExpressRequireAuth(), (req, res) => { +// const userId = req.auth.userId; +// console.log(userId) +// res.send("Success!") +// }) + +app.post("/api/chats", ClerkExpressRequireAuth(), async (req, res) => { + const userId = req.auth.userId; + const { text } = req.body; + + try { + // CREATE A NEW CHAT + const newChat = new Chat({ + userId: userId, + history: [{ role: "user", parts: [{ text }] }], + }); + + const savedChat = await newChat.save(); + + // CHECK IF THE USERCHATS EXISTS + const userChats = await UserChats.find({ userId: userId }); + + // IF DOESN'T EXIST CREATE A NEW ONE AND ADD THE CHAT IN THE CHATS ARRAY + if (!userChats.length) { + const newUserChats = new UserChats({ + userId: userId, + chats: [ + { + _id: savedChat._id, + title: text.substring(0, 40), + }, + ], + }); + + await newUserChats.save(); + } else { + // IF EXISTS, PUSH THE CHAT TO THE EXISTING ARRAY + await UserChats.updateOne( + { userId: userId }, + { + $push: { + chats: { + _id: savedChat._id, + title: text.substring(0, 40), + }, + }, + } + ); + + res.status(201).send(newChat._id); + } + } catch (err) { + console.log(err); + res.status(500).send("Error creating chat!"); + } +}); + +app.get("/api/userchats", ClerkExpressRequireAuth(), async (req, res) => { + const userId = req.auth.userId; + + try { + const userChats = await UserChats.find({ userId }); + if (!userChats.length) { + return res.status(404).send("No chats found for this user."); + } + res.status(200).send(userChats[0].chats); + } catch (err) { + console.log(err); + res.status(500).send("Error fetching userchats!"); + } +}); + +app.get("/api/chats/:id", ClerkExpressRequireAuth(), async (req, res) => { + const userId = req.auth.userId; + + try { + const chat = await Chat.findOne({ _id: req.params.id, userId }); + if (!chat) { + return res.status(404).send("Chat not found!"); + } + res.status(200).send(chat); + } catch (err) { + console.log(err); + res.status(500).send("Error fetching chat!"); + } +}); + +app.put("/api/chats/:id", ClerkExpressRequireAuth(), async (req, res) => { + const userId = req.auth.userId; + + const { question, answer, img } = req.body; + + const newItems = [ + ...(question + ? [{ role: "user", parts: [{ text: question }], ...(img && { img }) }] + : []), + { role: "model", parts: [{ text: answer }] }, + ]; + + try { + const updatedChat = await Chat.updateOne( + { _id: req.params.id, userId }, + { + $push: { + history: { + $each: newItems, + }, + }, + } + ); + res.status(200).send(updatedChat); + } catch (err) { + console.log(err); + res.status(500).send("Error adding conversation!"); + } +}); + + +app.use((err, req, res, next) => { + console.error(err.stack); + res.status(401).send("Unauthenticated!"); +}); + + +app.listen(port, () => { + connect(); + console.log("Server running on 3000"); +}); \ No newline at end of file diff --git a/backend/models/chat.js b/backend/models/chat.js new file mode 100644 index 000000000..f36834f4d --- /dev/null +++ b/backend/models/chat.js @@ -0,0 +1,34 @@ +import mongoose from "mongoose"; + +const chatSchema = new mongoose.Schema( + { + userId: { + type: String, + required: true, + }, + history: [ + { + role: { + type: String, + enum: ["user", "model"], + required: true, + }, + parts: [ + { + text: { + type: String, + required: true, + }, + }, + ], + img: { + type: String, + required: false, + }, + }, + ], + }, + { timestamps: true } +); + +export default mongoose.models.chat || mongoose.model("chat", chatSchema); \ No newline at end of file diff --git a/backend/models/userChats.js b/backend/models/userChats.js new file mode 100644 index 000000000..04713f1cb --- /dev/null +++ b/backend/models/userChats.js @@ -0,0 +1,30 @@ +import mongoose from "mongoose"; + +const userChatsSchema = new mongoose.Schema( + { + userId: { + type: String, + required: true, + }, + chats: [ + { + _id: { + type: String, + required: true, + }, + title: { + type: String, + required: true, + }, + createdAt: { + type: Date, + default: Date.now() + }, + }, + ], + }, + { timestamps: true } +); + +export default mongoose.models.userchats || + mongoose.model("userchats", userChatsSchema); \ No newline at end of file diff --git a/backend/node_modules/.bin/mime b/backend/node_modules/.bin/mime new file mode 100644 index 000000000..7751de3cb --- /dev/null +++ b/backend/node_modules/.bin/mime @@ -0,0 +1,16 @@ +#!/bin/sh +basedir=$(dirname "$(echo "$0" | sed -e 's,\\,/,g')") + +case `uname` in + *CYGWIN*|*MINGW*|*MSYS*) + if command -v cygpath > /dev/null 2>&1; then + basedir=`cygpath -w "$basedir"` + fi + ;; +esac + +if [ -x "$basedir/node" ]; then + exec "$basedir/node" "$basedir/../mime/cli.js" "$@" +else + exec node "$basedir/../mime/cli.js" "$@" +fi diff --git a/backend/node_modules/.bin/mime.cmd b/backend/node_modules/.bin/mime.cmd new file mode 100644 index 000000000..54491f12e --- /dev/null +++ b/backend/node_modules/.bin/mime.cmd @@ -0,0 +1,17 @@ +@ECHO off +GOTO start +:find_dp0 +SET dp0=%~dp0 +EXIT /b +:start +SETLOCAL +CALL :find_dp0 + +IF EXIST "%dp0%\node.exe" ( + SET "_prog=%dp0%\node.exe" +) ELSE ( + SET "_prog=node" + SET PATHEXT=%PATHEXT:;.JS;=;% +) + +endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\mime\cli.js" %* diff --git a/backend/node_modules/.bin/mime.ps1 b/backend/node_modules/.bin/mime.ps1 new file mode 100644 index 000000000..2222f40bc --- /dev/null +++ b/backend/node_modules/.bin/mime.ps1 @@ -0,0 +1,28 @@ +#!/usr/bin/env pwsh +$basedir=Split-Path $MyInvocation.MyCommand.Definition -Parent + +$exe="" +if ($PSVersionTable.PSVersion -lt "6.0" -or $IsWindows) { + # Fix case when both the Windows and Linux builds of Node + # are installed in the same directory + $exe=".exe" +} +$ret=0 +if (Test-Path "$basedir/node$exe") { + # Support pipeline input + if ($MyInvocation.ExpectingInput) { + $input | & "$basedir/node$exe" "$basedir/../mime/cli.js" $args + } else { + & "$basedir/node$exe" "$basedir/../mime/cli.js" $args + } + $ret=$LASTEXITCODE +} else { + # Support pipeline input + if ($MyInvocation.ExpectingInput) { + $input | & "node$exe" "$basedir/../mime/cli.js" $args + } else { + & "node$exe" "$basedir/../mime/cli.js" $args + } + $ret=$LASTEXITCODE +} +exit $ret diff --git a/backend/node_modules/.bin/nodemon b/backend/node_modules/.bin/nodemon new file mode 100644 index 000000000..c477a1898 --- /dev/null +++ b/backend/node_modules/.bin/nodemon @@ -0,0 +1,16 @@ +#!/bin/sh +basedir=$(dirname "$(echo "$0" | sed -e 's,\\,/,g')") + +case `uname` in + *CYGWIN*|*MINGW*|*MSYS*) + if command -v cygpath > /dev/null 2>&1; then + basedir=`cygpath -w "$basedir"` + fi + ;; +esac + +if [ -x "$basedir/node" ]; then + exec "$basedir/node" "$basedir/../nodemon/bin/nodemon.js" "$@" +else + exec node "$basedir/../nodemon/bin/nodemon.js" "$@" +fi diff --git a/backend/node_modules/.bin/nodemon.cmd b/backend/node_modules/.bin/nodemon.cmd new file mode 100644 index 000000000..55acf8a4e --- /dev/null +++ b/backend/node_modules/.bin/nodemon.cmd @@ -0,0 +1,17 @@ +@ECHO off +GOTO start +:find_dp0 +SET dp0=%~dp0 +EXIT /b +:start +SETLOCAL +CALL :find_dp0 + +IF EXIST "%dp0%\node.exe" ( + SET "_prog=%dp0%\node.exe" +) ELSE ( + SET "_prog=node" + SET PATHEXT=%PATHEXT:;.JS;=;% +) + +endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\nodemon\bin\nodemon.js" %* diff --git a/backend/node_modules/.bin/nodemon.ps1 b/backend/node_modules/.bin/nodemon.ps1 new file mode 100644 index 000000000..d4e3f5d40 --- /dev/null +++ b/backend/node_modules/.bin/nodemon.ps1 @@ -0,0 +1,28 @@ +#!/usr/bin/env pwsh +$basedir=Split-Path $MyInvocation.MyCommand.Definition -Parent + +$exe="" +if ($PSVersionTable.PSVersion -lt "6.0" -or $IsWindows) { + # Fix case when both the Windows and Linux builds of Node + # are installed in the same directory + $exe=".exe" +} +$ret=0 +if (Test-Path "$basedir/node$exe") { + # Support pipeline input + if ($MyInvocation.ExpectingInput) { + $input | & "$basedir/node$exe" "$basedir/../nodemon/bin/nodemon.js" $args + } else { + & "$basedir/node$exe" "$basedir/../nodemon/bin/nodemon.js" $args + } + $ret=$LASTEXITCODE +} else { + # Support pipeline input + if ($MyInvocation.ExpectingInput) { + $input | & "node$exe" "$basedir/../nodemon/bin/nodemon.js" $args + } else { + & "node$exe" "$basedir/../nodemon/bin/nodemon.js" $args + } + $ret=$LASTEXITCODE +} +exit $ret diff --git a/backend/node_modules/.bin/nodetouch b/backend/node_modules/.bin/nodetouch new file mode 100644 index 000000000..3e146b413 --- /dev/null +++ b/backend/node_modules/.bin/nodetouch @@ -0,0 +1,16 @@ +#!/bin/sh +basedir=$(dirname "$(echo "$0" | sed -e 's,\\,/,g')") + +case `uname` in + *CYGWIN*|*MINGW*|*MSYS*) + if command -v cygpath > /dev/null 2>&1; then + basedir=`cygpath -w "$basedir"` + fi + ;; +esac + +if [ -x "$basedir/node" ]; then + exec "$basedir/node" "$basedir/../touch/bin/nodetouch.js" "$@" +else + exec node "$basedir/../touch/bin/nodetouch.js" "$@" +fi diff --git a/backend/node_modules/.bin/nodetouch.cmd b/backend/node_modules/.bin/nodetouch.cmd new file mode 100644 index 000000000..8298b9183 --- /dev/null +++ b/backend/node_modules/.bin/nodetouch.cmd @@ -0,0 +1,17 @@ +@ECHO off +GOTO start +:find_dp0 +SET dp0=%~dp0 +EXIT /b +:start +SETLOCAL +CALL :find_dp0 + +IF EXIST "%dp0%\node.exe" ( + SET "_prog=%dp0%\node.exe" +) ELSE ( + SET "_prog=node" + SET PATHEXT=%PATHEXT:;.JS;=;% +) + +endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\touch\bin\nodetouch.js" %* diff --git a/backend/node_modules/.bin/nodetouch.ps1 b/backend/node_modules/.bin/nodetouch.ps1 new file mode 100644 index 000000000..5f68b4cb3 --- /dev/null +++ b/backend/node_modules/.bin/nodetouch.ps1 @@ -0,0 +1,28 @@ +#!/usr/bin/env pwsh +$basedir=Split-Path $MyInvocation.MyCommand.Definition -Parent + +$exe="" +if ($PSVersionTable.PSVersion -lt "6.0" -or $IsWindows) { + # Fix case when both the Windows and Linux builds of Node + # are installed in the same directory + $exe=".exe" +} +$ret=0 +if (Test-Path "$basedir/node$exe") { + # Support pipeline input + if ($MyInvocation.ExpectingInput) { + $input | & "$basedir/node$exe" "$basedir/../touch/bin/nodetouch.js" $args + } else { + & "$basedir/node$exe" "$basedir/../touch/bin/nodetouch.js" $args + } + $ret=$LASTEXITCODE +} else { + # Support pipeline input + if ($MyInvocation.ExpectingInput) { + $input | & "node$exe" "$basedir/../touch/bin/nodetouch.js" $args + } else { + & "node$exe" "$basedir/../touch/bin/nodetouch.js" $args + } + $ret=$LASTEXITCODE +} +exit $ret diff --git a/backend/node_modules/.bin/semver b/backend/node_modules/.bin/semver new file mode 100644 index 000000000..97c53279f --- /dev/null +++ b/backend/node_modules/.bin/semver @@ -0,0 +1,16 @@ +#!/bin/sh +basedir=$(dirname "$(echo "$0" | sed -e 's,\\,/,g')") + +case `uname` in + *CYGWIN*|*MINGW*|*MSYS*) + if command -v cygpath > /dev/null 2>&1; then + basedir=`cygpath -w "$basedir"` + fi + ;; +esac + +if [ -x "$basedir/node" ]; then + exec "$basedir/node" "$basedir/../semver/bin/semver.js" "$@" +else + exec node "$basedir/../semver/bin/semver.js" "$@" +fi diff --git a/backend/node_modules/.bin/semver.cmd b/backend/node_modules/.bin/semver.cmd new file mode 100644 index 000000000..9913fa9d0 --- /dev/null +++ b/backend/node_modules/.bin/semver.cmd @@ -0,0 +1,17 @@ +@ECHO off +GOTO start +:find_dp0 +SET dp0=%~dp0 +EXIT /b +:start +SETLOCAL +CALL :find_dp0 + +IF EXIST "%dp0%\node.exe" ( + SET "_prog=%dp0%\node.exe" +) ELSE ( + SET "_prog=node" + SET PATHEXT=%PATHEXT:;.JS;=;% +) + +endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\semver\bin\semver.js" %* diff --git a/backend/node_modules/.bin/semver.ps1 b/backend/node_modules/.bin/semver.ps1 new file mode 100644 index 000000000..314717ad4 --- /dev/null +++ b/backend/node_modules/.bin/semver.ps1 @@ -0,0 +1,28 @@ +#!/usr/bin/env pwsh +$basedir=Split-Path $MyInvocation.MyCommand.Definition -Parent + +$exe="" +if ($PSVersionTable.PSVersion -lt "6.0" -or $IsWindows) { + # Fix case when both the Windows and Linux builds of Node + # are installed in the same directory + $exe=".exe" +} +$ret=0 +if (Test-Path "$basedir/node$exe") { + # Support pipeline input + if ($MyInvocation.ExpectingInput) { + $input | & "$basedir/node$exe" "$basedir/../semver/bin/semver.js" $args + } else { + & "$basedir/node$exe" "$basedir/../semver/bin/semver.js" $args + } + $ret=$LASTEXITCODE +} else { + # Support pipeline input + if ($MyInvocation.ExpectingInput) { + $input | & "node$exe" "$basedir/../semver/bin/semver.js" $args + } else { + & "node$exe" "$basedir/../semver/bin/semver.js" $args + } + $ret=$LASTEXITCODE +} +exit $ret diff --git a/backend/node_modules/.bin/uuid b/backend/node_modules/.bin/uuid new file mode 100644 index 000000000..0c2d46962 --- /dev/null +++ b/backend/node_modules/.bin/uuid @@ -0,0 +1,16 @@ +#!/bin/sh +basedir=$(dirname "$(echo "$0" | sed -e 's,\\,/,g')") + +case `uname` in + *CYGWIN*|*MINGW*|*MSYS*) + if command -v cygpath > /dev/null 2>&1; then + basedir=`cygpath -w "$basedir"` + fi + ;; +esac + +if [ -x "$basedir/node" ]; then + exec "$basedir/node" "$basedir/../uuid/dist/bin/uuid" "$@" +else + exec node "$basedir/../uuid/dist/bin/uuid" "$@" +fi diff --git a/backend/node_modules/.bin/uuid.cmd b/backend/node_modules/.bin/uuid.cmd new file mode 100644 index 000000000..0f2376eaf --- /dev/null +++ b/backend/node_modules/.bin/uuid.cmd @@ -0,0 +1,17 @@ +@ECHO off +GOTO start +:find_dp0 +SET dp0=%~dp0 +EXIT /b +:start +SETLOCAL +CALL :find_dp0 + +IF EXIST "%dp0%\node.exe" ( + SET "_prog=%dp0%\node.exe" +) ELSE ( + SET "_prog=node" + SET PATHEXT=%PATHEXT:;.JS;=;% +) + +endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\uuid\dist\bin\uuid" %* diff --git a/backend/node_modules/.bin/uuid.ps1 b/backend/node_modules/.bin/uuid.ps1 new file mode 100644 index 000000000..78046284b --- /dev/null +++ b/backend/node_modules/.bin/uuid.ps1 @@ -0,0 +1,28 @@ +#!/usr/bin/env pwsh +$basedir=Split-Path $MyInvocation.MyCommand.Definition -Parent + +$exe="" +if ($PSVersionTable.PSVersion -lt "6.0" -or $IsWindows) { + # Fix case when both the Windows and Linux builds of Node + # are installed in the same directory + $exe=".exe" +} +$ret=0 +if (Test-Path "$basedir/node$exe") { + # Support pipeline input + if ($MyInvocation.ExpectingInput) { + $input | & "$basedir/node$exe" "$basedir/../uuid/dist/bin/uuid" $args + } else { + & "$basedir/node$exe" "$basedir/../uuid/dist/bin/uuid" $args + } + $ret=$LASTEXITCODE +} else { + # Support pipeline input + if ($MyInvocation.ExpectingInput) { + $input | & "node$exe" "$basedir/../uuid/dist/bin/uuid" $args + } else { + & "node$exe" "$basedir/../uuid/dist/bin/uuid" $args + } + $ret=$LASTEXITCODE +} +exit $ret diff --git a/backend/node_modules/.package-lock.json b/backend/node_modules/.package-lock.json new file mode 100644 index 000000000..812c939d1 --- /dev/null +++ b/backend/node_modules/.package-lock.json @@ -0,0 +1,1684 @@ +{ + "name": "backend", + "version": "1.0.0", + "lockfileVersion": 3, + "requires": true, + "packages": { + "node_modules/@clerk/backend": { + "version": "1.24.3", + "resolved": "https://registry.npmjs.org/@clerk/backend/-/backend-1.24.3.tgz", + "integrity": "sha512-kKdIAm4E/gazigdg/9uVrbwRl1Wnv+YYlZwTbb2U8y/XKMSiItjo0IaXAv3pF5j7gRxAVwcsnncQheqBOTNwNg==", + "dependencies": { + "@clerk/shared": "^3.0.0", + "@clerk/types": "^4.47.0", + "cookie": "1.0.2", + "snakecase-keys": "8.0.1", + "tslib": "2.4.1" + }, + "engines": { + "node": ">=18.17.0" + } + }, + "node_modules/@clerk/backend/node_modules/@clerk/shared": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/@clerk/shared/-/shared-3.0.0.tgz", + "integrity": "sha512-c5TUTMrir4yrxdQh2xiILowFvHZydBIuX1tFOKKWQZsNqlFYXbbeUHDxEIcxvb4uarGSiuEzVsx6S2hT2ZBCQQ==", + "hasInstallScript": true, + "dependencies": { + "@clerk/types": "^4.47.0", + "dequal": "2.0.3", + "glob-to-regexp": "0.4.1", + "js-cookie": "3.0.5", + "std-env": "^3.7.0", + "swr": "^2.2.0" + }, + "engines": { + "node": ">=18.17.0" + }, + "peerDependencies": { + "react": "^18.0.0 || ^19.0.0 || ^19.0.0-0", + "react-dom": "^18.0.0 || ^19.0.0 || ^19.0.0-0" + }, + "peerDependenciesMeta": { + "react": { + "optional": true + }, + "react-dom": { + "optional": true + } + } + }, + "node_modules/@clerk/backend/node_modules/cookie": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/cookie/-/cookie-1.0.2.tgz", + "integrity": "sha512-9Kr/j4O16ISv8zBBhJoi4bXOYNTkFLOqSL3UDB0njXxCXNezjeyVrJyGOWtgfs/q2km1gwBcfH8q1yEGoMYunA==", + "engines": { + "node": ">=18" + } + }, + "node_modules/@clerk/backend/node_modules/tslib": { + "version": "2.4.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-2.4.1.tgz", + "integrity": "sha512-tGyy4dAjRIEwI7BzsB0lynWgOpfqjUdq91XXAlIWD2OwKBH7oCl/GZG/HT4BOHrTlPMOASlMQ7veyTqpmRcrNA==" + }, + "node_modules/@clerk/clerk-sdk-node": { + "version": "5.1.6", + "resolved": "https://registry.npmjs.org/@clerk/clerk-sdk-node/-/clerk-sdk-node-5.1.6.tgz", + "integrity": "sha512-KeF5p0XP0gNoCx+YIHrfrkNNADBz8ZabwPAhOiJZ9Wo14r93WlzRA51IE0Qgteej8IpWwnvKu4/MpiV7FFoLqA==", + "deprecated": "January 10 2025 marks the end of support for @clerk/clerk-sdk-node as previously announced in our October 2024 deprecation notice. Express users can migrate to the @clerk/express package. For more information, you can find our changelog here: https://clerk.com/changelog/2025-01-10-node-sdk-eol", + "dependencies": { + "@clerk/backend": "^1.21.6", + "@clerk/shared": "^2.20.6", + "@clerk/types": "^4.40.2", + "tslib": "2.4.1" + }, + "engines": { + "node": ">=18.17.0" + } + }, + "node_modules/@clerk/clerk-sdk-node/node_modules/tslib": { + "version": "2.4.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-2.4.1.tgz", + "integrity": "sha512-tGyy4dAjRIEwI7BzsB0lynWgOpfqjUdq91XXAlIWD2OwKBH7oCl/GZG/HT4BOHrTlPMOASlMQ7veyTqpmRcrNA==" + }, + "node_modules/@clerk/shared": { + "version": "2.22.0", + "resolved": "https://registry.npmjs.org/@clerk/shared/-/shared-2.22.0.tgz", + "integrity": "sha512-VWBeddOJVa3sqUPdvquaaQYw4h5hACSG3EUDOW7eSu2F6W3BXUozyLJQPBJ9C0MuoeHhOe/DeV8x2KqOgxVZaQ==", + "hasInstallScript": true, + "dependencies": { + "@clerk/types": "^4.46.1", + "dequal": "2.0.3", + "glob-to-regexp": "0.4.1", + "js-cookie": "3.0.5", + "std-env": "^3.7.0", + "swr": "^2.2.0" + }, + "engines": { + "node": ">=18.17.0" + }, + "peerDependencies": { + "react": "^18.0.0 || ^19.0.0 || ^19.0.0-0", + "react-dom": "^18.0.0 || ^19.0.0 || ^19.0.0-0" + }, + "peerDependenciesMeta": { + "react": { + "optional": true + }, + "react-dom": { + "optional": true + } + } + }, + "node_modules/@clerk/types": { + "version": "4.47.0", + "resolved": "https://registry.npmjs.org/@clerk/types/-/types-4.47.0.tgz", + "integrity": "sha512-xB/gqMq6cq6/47ymKs0WaaxKEFPzlvbSgJTLFIfnPMnFSNwYE4WVgVh6geFx6qWr3z588JDDZkJskBHZlgPmQQ==", + "dependencies": { + "csstype": "3.1.3" + }, + "engines": { + "node": ">=18.17.0" + } + }, + "node_modules/@mongodb-js/saslprep": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/@mongodb-js/saslprep/-/saslprep-1.2.0.tgz", + "integrity": "sha512-+ywrb0AqkfaYuhHs6LxKWgqbh3I72EpEgESCw37o+9qPx9WTCkgDm2B+eMrwehGtHBWHFU4GXvnSCNiFhhausg==", + "dependencies": { + "sparse-bitfield": "^3.0.3" + } + }, + "node_modules/@types/webidl-conversions": { + "version": "7.0.3", + "resolved": "https://registry.npmjs.org/@types/webidl-conversions/-/webidl-conversions-7.0.3.tgz", + "integrity": "sha512-CiJJvcRtIgzadHCYXw7dqEnMNRjhGZlYK05Mj9OyktqV8uVT8fD2BFOB7S1uwBE3Kj2Z+4UyPmFw/Ixgw/LAlA==" + }, + "node_modules/@types/whatwg-url": { + "version": "11.0.5", + "resolved": "https://registry.npmjs.org/@types/whatwg-url/-/whatwg-url-11.0.5.tgz", + "integrity": "sha512-coYR071JRaHa+xoEvvYqvnIHaVqaYrLPbsufM9BF63HkwI5Lgmy2QR8Q5K/lYDYo5AK82wOvSOS0UsLTpTG7uQ==", + "dependencies": { + "@types/webidl-conversions": "*" + } + }, + "node_modules/accepts": { + "version": "1.3.8", + "resolved": "https://registry.npmjs.org/accepts/-/accepts-1.3.8.tgz", + "integrity": "sha512-PYAthTa2m2VKxuvSD3DPC/Gy+U+sOA1LAuT8mkmRuvw+NACSaeXEQ+NHcVF7rONl6qcaxV3Uuemwawk+7+SJLw==", + "dependencies": { + "mime-types": "~2.1.34", + "negotiator": "0.6.3" + }, + "engines": { + "node": ">= 0.6" + } + }, + "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==", + "dependencies": { + "normalize-path": "^3.0.0", + "picomatch": "^2.0.4" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/array-flatten": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/array-flatten/-/array-flatten-1.1.1.tgz", + "integrity": "sha512-PCVAQswWemu6UdxsDFFX/+gVeYqKAod3D3UVm91jHwynguOwAvYPhx8nNlM++NqRcK6CxxpUafjmhIdKiHibqg==" + }, + "node_modules/asynckit": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz", + "integrity": "sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==" + }, + "node_modules/axios": { + "version": "1.7.9", + "resolved": "https://registry.npmjs.org/axios/-/axios-1.7.9.tgz", + "integrity": "sha512-LhLcE7Hbiryz8oMDdDptSrWowmB4Bl6RCt6sIJKpRB4XtVf0iEgewX3au/pJqm+Py1kCASkb/FFKjxQaLtxJvw==", + "dependencies": { + "follow-redirects": "^1.15.6", + "form-data": "^4.0.0", + "proxy-from-env": "^1.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==" + }, + "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==", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/body-parser": { + "version": "1.20.3", + "resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.20.3.tgz", + "integrity": "sha512-7rAxByjUMqQ3/bHJy7D6OGXvx/MMc4IqBn/X0fcM1QUcAItpZrBEYhWGem+tzXH90c+G01ypMcYJBO9Y30203g==", + "dependencies": { + "bytes": "3.1.2", + "content-type": "~1.0.5", + "debug": "2.6.9", + "depd": "2.0.0", + "destroy": "1.2.0", + "http-errors": "2.0.0", + "iconv-lite": "0.4.24", + "on-finished": "2.4.1", + "qs": "6.13.0", + "raw-body": "2.5.2", + "type-is": "~1.6.18", + "unpipe": "1.0.0" + }, + "engines": { + "node": ">= 0.8", + "npm": "1.2.8000 || >= 1.4.16" + } + }, + "node_modules/body-parser/node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/body-parser/node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==" + }, + "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==", + "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==", + "dependencies": { + "fill-range": "^7.1.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/bson": { + "version": "6.10.3", + "resolved": "https://registry.npmjs.org/bson/-/bson-6.10.3.tgz", + "integrity": "sha512-MTxGsqgYTwfshYWTRdmZRC+M7FnG1b4y7RO7p2k3X24Wq0yv1m77Wsj0BzlPzd/IowgESfsruQCUToa7vbOpPQ==", + "engines": { + "node": ">=16.20.1" + } + }, + "node_modules/bytes": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/bytes/-/bytes-3.1.2.tgz", + "integrity": "sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==", + "engines": { + "node": ">= 0.8" + } + }, + "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==", + "dependencies": { + "es-errors": "^1.3.0", + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/call-bound": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/call-bound/-/call-bound-1.0.3.tgz", + "integrity": "sha512-YTd+6wGlNlPxSuri7Y6X8tY2dmm12UMH66RpKMhiX6rsk5wXXnYgbUcOt8kiS31/AjfoTOvCsE+w8nZQLQnzHA==", + "dependencies": { + "call-bind-apply-helpers": "^1.0.1", + "get-intrinsic": "^1.2.6" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/chokidar": { + "version": "3.6.0", + "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.6.0.tgz", + "integrity": "sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==", + "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/combined-stream": { + "version": "1.0.8", + "resolved": "https://registry.npmjs.org/combined-stream/-/combined-stream-1.0.8.tgz", + "integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==", + "dependencies": { + "delayed-stream": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/concat-map": { + "version": "0.0.1", + "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", + "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==" + }, + "node_modules/content-disposition": { + "version": "0.5.4", + "resolved": "https://registry.npmjs.org/content-disposition/-/content-disposition-0.5.4.tgz", + "integrity": "sha512-FveZTNuGw04cxlAiWbzi6zTAL/lhehaWbTtgluJh4/E95DqMwTmha3KZN1aAWA8cFIhHzMZUvLevkw5Rqk+tSQ==", + "dependencies": { + "safe-buffer": "5.2.1" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/content-type": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/content-type/-/content-type-1.0.5.tgz", + "integrity": "sha512-nTjqfcBFEipKdXCv4YDQWCfmcLZKm81ldF0pAopTvyrFGVbcR6P/VAAd5G7N+0tTr8QqiU0tFadD6FK4NtJwOA==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/cookie": { + "version": "0.7.1", + "resolved": "https://registry.npmjs.org/cookie/-/cookie-0.7.1.tgz", + "integrity": "sha512-6DnInpx7SJ2AK3+CTUE/ZM0vWTUboZCegxhC2xiIydHR9jNuTAASBrfEpHhiGOZw/nX51bHt6YQl8jsGo4y/0w==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/cookie-signature": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/cookie-signature/-/cookie-signature-1.0.6.tgz", + "integrity": "sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==" + }, + "node_modules/cors": { + "version": "2.8.5", + "resolved": "https://registry.npmjs.org/cors/-/cors-2.8.5.tgz", + "integrity": "sha512-KIHbLJqu73RGr/hnbrO9uBeixNGuvSQjul/jdFvS/KFSIH1hWVd1ng7zOHx+YrEfInLG7q4n6GHQ9cDtxv/P6g==", + "dependencies": { + "object-assign": "^4", + "vary": "^1" + }, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/csstype": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/csstype/-/csstype-3.1.3.tgz", + "integrity": "sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==" + }, + "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==", + "dependencies": { + "ms": "^2.1.3" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/delayed-stream": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz", + "integrity": "sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==", + "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==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/dequal": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/dequal/-/dequal-2.0.3.tgz", + "integrity": "sha512-0je+qPKHEMohvfRTCEo3CrPG6cAzAYgmzKyxRiYSSDkS6eGJdyVJm7WaYA5ECaAD9wLB2T4EEeymA5aFVcYXCA==", + "engines": { + "node": ">=6" + } + }, + "node_modules/destroy": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/destroy/-/destroy-1.2.0.tgz", + "integrity": "sha512-2sJGJTaXIIaR1w4iJSNoN0hnMY7Gpc/n8D4qSCJw8QqFWXf7cuAgnEHxBpweaVcPevC2l3KpjYCx3NypQQgaJg==", + "engines": { + "node": ">= 0.8", + "npm": "1.2.8000 || >= 1.4.16" + } + }, + "node_modules/dot-case": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/dot-case/-/dot-case-3.0.4.tgz", + "integrity": "sha512-Kv5nKlh6yRrdrGvxeJ2e5y2eRUpkUosIW4A2AS38zwSz27zu7ufDwQPi5Jhs3XAlGNetl3bmnGhQsMtkKJnj3w==", + "dependencies": { + "no-case": "^3.0.4", + "tslib": "^2.0.3" + } + }, + "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==", + "dependencies": { + "call-bind-apply-helpers": "^1.0.1", + "es-errors": "^1.3.0", + "gopd": "^1.2.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "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==" + }, + "node_modules/encodeurl": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/encodeurl/-/encodeurl-2.0.0.tgz", + "integrity": "sha512-Q0n9HRi4m6JuGIV1eFlmvJB7ZEVxu93IrMyiMsGC0lrMJMWzRgx6WGquyfQgZVb31vhGgXnfmPNNXmxnOkRBrg==", + "engines": { + "node": ">= 0.8" + } + }, + "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==", + "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==", + "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==", + "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==", + "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/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==" + }, + "node_modules/etag": { + "version": "1.8.1", + "resolved": "https://registry.npmjs.org/etag/-/etag-1.8.1.tgz", + "integrity": "sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/express": { + "version": "4.21.2", + "resolved": "https://registry.npmjs.org/express/-/express-4.21.2.tgz", + "integrity": "sha512-28HqgMZAmih1Czt9ny7qr6ek2qddF4FclbMzwhCREB6OFfH+rXAnuNCwo1/wFvrtbgsQDb4kSbX9de9lFbrXnA==", + "dependencies": { + "accepts": "~1.3.8", + "array-flatten": "1.1.1", + "body-parser": "1.20.3", + "content-disposition": "0.5.4", + "content-type": "~1.0.4", + "cookie": "0.7.1", + "cookie-signature": "1.0.6", + "debug": "2.6.9", + "depd": "2.0.0", + "encodeurl": "~2.0.0", + "escape-html": "~1.0.3", + "etag": "~1.8.1", + "finalhandler": "1.3.1", + "fresh": "0.5.2", + "http-errors": "2.0.0", + "merge-descriptors": "1.0.3", + "methods": "~1.1.2", + "on-finished": "2.4.1", + "parseurl": "~1.3.3", + "path-to-regexp": "0.1.12", + "proxy-addr": "~2.0.7", + "qs": "6.13.0", + "range-parser": "~1.2.1", + "safe-buffer": "5.2.1", + "send": "0.19.0", + "serve-static": "1.16.2", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "type-is": "~1.6.18", + "utils-merge": "1.0.1", + "vary": "~1.1.2" + }, + "engines": { + "node": ">= 0.10.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/express" + } + }, + "node_modules/express/node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/express/node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==" + }, + "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==", + "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==", + "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==", + "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==" + }, + "node_modules/follow-redirects": { + "version": "1.15.9", + "resolved": "https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.15.9.tgz", + "integrity": "sha512-gew4GsXizNgdoRyqmyfMHyAmXsZDk6mHkSxZFCzW9gwlbtOW44CDtYavM+y+72qD/Vq2l550kMF52DT8fOLJqQ==", + "funding": [ + { + "type": "individual", + "url": "https://github.com/sponsors/RubenVerborgh" + } + ], + "engines": { + "node": ">=4.0" + }, + "peerDependenciesMeta": { + "debug": { + "optional": true + } + } + }, + "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==", + "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/forwarded": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/forwarded/-/forwarded-0.2.0.tgz", + "integrity": "sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/fresh": { + "version": "0.5.2", + "resolved": "https://registry.npmjs.org/fresh/-/fresh-0.5.2.tgz", + "integrity": "sha512-zJ2mQYM18rEFOudeV4GShTGIQ7RbzA7ozbU9I/XBpm7kqgMywgmylMwXHxZJmkVoYkna9d2pVXVXPdYTP9ej8Q==", + "engines": { + "node": ">= 0.6" + } + }, + "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==", + "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==", + "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==", + "dependencies": { + "dunder-proto": "^1.0.1", + "es-object-atoms": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "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==", + "dependencies": { + "is-glob": "^4.0.1" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/glob-to-regexp": { + "version": "0.4.1", + "resolved": "https://registry.npmjs.org/glob-to-regexp/-/glob-to-regexp-0.4.1.tgz", + "integrity": "sha512-lkX1HJXwyMcprw/5YUZc2s7DrpAiHB21/V+E1rHUrVNokkvB6bqMzT0VfV6/86ZNabt1k14YOIaT7nDvOX3Iiw==" + }, + "node_modules/gopd": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/gopd/-/gopd-1.2.0.tgz", + "integrity": "sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/hamming-distance": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/hamming-distance/-/hamming-distance-1.0.0.tgz", + "integrity": "sha512-hYz2IIKtyuZGfOqCs7skNiFEATf+v9IUNSOaQSr6Ll4JOxxWhOvXvc3mIdCW82Z3xW+zUoto7N/ssD4bDxAWoA==" + }, + "node_modules/has-flag": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz", + "integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==", + "engines": { + "node": ">=4" + } + }, + "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==", + "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==", + "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==", + "dependencies": { + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "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==", + "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/iconv-lite": { + "version": "0.4.24", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.24.tgz", + "integrity": "sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==", + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/ignore-by-default": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/ignore-by-default/-/ignore-by-default-1.0.1.tgz", + "integrity": "sha512-Ius2VYcGNk7T90CppJqcIkS5ooHUZyIQK+ClZfMfMNFEF9VSE73Fq+906u/CWu92x4gzZMWOwfFYckPObzdEbA==" + }, + "node_modules/imagekit": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/imagekit/-/imagekit-6.0.0.tgz", + "integrity": "sha512-0MsxThZM2PYH6ngwN3zi9PDa8pCB5mEZG2FSySYiZk3Hfri8IMwUqVNzRlLQewBHQ3YtTN9M59O0Xe9HRewtOA==", + "dependencies": { + "axios": "^1.6.5", + "form-data": "^4.0.0", + "hamming-distance": "^1.0.0", + "lodash": "^4.17.15", + "tslib": "^2.4.0", + "uuid": "^8.3.2" + }, + "engines": { + "node": ">=12.0.0" + } + }, + "node_modules/inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==" + }, + "node_modules/ipaddr.js": { + "version": "1.9.1", + "resolved": "https://registry.npmjs.org/ipaddr.js/-/ipaddr.js-1.9.1.tgz", + "integrity": "sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==", + "engines": { + "node": ">= 0.10" + } + }, + "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==", + "dependencies": { + "binary-extensions": "^2.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/is-extglob": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz", + "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==", + "engines": { + "node": ">=0.10.0" + } + }, + "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==", + "dependencies": { + "is-extglob": "^2.1.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "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==", + "engines": { + "node": ">=0.12.0" + } + }, + "node_modules/js-cookie": { + "version": "3.0.5", + "resolved": "https://registry.npmjs.org/js-cookie/-/js-cookie-3.0.5.tgz", + "integrity": "sha512-cEiJEAEoIbWfCZYKWhVwFuvPX1gETRYPw6LlaTKoxD3s2AkXzkCjnp6h0V77ozyqj0jakteJ4YqDJT830+lVGw==", + "engines": { + "node": ">=14" + } + }, + "node_modules/kareem": { + "version": "2.6.3", + "resolved": "https://registry.npmjs.org/kareem/-/kareem-2.6.3.tgz", + "integrity": "sha512-C3iHfuGUXK2u8/ipq9LfjFfXFxAZMQJJq7vLS45r3D9Y2xQ/m4S8zaR4zMLFWh9AsNPXmcFfUDhTEO8UIC/V6Q==", + "engines": { + "node": ">=12.0.0" + } + }, + "node_modules/lodash": { + "version": "4.17.21", + "resolved": "https://registry.npmjs.org/lodash/-/lodash-4.17.21.tgz", + "integrity": "sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==" + }, + "node_modules/lower-case": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/lower-case/-/lower-case-2.0.2.tgz", + "integrity": "sha512-7fm3l3NAF9WfN6W3JOmf5drwpVqX78JtoGJ3A6W0a6ZnldM41w2fV5D490psKFTpMds8TJse/eHLFFsNHHjHgg==", + "dependencies": { + "tslib": "^2.0.3" + } + }, + "node_modules/map-obj": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/map-obj/-/map-obj-4.3.0.tgz", + "integrity": "sha512-hdN1wVrZbb29eBGiGjJbeP8JbKjq1urkHJ/LIP/NY48MZ1QVXUsQBV1G1zvYFHn1XE06cwjBsOI2K3Ulnj1YXQ==", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "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==", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/media-typer": { + "version": "0.3.0", + "resolved": "https://registry.npmjs.org/media-typer/-/media-typer-0.3.0.tgz", + "integrity": "sha512-dq+qelQ9akHpcOl/gUVRTxVIOkAJ1wR3QAvb4RsVjS8oVoFjDGTc679wJYmUmknUF5HwMLOgb5O+a3KxfWapPQ==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/memory-pager": { + "version": "1.5.0", + "resolved": "https://registry.npmjs.org/memory-pager/-/memory-pager-1.5.0.tgz", + "integrity": "sha512-ZS4Bp4r/Zoeq6+NLJpP+0Zzm0pR8whtGPf1XExKLJBAczGMnSi3It14OiNCStjQjM6NU1okjQGSxgEZN8eBYKg==" + }, + "node_modules/merge-descriptors": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/merge-descriptors/-/merge-descriptors-1.0.3.tgz", + "integrity": "sha512-gaNvAS7TZ897/rVaZ0nMtAyxNyi/pdbjbAwUpFQpN70GqnVfOiXpeUUMKRBmzXaSQ8DdTX4/0ms62r2K+hE6mQ==", + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/methods": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/methods/-/methods-1.1.2.tgz", + "integrity": "sha512-iclAHeNqNm68zFtnZ0e+1L2yUIdvzNoauKU4WBA3VvH/vPFieF7qfRlwUZU+DA9P9bPXIS90ulxoUoCH23sV2w==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime": { + "version": "1.6.0", + "resolved": "https://registry.npmjs.org/mime/-/mime-1.6.0.tgz", + "integrity": "sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg==", + "bin": { + "mime": "cli.js" + }, + "engines": { + "node": ">=4" + } + }, + "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==", + "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==", + "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==", + "dependencies": { + "brace-expansion": "^1.1.7" + }, + "engines": { + "node": "*" + } + }, + "node_modules/mongodb": { + "version": "6.13.1", + "resolved": "https://registry.npmjs.org/mongodb/-/mongodb-6.13.1.tgz", + "integrity": "sha512-gdq40tX8StmhP6akMp1pPoEVv+9jTYFSrga/g23JxajPAQhH39ysZrHGzQCSd9PEOnuEQEdjIWqxO7ZSwC0w7Q==", + "dependencies": { + "@mongodb-js/saslprep": "^1.1.9", + "bson": "^6.10.3", + "mongodb-connection-string-url": "^3.0.0" + }, + "engines": { + "node": ">=16.20.1" + }, + "peerDependencies": { + "@aws-sdk/credential-providers": "^3.632.0", + "@mongodb-js/zstd": "^1.1.0 || ^2.0.0", + "gcp-metadata": "^5.2.0", + "kerberos": "^2.0.1", + "mongodb-client-encryption": ">=6.0.0 <7", + "snappy": "^7.2.2", + "socks": "^2.7.1" + }, + "peerDependenciesMeta": { + "@aws-sdk/credential-providers": { + "optional": true + }, + "@mongodb-js/zstd": { + "optional": true + }, + "gcp-metadata": { + "optional": true + }, + "kerberos": { + "optional": true + }, + "mongodb-client-encryption": { + "optional": true + }, + "snappy": { + "optional": true + }, + "socks": { + "optional": true + } + } + }, + "node_modules/mongodb-connection-string-url": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/mongodb-connection-string-url/-/mongodb-connection-string-url-3.0.2.tgz", + "integrity": "sha512-rMO7CGo/9BFwyZABcKAWL8UJwH/Kc2x0g72uhDWzG48URRax5TCIcJ7Rc3RZqffZzO/Gwff/jyKwCU9TN8gehA==", + "dependencies": { + "@types/whatwg-url": "^11.0.2", + "whatwg-url": "^14.1.0 || ^13.0.0" + } + }, + "node_modules/mongoose": { + "version": "8.10.2", + "resolved": "https://registry.npmjs.org/mongoose/-/mongoose-8.10.2.tgz", + "integrity": "sha512-DvqfK1s/JLwP39ogXULC8ygNDdmDber5ZbxZzELYtkzl9VGJ3K5T2MCLdpTs9I9J6DnkDyIHJwt7IOyMxh/Adw==", + "dependencies": { + "bson": "^6.10.1", + "kareem": "2.6.3", + "mongodb": "~6.13.0", + "mpath": "0.9.0", + "mquery": "5.0.0", + "ms": "2.1.3", + "sift": "17.1.3" + }, + "engines": { + "node": ">=16.20.1" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/mongoose" + } + }, + "node_modules/mpath": { + "version": "0.9.0", + "resolved": "https://registry.npmjs.org/mpath/-/mpath-0.9.0.tgz", + "integrity": "sha512-ikJRQTk8hw5DEoFVxHG1Gn9T/xcjtdnOKIU1JTmGjZZlg9LST2mBLmcX3/ICIbgJydT2GOc15RnNy5mHmzfSew==", + "engines": { + "node": ">=4.0.0" + } + }, + "node_modules/mquery": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/mquery/-/mquery-5.0.0.tgz", + "integrity": "sha512-iQMncpmEK8R8ncT8HJGsGc9Dsp8xcgYMVSbs5jgnm1lFHTZqMJTUWTDx1LBO8+mK3tPNZWFLBghQEIOULSTHZg==", + "dependencies": { + "debug": "4.x" + }, + "engines": { + "node": ">=14.0.0" + } + }, + "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==" + }, + "node_modules/negotiator": { + "version": "0.6.3", + "resolved": "https://registry.npmjs.org/negotiator/-/negotiator-0.6.3.tgz", + "integrity": "sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/no-case": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/no-case/-/no-case-3.0.4.tgz", + "integrity": "sha512-fgAN3jGAh+RoxUGZHTSOLJIqUc2wmoBwGR4tbpNAKmmovFoWq0OdRkb0VkldReO2a2iBT/OEulG9XSUc10r3zg==", + "dependencies": { + "lower-case": "^2.0.2", + "tslib": "^2.0.3" + } + }, + "node_modules/nodemon": { + "version": "3.1.9", + "resolved": "https://registry.npmjs.org/nodemon/-/nodemon-3.1.9.tgz", + "integrity": "sha512-hdr1oIb2p6ZSxu3PB2JWWYS7ZQ0qvaZsc3hK8DR8f02kRzc8rjYmxAIvdz+aYC+8F2IjNaB7HMcSDg8nQpJxyg==", + "dependencies": { + "chokidar": "^3.5.2", + "debug": "^4", + "ignore-by-default": "^1.0.1", + "minimatch": "^3.1.2", + "pstree.remy": "^1.1.8", + "semver": "^7.5.3", + "simple-update-notifier": "^2.0.0", + "supports-color": "^5.5.0", + "touch": "^3.1.0", + "undefsafe": "^2.0.5" + }, + "bin": { + "nodemon": "bin/nodemon.js" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/nodemon" + } + }, + "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==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-assign": { + "version": "4.1.1", + "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz", + "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-inspect": { + "version": "1.13.4", + "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.13.4.tgz", + "integrity": "sha512-W67iLl4J2EXEGTbfeHCffrjDfitvLANg0UlX3wFUUSTx92KXRFegMHUVgSqE+wvhAbi4WqjGg9czysTV2Epbew==", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "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==", + "dependencies": { + "ee-first": "1.1.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/parseurl": { + "version": "1.3.3", + "resolved": "https://registry.npmjs.org/parseurl/-/parseurl-1.3.3.tgz", + "integrity": "sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/path-to-regexp": { + "version": "0.1.12", + "resolved": "https://registry.npmjs.org/path-to-regexp/-/path-to-regexp-0.1.12.tgz", + "integrity": "sha512-RA1GjUVMnvYFxuqovrEqZoxxW5NUZqbwKtYz/Tt7nXerk0LbLblQmrsgdeOxV5SFHf0UDggjS/bSeOZwt1pmEQ==" + }, + "node_modules/picomatch": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz", + "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==", + "engines": { + "node": ">=8.6" + }, + "funding": { + "url": "https://github.com/sponsors/jonschlinkert" + } + }, + "node_modules/proxy-addr": { + "version": "2.0.7", + "resolved": "https://registry.npmjs.org/proxy-addr/-/proxy-addr-2.0.7.tgz", + "integrity": "sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg==", + "dependencies": { + "forwarded": "0.2.0", + "ipaddr.js": "1.9.1" + }, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/proxy-from-env": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/proxy-from-env/-/proxy-from-env-1.1.0.tgz", + "integrity": "sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg==" + }, + "node_modules/pstree.remy": { + "version": "1.1.8", + "resolved": "https://registry.npmjs.org/pstree.remy/-/pstree.remy-1.1.8.tgz", + "integrity": "sha512-77DZwxQmxKnu3aR542U+X8FypNzbfJ+C5XQDk3uWjWxn6151aIMGthWYRXTqT1E5oJvg+ljaa2OJi+VfvCOQ8w==" + }, + "node_modules/punycode": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.3.1.tgz", + "integrity": "sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==", + "engines": { + "node": ">=6" + } + }, + "node_modules/qs": { + "version": "6.13.0", + "resolved": "https://registry.npmjs.org/qs/-/qs-6.13.0.tgz", + "integrity": "sha512-+38qI9SOr8tfZ4QmJNplMUxqjbe7LKvvZgWdExBOmd+egZTtjLB67Gu0HRX3u/XOq7UU2Nx6nsjvS16Z9uwfpg==", + "dependencies": { + "side-channel": "^1.0.6" + }, + "engines": { + "node": ">=0.6" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "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==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/raw-body": { + "version": "2.5.2", + "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.5.2.tgz", + "integrity": "sha512-8zGqypfENjCIqGhgXToC8aB2r7YrBX+AQAfIPs/Mlk+BtPTztOvTS01NRW/3Eh60J+a48lt8qsCzirQ6loCVfA==", + "dependencies": { + "bytes": "3.1.2", + "http-errors": "2.0.0", + "iconv-lite": "0.4.24", + "unpipe": "1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/react": { + "version": "19.0.0", + "resolved": "https://registry.npmjs.org/react/-/react-19.0.0.tgz", + "integrity": "sha512-V8AVnmPIICiWpGfm6GLzCR/W5FXLchHop40W4nXBmdlEceh16rCN8O8LNWm5bh5XUX91fh7KpA+W0TgMKmgTpQ==", + "peer": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/readdirp": { + "version": "3.6.0", + "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-3.6.0.tgz", + "integrity": "sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==", + "dependencies": { + "picomatch": "^2.2.1" + }, + "engines": { + "node": ">=8.10.0" + } + }, + "node_modules/safe-buffer": { + "version": "5.2.1", + "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz", + "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==", + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ] + }, + "node_modules/safer-buffer": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", + "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==" + }, + "node_modules/semver": { + "version": "7.7.1", + "resolved": "https://registry.npmjs.org/semver/-/semver-7.7.1.tgz", + "integrity": "sha512-hlq8tAfn0m/61p4BVRcPzIGr6LKiMwo4VM6dGi6pt4qcRkmNzTcWq6eCEjEh+qXjkMDvPlOFFSGwQjoEa6gyMA==", + "bin": { + "semver": "bin/semver.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/send": { + "version": "0.19.0", + "resolved": "https://registry.npmjs.org/send/-/send-0.19.0.tgz", + "integrity": "sha512-dW41u5VfLXu8SJh5bwRmyYUbAoSB3c9uQh6L8h/KtsFREPWpbX1lrljJo186Jc4nmci/sGUZ9a0a0J2zgfq2hw==", + "dependencies": { + "debug": "2.6.9", + "depd": "2.0.0", + "destroy": "1.2.0", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "etag": "~1.8.1", + "fresh": "0.5.2", + "http-errors": "2.0.0", + "mime": "1.6.0", + "ms": "2.1.3", + "on-finished": "2.4.1", + "range-parser": "~1.2.1", + "statuses": "2.0.1" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/send/node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/send/node_modules/debug/node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==" + }, + "node_modules/send/node_modules/encodeurl": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/encodeurl/-/encodeurl-1.0.2.tgz", + "integrity": "sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/serve-static": { + "version": "1.16.2", + "resolved": "https://registry.npmjs.org/serve-static/-/serve-static-1.16.2.tgz", + "integrity": "sha512-VqpjJZKadQB/PEbEwvFdO43Ax5dFBZ2UECszz8bQ7pi7wt//PWe1P6MN7eCnjsatYtBT6EuiClbjSWP2WrIoTw==", + "dependencies": { + "encodeurl": "~2.0.0", + "escape-html": "~1.0.3", + "parseurl": "~1.3.3", + "send": "0.19.0" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/setprototypeof": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.2.0.tgz", + "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==" + }, + "node_modules/side-channel": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.1.0.tgz", + "integrity": "sha512-ZX99e6tRweoUXqR+VBrslhda51Nh5MTQwou5tnUDgbtyM0dBgmhEDtWGP/xbKn6hqfPRHujUNwz5fy/wbbhnpw==", + "dependencies": { + "es-errors": "^1.3.0", + "object-inspect": "^1.13.3", + "side-channel-list": "^1.0.0", + "side-channel-map": "^1.0.1", + "side-channel-weakmap": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel-list": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/side-channel-list/-/side-channel-list-1.0.0.tgz", + "integrity": "sha512-FCLHtRD/gnpCiCHEiJLOwdmFP+wzCmDEkc9y7NsYxeF4u7Btsn1ZuwgwJGxImImHicJArLP4R0yX4c2KCrMrTA==", + "dependencies": { + "es-errors": "^1.3.0", + "object-inspect": "^1.13.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel-map": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/side-channel-map/-/side-channel-map-1.0.1.tgz", + "integrity": "sha512-VCjCNfgMsby3tTdo02nbjtM/ewra6jPHmpThenkTYh8pG9ucZ/1P8So4u4FGBek/BjpOVsDCMoLA/iuBKIFXRA==", + "dependencies": { + "call-bound": "^1.0.2", + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.5", + "object-inspect": "^1.13.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel-weakmap": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/side-channel-weakmap/-/side-channel-weakmap-1.0.2.tgz", + "integrity": "sha512-WPS/HvHQTYnHisLo9McqBHOJk2FkHO/tlpvldyrnem4aeQp4hai3gythswg6p01oSoTl58rcpiFAjF2br2Ak2A==", + "dependencies": { + "call-bound": "^1.0.2", + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.5", + "object-inspect": "^1.13.3", + "side-channel-map": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/sift": { + "version": "17.1.3", + "resolved": "https://registry.npmjs.org/sift/-/sift-17.1.3.tgz", + "integrity": "sha512-Rtlj66/b0ICeFzYTuNvX/EF1igRbbnGSvEyT79McoZa/DeGhMyC5pWKOEsZKnpkqtSeovd5FL/bjHWC3CIIvCQ==" + }, + "node_modules/simple-update-notifier": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/simple-update-notifier/-/simple-update-notifier-2.0.0.tgz", + "integrity": "sha512-a2B9Y0KlNXl9u/vsW6sTIu9vGEpfKu2wRV6l1H3XEas/0gUIzGzBoP/IouTcUQbm9JWZLH3COxyn03TYlFax6w==", + "dependencies": { + "semver": "^7.5.3" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/snake-case": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/snake-case/-/snake-case-3.0.4.tgz", + "integrity": "sha512-LAOh4z89bGQvl9pFfNF8V146i7o7/CqFPbqzYgP+yYzDIDeS9HaNFtXABamRW+AQzEVODcvE79ljJ+8a9YSdMg==", + "dependencies": { + "dot-case": "^3.0.4", + "tslib": "^2.0.3" + } + }, + "node_modules/snakecase-keys": { + "version": "8.0.1", + "resolved": "https://registry.npmjs.org/snakecase-keys/-/snakecase-keys-8.0.1.tgz", + "integrity": "sha512-Sj51kE1zC7zh6TDlNNz0/Jn1n5HiHdoQErxO8jLtnyrkJW/M5PrI7x05uDgY3BO7OUQYKCvmeMurW6BPUdwEOw==", + "dependencies": { + "map-obj": "^4.1.0", + "snake-case": "^3.0.4", + "type-fest": "^4.15.0" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/sparse-bitfield": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/sparse-bitfield/-/sparse-bitfield-3.0.3.tgz", + "integrity": "sha512-kvzhi7vqKTfkh0PZU+2D2PIllw2ymqJKujUcyPMd9Y75Nv4nPbGJZXNhxsgdQab2BmlDct1YnfQCguEvHr7VsQ==", + "dependencies": { + "memory-pager": "^1.0.2" + } + }, + "node_modules/statuses": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz", + "integrity": "sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/std-env": { + "version": "3.8.0", + "resolved": "https://registry.npmjs.org/std-env/-/std-env-3.8.0.tgz", + "integrity": "sha512-Bc3YwwCB+OzldMxOXJIIvC6cPRWr/LxOp48CdQTOkPyk/t4JWWJbrilwBd7RJzKV8QW7tJkcgAmeuLLJugl5/w==" + }, + "node_modules/supports-color": { + "version": "5.5.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz", + "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==", + "dependencies": { + "has-flag": "^3.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/swr": { + "version": "2.3.2", + "resolved": "https://registry.npmjs.org/swr/-/swr-2.3.2.tgz", + "integrity": "sha512-RosxFpiabojs75IwQ316DGoDRmOqtiAj0tg8wCcbEu4CiLZBs/a9QNtHV7TUfDXmmlgqij/NqzKq/eLelyv9xA==", + "dependencies": { + "dequal": "^2.0.3", + "use-sync-external-store": "^1.4.0" + }, + "peerDependencies": { + "react": "^16.11.0 || ^17.0.0 || ^18.0.0 || ^19.0.0" + } + }, + "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==", + "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==", + "engines": { + "node": ">=0.6" + } + }, + "node_modules/touch": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/touch/-/touch-3.1.1.tgz", + "integrity": "sha512-r0eojU4bI8MnHr8c5bNo7lJDdI2qXlWWJk6a9EAFG7vbhTjElYhBVS3/miuE0uOuoLdb8Mc/rVfsmm6eo5o9GA==", + "bin": { + "nodetouch": "bin/nodetouch.js" + } + }, + "node_modules/tr46": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/tr46/-/tr46-5.0.0.tgz", + "integrity": "sha512-tk2G5R2KRwBd+ZN0zaEXpmzdKyOYksXwywulIX95MBODjSzMIuQnQ3m8JxgbhnL1LeVo7lqQKsYa1O3Htl7K5g==", + "dependencies": { + "punycode": "^2.3.1" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/tslib": { + "version": "2.8.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-2.8.1.tgz", + "integrity": "sha512-oJFu94HQb+KVduSUQL7wnpmqnfmLsOA/nAh6b6EH0wCEoK0/mPeXU6c3wKDV83MkOuHPRHtSXKKU99IBazS/2w==" + }, + "node_modules/type-fest": { + "version": "4.35.0", + "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-4.35.0.tgz", + "integrity": "sha512-2/AwEFQDFEy30iOLjrvHDIH7e4HEWH+f1Yl1bI5XMqzuoCUqwYCdxachgsgv0og/JdVZUhbfjcJAoHj5L1753A==", + "engines": { + "node": ">=16" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/type-is": { + "version": "1.6.18", + "resolved": "https://registry.npmjs.org/type-is/-/type-is-1.6.18.tgz", + "integrity": "sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==", + "dependencies": { + "media-typer": "0.3.0", + "mime-types": "~2.1.24" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/undefsafe": { + "version": "2.0.5", + "resolved": "https://registry.npmjs.org/undefsafe/-/undefsafe-2.0.5.tgz", + "integrity": "sha512-WxONCrssBM8TSPRqN5EmsjVrsv4A8X12J4ArBiiayv3DyyG3ZlIg6yysuuSYdZsVz3TKcTg2fd//Ujd4CHV1iA==" + }, + "node_modules/unpipe": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/unpipe/-/unpipe-1.0.0.tgz", + "integrity": "sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/use-sync-external-store": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/use-sync-external-store/-/use-sync-external-store-1.4.0.tgz", + "integrity": "sha512-9WXSPC5fMv61vaupRkCKCxsPxBocVnwakBEkMIHHpkTTg6icbJtg6jzgtLDm4bl3cSHAca52rYWih0k4K3PfHw==", + "peerDependencies": { + "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0" + } + }, + "node_modules/utils-merge": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/utils-merge/-/utils-merge-1.0.1.tgz", + "integrity": "sha512-pMZTvIkT1d+TFGvDOqodOclx0QWkkgi6Tdoa8gC8ffGAAqz9pzPTZWAybbsHHoED/ztMtkv/VoYTYyShUn81hA==", + "engines": { + "node": ">= 0.4.0" + } + }, + "node_modules/uuid": { + "version": "8.3.2", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.3.2.tgz", + "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==", + "bin": { + "uuid": "dist/bin/uuid" + } + }, + "node_modules/vary": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/vary/-/vary-1.1.2.tgz", + "integrity": "sha512-BNGbWLfd0eUPabhkXUVm0j8uuvREyTh5ovRa/dyow/BqAbZJyC+5fU+IzQOzmAKzYqYRAISoRhdQr3eIZ/PXqg==", + "engines": { + "node": ">= 0.8" + } + }, + "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==", + "engines": { + "node": ">=12" + } + }, + "node_modules/whatwg-url": { + "version": "14.1.1", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-14.1.1.tgz", + "integrity": "sha512-mDGf9diDad/giZ/Sm9Xi2YcyzaFpbdLpJPr+E9fSkyQ7KpQD4SdFcugkRQYzhmfI4KeV4Qpnn2sKPdo+kmsgRQ==", + "dependencies": { + "tr46": "^5.0.0", + "webidl-conversions": "^7.0.0" + }, + "engines": { + "node": ">=18" + } + } + } +} diff --git a/backend/node_modules/@clerk/backend/LICENSE b/backend/node_modules/@clerk/backend/LICENSE new file mode 100644 index 000000000..66914b6af --- /dev/null +++ b/backend/node_modules/@clerk/backend/LICENSE @@ -0,0 +1,21 @@ +MIT License + +Copyright (c) 2022 Clerk, Inc. + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. diff --git a/backend/node_modules/@clerk/backend/README.md b/backend/node_modules/@clerk/backend/README.md new file mode 100644 index 000000000..7aa545ac0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/README.md @@ -0,0 +1,76 @@ +

+ + + + + + +
+

@clerk/backend

+

+ +
+ +[![Chat on Discord](https://img.shields.io/discord/856971667393609759.svg?logo=discord)](https://clerk.com/discord) +[![Clerk documentation](https://img.shields.io/badge/documentation-clerk-green.svg)](https://clerk.com/docs?utm_source=github&utm_medium=clerk_backend) +[![Follow on Twitter](https://img.shields.io/twitter/follow/ClerkDev?style=social)](https://twitter.com/intent/follow?screen_name=ClerkDev) + +[Changelog](https://github.com/clerk/javascript/blob/main/packages/backend/CHANGELOG.md) +· +[Report a Bug](https://github.com/clerk/javascript/issues/new?assignees=&labels=needs-triage&projects=&template=BUG_REPORT.yml) +· +[Request a Feature](https://feedback.clerk.com/roadmap) +· +[Get help](https://clerk.com/contact/support?utm_source=github&utm_medium=clerk_backend) + +
+ +## Getting Started + +[Clerk's](https://clerk.com/?utm_source=github&utm_medium=clerk_backend) JavaScript Backend SDK exposes [Clerk's Backend API](https://clerk.com/docs/reference/backend-api) resources and low-level authentication utilities **for JavaScript environments**. + +### Prerequisites + +- Node.js `>=18.17.0` (or later) or any V8 isolates runtime +- An existing Clerk application. [Create your account for free](https://dashboard.clerk.com/sign-up?utm_source=github&utm_medium=clerk_backend). + +### Installation + +The fastest way to get started with `@clerk/backend` is by following the [JavaScript Backend SDK reference documentation](https://clerk.com/docs/references/backend/overview?utm_source=github&utm_medium=clerk_backend). + +You'll learn how to install `@clerk/backend` and how to use `createClerkClient()`. + +## Usage + +For further information, guides, and examples visit the [JavaScript Backend SDK reference documentation](https://clerk.com/docs/references/backend/overview?utm_source=github&utm_medium=clerk_backend). It lists all the available APIs and methods. + +## Testing + +This project uses [vitest](https://vitest.dev/) as the unit test runner and [msw](https://mswjs.io/) for mocking network requests. + +If you need to see which requests are being intercepted by `msw`, you can run the test suite with the following env: `DEBUG_MOCK_REQUESTS=true` + +## Support + +You can get in touch with us in any of the following ways: + +- Join our official community [Discord server](https://clerk.com/discord) +- On [our support page](https://clerk.com/contact/support?utm_source=github&utm_medium=clerk_backend) + +## Contributing + +We're open to all community contributions! If you'd like to contribute in any way, please read [our contribution guidelines](https://github.com/clerk/javascript/blob/main/docs/CONTRIBUTING.md) and [code of conduct](https://github.com/clerk/javascript/blob/main/docs/CODE_OF_CONDUCT.md). + +## Security + +`@clerk/backend` follows good practices of security, but 100% security cannot be assured. + +`@clerk/backend` is provided **"as is"** without any **warranty**. Use at your own risk. + +_For more information and to report security issues, please refer to our [security documentation](https://github.com/clerk/javascript/blob/main/docs/SECURITY.md)._ + +## License + +This project is licensed under the **MIT license**. + +See [LICENSE](https://github.com/clerk/javascript/blob/main/packages/backend/LICENSE) for more information. diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/AbstractApi.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/AbstractApi.d.ts new file mode 100644 index 000000000..861fa1196 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/AbstractApi.d.ts @@ -0,0 +1,7 @@ +import type { RequestFunction } from '../request'; +export declare abstract class AbstractAPI { + protected request: RequestFunction; + constructor(request: RequestFunction); + protected requireId(id: string): void; +} +//# sourceMappingURL=AbstractApi.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/AbstractApi.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/AbstractApi.d.ts.map new file mode 100644 index 000000000..e8e0e0ce7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/AbstractApi.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"AbstractApi.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/AbstractApi.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,eAAe,EAAE,MAAM,YAAY,CAAC;AAElD,8BAAsB,WAAW;IACnB,SAAS,CAAC,OAAO,EAAE,eAAe;gBAAxB,OAAO,EAAE,eAAe;IAE9C,SAAS,CAAC,SAAS,CAAC,EAAE,EAAE,MAAM;CAK/B"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/AccountlessApplicationsAPI.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/AccountlessApplicationsAPI.d.ts new file mode 100644 index 000000000..574549c1f --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/AccountlessApplicationsAPI.d.ts @@ -0,0 +1,7 @@ +import type { AccountlessApplication } from '../resources/AccountlessApplication'; +import { AbstractAPI } from './AbstractApi'; +export declare class AccountlessApplicationAPI extends AbstractAPI { + createAccountlessApplication(): Promise; + completeAccountlessApplicationOnboarding(): Promise; +} +//# sourceMappingURL=AccountlessApplicationsAPI.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/AccountlessApplicationsAPI.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/AccountlessApplicationsAPI.d.ts.map new file mode 100644 index 000000000..66696b577 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/AccountlessApplicationsAPI.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"AccountlessApplicationsAPI.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/AccountlessApplicationsAPI.ts"],"names":[],"mappings":"AACA,OAAO,KAAK,EAAE,sBAAsB,EAAE,MAAM,qCAAqC,CAAC;AAClF,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAI5C,qBAAa,yBAA0B,SAAQ,WAAW;IAC3C,4BAA4B;IAO5B,wCAAwC;CAMtD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/AllowlistIdentifierApi.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/AllowlistIdentifierApi.d.ts new file mode 100644 index 000000000..fdf100ec1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/AllowlistIdentifierApi.d.ts @@ -0,0 +1,14 @@ +import type { AllowlistIdentifier } from '../resources/AllowlistIdentifier'; +import type { PaginatedResourceResponse } from '../resources/Deserializer'; +import { AbstractAPI } from './AbstractApi'; +type AllowlistIdentifierCreateParams = { + identifier: string; + notify: boolean; +}; +export declare class AllowlistIdentifierAPI extends AbstractAPI { + getAllowlistIdentifierList(): Promise>; + createAllowlistIdentifier(params: AllowlistIdentifierCreateParams): Promise; + deleteAllowlistIdentifier(allowlistIdentifierId: string): Promise; +} +export {}; +//# sourceMappingURL=AllowlistIdentifierApi.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/AllowlistIdentifierApi.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/AllowlistIdentifierApi.d.ts.map new file mode 100644 index 000000000..b73572801 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/AllowlistIdentifierApi.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"AllowlistIdentifierApi.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/AllowlistIdentifierApi.ts"],"names":[],"mappings":"AACA,OAAO,KAAK,EAAE,mBAAmB,EAAE,MAAM,kCAAkC,CAAC;AAC5E,OAAO,KAAK,EAAE,yBAAyB,EAAE,MAAM,2BAA2B,CAAC;AAC3E,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAI5C,KAAK,+BAA+B,GAAG;IACrC,UAAU,EAAE,MAAM,CAAC;IACnB,MAAM,EAAE,OAAO,CAAC;CACjB,CAAC;AAEF,qBAAa,sBAAuB,SAAQ,WAAW;IACxC,0BAA0B;IAQ1B,yBAAyB,CAAC,MAAM,EAAE,+BAA+B;IAQjE,yBAAyB,CAAC,qBAAqB,EAAE,MAAM;CAOrE"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/ClientApi.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/ClientApi.d.ts new file mode 100644 index 000000000..0dbe881e7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/ClientApi.d.ts @@ -0,0 +1,10 @@ +import type { ClerkPaginationRequest } from '@clerk/types'; +import type { Client } from '../resources/Client'; +import type { PaginatedResourceResponse } from '../resources/Deserializer'; +import { AbstractAPI } from './AbstractApi'; +export declare class ClientAPI extends AbstractAPI { + getClientList(params?: ClerkPaginationRequest): Promise>; + getClient(clientId: string): Promise; + verifyClient(token: string): Promise; +} +//# sourceMappingURL=ClientApi.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/ClientApi.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/ClientApi.d.ts.map new file mode 100644 index 000000000..49bd804c3 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/ClientApi.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"ClientApi.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/ClientApi.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,sBAAsB,EAAE,MAAM,cAAc,CAAC;AAG3D,OAAO,KAAK,EAAE,MAAM,EAAE,MAAM,qBAAqB,CAAC;AAClD,OAAO,KAAK,EAAE,yBAAyB,EAAE,MAAM,2BAA2B,CAAC;AAC3E,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAI5C,qBAAa,SAAU,SAAQ,WAAW;IAC3B,aAAa,CAAC,MAAM,GAAE,sBAA2B;IAQjD,SAAS,CAAC,QAAQ,EAAE,MAAM;IAQhC,YAAY,CAAC,KAAK,EAAE,MAAM;CAOlC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/DomainApi.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/DomainApi.d.ts new file mode 100644 index 000000000..c669574af --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/DomainApi.d.ts @@ -0,0 +1,6 @@ +import type { DeletedObject } from '../resources/DeletedObject'; +import { AbstractAPI } from './AbstractApi'; +export declare class DomainAPI extends AbstractAPI { + deleteDomain(id: string): Promise; +} +//# sourceMappingURL=DomainApi.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/DomainApi.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/DomainApi.d.ts.map new file mode 100644 index 000000000..7c3afb84c --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/DomainApi.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"DomainApi.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/DomainApi.ts"],"names":[],"mappings":"AACA,OAAO,KAAK,EAAE,aAAa,EAAE,MAAM,4BAA4B,CAAC;AAChE,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAI5C,qBAAa,SAAU,SAAQ,WAAW;IAC3B,YAAY,CAAC,EAAE,EAAE,MAAM;CAMrC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/EmailAddressApi.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/EmailAddressApi.d.ts new file mode 100644 index 000000000..f9bab3aa3 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/EmailAddressApi.d.ts @@ -0,0 +1,20 @@ +import type { DeletedObject, EmailAddress } from '../resources'; +import { AbstractAPI } from './AbstractApi'; +type CreateEmailAddressParams = { + userId: string; + emailAddress: string; + verified?: boolean; + primary?: boolean; +}; +type UpdateEmailAddressParams = { + verified?: boolean; + primary?: boolean; +}; +export declare class EmailAddressAPI extends AbstractAPI { + getEmailAddress(emailAddressId: string): Promise; + createEmailAddress(params: CreateEmailAddressParams): Promise; + updateEmailAddress(emailAddressId: string, params?: UpdateEmailAddressParams): Promise; + deleteEmailAddress(emailAddressId: string): Promise; +} +export {}; +//# sourceMappingURL=EmailAddressApi.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/EmailAddressApi.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/EmailAddressApi.d.ts.map new file mode 100644 index 000000000..00f51a3b2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/EmailAddressApi.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"EmailAddressApi.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/EmailAddressApi.ts"],"names":[],"mappings":"AACA,OAAO,KAAK,EAAE,aAAa,EAAE,YAAY,EAAE,MAAM,cAAc,CAAC;AAChE,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAI5C,KAAK,wBAAwB,GAAG;IAC9B,MAAM,EAAE,MAAM,CAAC;IACf,YAAY,EAAE,MAAM,CAAC;IACrB,QAAQ,CAAC,EAAE,OAAO,CAAC;IACnB,OAAO,CAAC,EAAE,OAAO,CAAC;CACnB,CAAC;AAEF,KAAK,wBAAwB,GAAG;IAC9B,QAAQ,CAAC,EAAE,OAAO,CAAC;IACnB,OAAO,CAAC,EAAE,OAAO,CAAC;CACnB,CAAC;AAEF,qBAAa,eAAgB,SAAQ,WAAW;IACjC,eAAe,CAAC,cAAc,EAAE,MAAM;IAStC,kBAAkB,CAAC,MAAM,EAAE,wBAAwB;IAQnD,kBAAkB,CAAC,cAAc,EAAE,MAAM,EAAE,MAAM,GAAE,wBAA6B;IAUhF,kBAAkB,CAAC,cAAc,EAAE,MAAM;CAQvD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/InvitationApi.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/InvitationApi.d.ts new file mode 100644 index 000000000..78f71c4f7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/InvitationApi.d.ts @@ -0,0 +1,44 @@ +import type { ClerkPaginationRequest } from '@clerk/types'; +import type { PaginatedResourceResponse } from '../resources/Deserializer'; +import type { Invitation } from '../resources/Invitation'; +import { AbstractAPI } from './AbstractApi'; +type CreateParams = { + emailAddress: string; + redirectUrl?: string; + publicMetadata?: UserPublicMetadata; + notify?: boolean; + ignoreExisting?: boolean; +}; +type GetInvitationListParams = ClerkPaginationRequest<{ + /** + * Filters invitations based on their status(accepted, pending, revoked). + * + * @example + * Get all revoked invitations + * ```ts + * import { createClerkClient } from '@clerk/backend'; + * const clerkClient = createClerkClient(...) + * await clerkClient.invitations.getInvitationList({ status: 'revoked' }) + * ``` + */ + status?: 'accepted' | 'pending' | 'revoked'; + /** + * Filters invitations based on `email_address` or `id`. + * + * @example + * Get all invitations for a specific email address + * ```ts + * import { createClerkClient } from '@clerk/backend'; + * const clerkClient = createClerkClient(...) + * await clerkClient.invitations.getInvitationList({ query: 'user@example.com' }) + * ``` + */ + query?: string; +}>; +export declare class InvitationAPI extends AbstractAPI { + getInvitationList(params?: GetInvitationListParams): Promise>; + createInvitation(params: CreateParams): Promise; + revokeInvitation(invitationId: string): Promise; +} +export {}; +//# sourceMappingURL=InvitationApi.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/InvitationApi.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/InvitationApi.d.ts.map new file mode 100644 index 000000000..63133d910 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/InvitationApi.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"InvitationApi.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/InvitationApi.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,sBAAsB,EAAE,MAAM,cAAc,CAAC;AAG3D,OAAO,KAAK,EAAE,yBAAyB,EAAE,MAAM,2BAA2B,CAAC;AAC3E,OAAO,KAAK,EAAE,UAAU,EAAE,MAAM,yBAAyB,CAAC;AAC1D,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAI5C,KAAK,YAAY,GAAG;IAClB,YAAY,EAAE,MAAM,CAAC;IACrB,WAAW,CAAC,EAAE,MAAM,CAAC;IACrB,cAAc,CAAC,EAAE,kBAAkB,CAAC;IACpC,MAAM,CAAC,EAAE,OAAO,CAAC;IACjB,cAAc,CAAC,EAAE,OAAO,CAAC;CAC1B,CAAC;AAEF,KAAK,uBAAuB,GAAG,sBAAsB,CAAC;IACpD;;;;;;;;;;OAUG;IACH,MAAM,CAAC,EAAE,UAAU,GAAG,SAAS,GAAG,SAAS,CAAC;IAC5C;;;;;;;;;;OAUG;IACH,KAAK,CAAC,EAAE,MAAM,CAAC;CAChB,CAAC,CAAC;AAEH,qBAAa,aAAc,SAAQ,WAAW;IAC/B,iBAAiB,CAAC,MAAM,GAAE,uBAA4B;IAQtD,gBAAgB,CAAC,MAAM,EAAE,YAAY;IAQrC,gBAAgB,CAAC,YAAY,EAAE,MAAM;CAOnD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/OrganizationApi.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/OrganizationApi.d.ts new file mode 100644 index 000000000..e75a215d0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/OrganizationApi.d.ts @@ -0,0 +1,122 @@ +import type { ClerkPaginationRequest, OrganizationEnrollmentMode } from '@clerk/types'; +import type { Organization, OrganizationDomain, OrganizationInvitation, OrganizationInvitationStatus, OrganizationMembership } from '../resources'; +import type { PaginatedResourceResponse } from '../resources/Deserializer'; +import type { OrganizationMembershipRole } from '../resources/Enums'; +import { AbstractAPI } from './AbstractApi'; +import type { WithSign } from './util-types'; +type MetadataParams = { + publicMetadata?: TPublic; + privateMetadata?: TPrivate; +}; +type GetOrganizationListParams = ClerkPaginationRequest<{ + includeMembersCount?: boolean; + query?: string; + orderBy?: WithSign<'name' | 'created_at' | 'members_count'>; + organizationId?: string[]; +}>; +type CreateParams = { + name: string; + slug?: string; + createdBy?: string; + maxAllowedMemberships?: number; +} & MetadataParams; +type GetOrganizationParams = ({ + organizationId: string; +} | { + slug: string; +}) & { + includeMembersCount?: boolean; +}; +type UpdateParams = { + name?: string; + slug?: string; + maxAllowedMemberships?: number; +} & MetadataParams; +type UpdateLogoParams = { + file: Blob | File; + uploaderUserId?: string; +}; +type UpdateMetadataParams = MetadataParams; +type GetOrganizationMembershipListParams = ClerkPaginationRequest<{ + organizationId: string; + orderBy?: WithSign<'phone_number' | 'email_address' | 'created_at' | 'first_name' | 'last_name' | 'username'>; +}>; +type CreateOrganizationMembershipParams = { + organizationId: string; + userId: string; + role: OrganizationMembershipRole; +}; +type UpdateOrganizationMembershipParams = CreateOrganizationMembershipParams; +type UpdateOrganizationMembershipMetadataParams = { + organizationId: string; + userId: string; +} & MetadataParams; +type DeleteOrganizationMembershipParams = { + organizationId: string; + userId: string; +}; +type CreateOrganizationInvitationParams = { + organizationId: string; + inviterUserId: string; + emailAddress: string; + role: OrganizationMembershipRole; + redirectUrl?: string; + publicMetadata?: OrganizationInvitationPublicMetadata; +}; +type GetOrganizationInvitationListParams = ClerkPaginationRequest<{ + organizationId: string; + status?: OrganizationInvitationStatus[]; +}>; +type GetOrganizationInvitationParams = { + organizationId: string; + invitationId: string; +}; +type RevokeOrganizationInvitationParams = { + organizationId: string; + invitationId: string; + requestingUserId: string; +}; +type GetOrganizationDomainListParams = { + organizationId: string; + limit?: number; + offset?: number; +}; +type CreateOrganizationDomainParams = { + organizationId: string; + name: string; + enrollmentMode: OrganizationEnrollmentMode; + verified?: boolean; +}; +type UpdateOrganizationDomainParams = { + organizationId: string; + domainId: string; +} & Partial; +type DeleteOrganizationDomainParams = { + organizationId: string; + domainId: string; +}; +export declare class OrganizationAPI extends AbstractAPI { + getOrganizationList(params?: GetOrganizationListParams): Promise>; + createOrganization(params: CreateParams): Promise; + getOrganization(params: GetOrganizationParams): Promise; + updateOrganization(organizationId: string, params: UpdateParams): Promise; + updateOrganizationLogo(organizationId: string, params: UpdateLogoParams): Promise; + deleteOrganizationLogo(organizationId: string): Promise; + updateOrganizationMetadata(organizationId: string, params: UpdateMetadataParams): Promise; + deleteOrganization(organizationId: string): Promise; + getOrganizationMembershipList(params: GetOrganizationMembershipListParams): Promise>; + createOrganizationMembership(params: CreateOrganizationMembershipParams): Promise; + updateOrganizationMembership(params: UpdateOrganizationMembershipParams): Promise; + updateOrganizationMembershipMetadata(params: UpdateOrganizationMembershipMetadataParams): Promise; + deleteOrganizationMembership(params: DeleteOrganizationMembershipParams): Promise; + getOrganizationInvitationList(params: GetOrganizationInvitationListParams): Promise>; + createOrganizationInvitation(params: CreateOrganizationInvitationParams): Promise; + getOrganizationInvitation(params: GetOrganizationInvitationParams): Promise; + revokeOrganizationInvitation(params: RevokeOrganizationInvitationParams): Promise; + getOrganizationDomainList(params: GetOrganizationDomainListParams): Promise>; + createOrganizationDomain(params: CreateOrganizationDomainParams): Promise; + updateOrganizationDomain(params: UpdateOrganizationDomainParams): Promise; + deleteOrganizationDomain(params: DeleteOrganizationDomainParams): Promise; +} +export {}; +//# sourceMappingURL=OrganizationApi.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/OrganizationApi.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/OrganizationApi.d.ts.map new file mode 100644 index 000000000..dd92b84e3 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/OrganizationApi.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"OrganizationApi.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/OrganizationApi.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,sBAAsB,EAAE,0BAA0B,EAAE,MAAM,cAAc,CAAC;AAIvF,OAAO,KAAK,EACV,YAAY,EACZ,kBAAkB,EAClB,sBAAsB,EACtB,4BAA4B,EAC5B,sBAAsB,EACvB,MAAM,cAAc,CAAC;AACtB,OAAO,KAAK,EAAE,yBAAyB,EAAE,MAAM,2BAA2B,CAAC;AAC3E,OAAO,KAAK,EAAE,0BAA0B,EAAE,MAAM,oBAAoB,CAAC;AACrE,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAC5C,OAAO,KAAK,EAAE,QAAQ,EAAE,MAAM,cAAc,CAAC;AAI7C,KAAK,cAAc,CAAC,OAAO,GAAG,0BAA0B,EAAE,QAAQ,GAAG,2BAA2B,IAAI;IAClG,cAAc,CAAC,EAAE,OAAO,CAAC;IACzB,eAAe,CAAC,EAAE,QAAQ,CAAC;CAC5B,CAAC;AAEF,KAAK,yBAAyB,GAAG,sBAAsB,CAAC;IACtD,mBAAmB,CAAC,EAAE,OAAO,CAAC;IAC9B,KAAK,CAAC,EAAE,MAAM,CAAC;IACf,OAAO,CAAC,EAAE,QAAQ,CAAC,MAAM,GAAG,YAAY,GAAG,eAAe,CAAC,CAAC;IAC5D,cAAc,CAAC,EAAE,MAAM,EAAE,CAAC;CAC3B,CAAC,CAAC;AAEH,KAAK,YAAY,GAAG;IAClB,IAAI,EAAE,MAAM,CAAC;IACb,IAAI,CAAC,EAAE,MAAM,CAAC;IAEd,SAAS,CAAC,EAAE,MAAM,CAAC;IACnB,qBAAqB,CAAC,EAAE,MAAM,CAAC;CAChC,GAAG,cAAc,CAAC;AAEnB,KAAK,qBAAqB,GAAG,CAAC;IAAE,cAAc,EAAE,MAAM,CAAA;CAAE,GAAG;IAAE,IAAI,EAAE,MAAM,CAAA;CAAE,CAAC,GAAG;IAC7E,mBAAmB,CAAC,EAAE,OAAO,CAAC;CAC/B,CAAC;AAEF,KAAK,YAAY,GAAG;IAClB,IAAI,CAAC,EAAE,MAAM,CAAC;IACd,IAAI,CAAC,EAAE,MAAM,CAAC;IACd,qBAAqB,CAAC,EAAE,MAAM,CAAC;CAChC,GAAG,cAAc,CAAC;AAEnB,KAAK,gBAAgB,GAAG;IACtB,IAAI,EAAE,IAAI,GAAG,IAAI,CAAC;IAClB,cAAc,CAAC,EAAE,MAAM,CAAC;CACzB,CAAC;AAEF,KAAK,oBAAoB,GAAG,cAAc,CAAC;AAE3C,KAAK,mCAAmC,GAAG,sBAAsB,CAAC;IAChE,cAAc,EAAE,MAAM,CAAC;IACvB,OAAO,CAAC,EAAE,QAAQ,CAAC,cAAc,GAAG,eAAe,GAAG,YAAY,GAAG,YAAY,GAAG,WAAW,GAAG,UAAU,CAAC,CAAC;CAC/G,CAAC,CAAC;AAEH,KAAK,kCAAkC,GAAG;IACxC,cAAc,EAAE,MAAM,CAAC;IACvB,MAAM,EAAE,MAAM,CAAC;IACf,IAAI,EAAE,0BAA0B,CAAC;CAClC,CAAC;AAEF,KAAK,kCAAkC,GAAG,kCAAkC,CAAC;AAE7E,KAAK,0CAA0C,GAAG;IAChD,cAAc,EAAE,MAAM,CAAC;IACvB,MAAM,EAAE,MAAM,CAAC;CAChB,GAAG,cAAc,CAAC,oCAAoC,CAAC,CAAC;AAEzD,KAAK,kCAAkC,GAAG;IACxC,cAAc,EAAE,MAAM,CAAC;IACvB,MAAM,EAAE,MAAM,CAAC;CAChB,CAAC;AAEF,KAAK,kCAAkC,GAAG;IACxC,cAAc,EAAE,MAAM,CAAC;IACvB,aAAa,EAAE,MAAM,CAAC;IACtB,YAAY,EAAE,MAAM,CAAC;IACrB,IAAI,EAAE,0BAA0B,CAAC;IACjC,WAAW,CAAC,EAAE,MAAM,CAAC;IACrB,cAAc,CAAC,EAAE,oCAAoC,CAAC;CACvD,CAAC;AAEF,KAAK,mCAAmC,GAAG,sBAAsB,CAAC;IAChE,cAAc,EAAE,MAAM,CAAC;IACvB,MAAM,CAAC,EAAE,4BAA4B,EAAE,CAAC;CACzC,CAAC,CAAC;AAEH,KAAK,+BAA+B,GAAG;IACrC,cAAc,EAAE,MAAM,CAAC;IACvB,YAAY,EAAE,MAAM,CAAC;CACtB,CAAC;AAEF,KAAK,kCAAkC,GAAG;IACxC,cAAc,EAAE,MAAM,CAAC;IACvB,YAAY,EAAE,MAAM,CAAC;IACrB,gBAAgB,EAAE,MAAM,CAAC;CAC1B,CAAC;AAEF,KAAK,+BAA+B,GAAG;IACrC,cAAc,EAAE,MAAM,CAAC;IACvB,KAAK,CAAC,EAAE,MAAM,CAAC;IACf,MAAM,CAAC,EAAE,MAAM,CAAC;CACjB,CAAC;AAEF,KAAK,8BAA8B,GAAG;IACpC,cAAc,EAAE,MAAM,CAAC;IACvB,IAAI,EAAE,MAAM,CAAC;IACb,cAAc,EAAE,0BAA0B,CAAC;IAC3C,QAAQ,CAAC,EAAE,OAAO,CAAC;CACpB,CAAC;AAEF,KAAK,8BAA8B,GAAG;IACpC,cAAc,EAAE,MAAM,CAAC;IACvB,QAAQ,EAAE,MAAM,CAAC;CAClB,GAAG,OAAO,CAAC,8BAA8B,CAAC,CAAC;AAE5C,KAAK,8BAA8B,GAAG;IACpC,cAAc,EAAE,MAAM,CAAC;IACvB,QAAQ,EAAE,MAAM,CAAC;CAClB,CAAC;AAEF,qBAAa,eAAgB,SAAQ,WAAW;IACjC,mBAAmB,CAAC,MAAM,CAAC,EAAE,yBAAyB;IAQtD,kBAAkB,CAAC,MAAM,EAAE,YAAY;IAQvC,eAAe,CAAC,MAAM,EAAE,qBAAqB;IAc7C,kBAAkB,CAAC,cAAc,EAAE,MAAM,EAAE,MAAM,EAAE,YAAY;IAS/D,sBAAsB,CAAC,cAAc,EAAE,MAAM,EAAE,MAAM,EAAE,gBAAgB;IAgBvE,sBAAsB,CAAC,cAAc,EAAE,MAAM;IAS7C,0BAA0B,CAAC,cAAc,EAAE,MAAM,EAAE,MAAM,EAAE,oBAAoB;IAU/E,kBAAkB,CAAC,cAAc,EAAE,MAAM;IAOzC,6BAA6B,CAAC,MAAM,EAAE,mCAAmC;IAWzE,4BAA4B,CAAC,MAAM,EAAE,kCAAkC;IAWvE,4BAA4B,CAAC,MAAM,EAAE,kCAAkC;IAWvE,oCAAoC,CAAC,MAAM,EAAE,0CAA0C;IAUvF,4BAA4B,CAAC,MAAM,EAAE,kCAAkC;IAUvE,6BAA6B,CAAC,MAAM,EAAE,mCAAmC;IAWzE,4BAA4B,CAAC,MAAM,EAAE,kCAAkC;IAWvE,yBAAyB,CAAC,MAAM,EAAE,+BAA+B;IAWjE,4BAA4B,CAAC,MAAM,EAAE,kCAAkC;IAWvE,yBAAyB,CAAC,MAAM,EAAE,+BAA+B;IAWjE,wBAAwB,CAAC,MAAM,EAAE,8BAA8B;IAc/D,wBAAwB,CAAC,MAAM,EAAE,8BAA8B;IAY/D,wBAAwB,CAAC,MAAM,EAAE,8BAA8B;CAU7E"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/PhoneNumberApi.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/PhoneNumberApi.d.ts new file mode 100644 index 000000000..3a77e8f33 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/PhoneNumberApi.d.ts @@ -0,0 +1,22 @@ +import type { DeletedObject, PhoneNumber } from '../resources'; +import { AbstractAPI } from './AbstractApi'; +type CreatePhoneNumberParams = { + userId: string; + phoneNumber: string; + verified?: boolean; + primary?: boolean; + reservedForSecondFactor?: boolean; +}; +type UpdatePhoneNumberParams = { + verified?: boolean; + primary?: boolean; + reservedForSecondFactor?: boolean; +}; +export declare class PhoneNumberAPI extends AbstractAPI { + getPhoneNumber(phoneNumberId: string): Promise; + createPhoneNumber(params: CreatePhoneNumberParams): Promise; + updatePhoneNumber(phoneNumberId: string, params?: UpdatePhoneNumberParams): Promise; + deletePhoneNumber(phoneNumberId: string): Promise; +} +export {}; +//# sourceMappingURL=PhoneNumberApi.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/PhoneNumberApi.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/PhoneNumberApi.d.ts.map new file mode 100644 index 000000000..27ebefa0b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/PhoneNumberApi.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"PhoneNumberApi.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/PhoneNumberApi.ts"],"names":[],"mappings":"AACA,OAAO,KAAK,EAAE,aAAa,EAAE,WAAW,EAAE,MAAM,cAAc,CAAC;AAC/D,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAI5C,KAAK,uBAAuB,GAAG;IAC7B,MAAM,EAAE,MAAM,CAAC;IACf,WAAW,EAAE,MAAM,CAAC;IACpB,QAAQ,CAAC,EAAE,OAAO,CAAC;IACnB,OAAO,CAAC,EAAE,OAAO,CAAC;IAClB,uBAAuB,CAAC,EAAE,OAAO,CAAC;CACnC,CAAC;AAEF,KAAK,uBAAuB,GAAG;IAC7B,QAAQ,CAAC,EAAE,OAAO,CAAC;IACnB,OAAO,CAAC,EAAE,OAAO,CAAC;IAClB,uBAAuB,CAAC,EAAE,OAAO,CAAC;CACnC,CAAC;AAEF,qBAAa,cAAe,SAAQ,WAAW;IAChC,cAAc,CAAC,aAAa,EAAE,MAAM;IASpC,iBAAiB,CAAC,MAAM,EAAE,uBAAuB;IAQjD,iBAAiB,CAAC,aAAa,EAAE,MAAM,EAAE,MAAM,GAAE,uBAA4B;IAU7E,iBAAiB,CAAC,aAAa,EAAE,MAAM;CAQrD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/RedirectUrlApi.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/RedirectUrlApi.d.ts new file mode 100644 index 000000000..5fa401bba --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/RedirectUrlApi.d.ts @@ -0,0 +1,14 @@ +import type { PaginatedResourceResponse } from '../resources/Deserializer'; +import type { RedirectUrl } from '../resources/RedirectUrl'; +import { AbstractAPI } from './AbstractApi'; +type CreateRedirectUrlParams = { + url: string; +}; +export declare class RedirectUrlAPI extends AbstractAPI { + getRedirectUrlList(): Promise>; + getRedirectUrl(redirectUrlId: string): Promise; + createRedirectUrl(params: CreateRedirectUrlParams): Promise; + deleteRedirectUrl(redirectUrlId: string): Promise; +} +export {}; +//# sourceMappingURL=RedirectUrlApi.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/RedirectUrlApi.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/RedirectUrlApi.d.ts.map new file mode 100644 index 000000000..cb6b9b16d --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/RedirectUrlApi.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"RedirectUrlApi.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/RedirectUrlApi.ts"],"names":[],"mappings":"AACA,OAAO,KAAK,EAAE,yBAAyB,EAAE,MAAM,2BAA2B,CAAC;AAC3E,OAAO,KAAK,EAAE,WAAW,EAAE,MAAM,0BAA0B,CAAC;AAC5D,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAI5C,KAAK,uBAAuB,GAAG;IAC7B,GAAG,EAAE,MAAM,CAAC;CACb,CAAC;AAEF,qBAAa,cAAe,SAAQ,WAAW;IAChC,kBAAkB;IAQlB,cAAc,CAAC,aAAa,EAAE,MAAM;IAQpC,iBAAiB,CAAC,MAAM,EAAE,uBAAuB;IAQjD,iBAAiB,CAAC,aAAa,EAAE,MAAM;CAOrD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/SamlConnectionApi.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/SamlConnectionApi.d.ts new file mode 100644 index 000000000..173cd4859 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/SamlConnectionApi.d.ts @@ -0,0 +1,54 @@ +import type { SamlIdpSlug } from '@clerk/types'; +import type { SamlConnection } from '../resources'; +import { AbstractAPI } from './AbstractApi'; +type SamlConnectionListParams = { + limit?: number; + offset?: number; +}; +type CreateSamlConnectionParams = { + name: string; + provider: SamlIdpSlug; + domain: string; + organizationId?: string; + idpEntityId?: string; + idpSsoUrl?: string; + idpCertificate?: string; + idpMetadataUrl?: string; + idpMetadata?: string; + attributeMapping?: { + emailAddress?: string; + firstName?: string; + lastName?: string; + userId?: string; + }; +}; +type UpdateSamlConnectionParams = { + name?: string; + provider?: SamlIdpSlug; + domain?: string; + organizationId?: string; + idpEntityId?: string; + idpSsoUrl?: string; + idpCertificate?: string; + idpMetadataUrl?: string; + idpMetadata?: string; + attributeMapping?: { + emailAddress?: string; + firstName?: string; + lastName?: string; + userId?: string; + }; + active?: boolean; + syncUserAttributes?: boolean; + allowSubdomains?: boolean; + allowIdpInitiated?: boolean; +}; +export declare class SamlConnectionAPI extends AbstractAPI { + getSamlConnectionList(params?: SamlConnectionListParams): Promise; + createSamlConnection(params: CreateSamlConnectionParams): Promise; + getSamlConnection(samlConnectionId: string): Promise; + updateSamlConnection(samlConnectionId: string, params?: UpdateSamlConnectionParams): Promise; + deleteSamlConnection(samlConnectionId: string): Promise; +} +export {}; +//# sourceMappingURL=SamlConnectionApi.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/SamlConnectionApi.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/SamlConnectionApi.d.ts.map new file mode 100644 index 000000000..2c2cbd91b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/SamlConnectionApi.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"SamlConnectionApi.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/SamlConnectionApi.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,WAAW,EAAE,MAAM,cAAc,CAAC;AAGhD,OAAO,KAAK,EAAE,cAAc,EAAE,MAAM,cAAc,CAAC;AACnD,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAI5C,KAAK,wBAAwB,GAAG;IAC9B,KAAK,CAAC,EAAE,MAAM,CAAC;IACf,MAAM,CAAC,EAAE,MAAM,CAAC;CACjB,CAAC;AACF,KAAK,0BAA0B,GAAG;IAChC,IAAI,EAAE,MAAM,CAAC;IACb,QAAQ,EAAE,WAAW,CAAC;IACtB,MAAM,EAAE,MAAM,CAAC;IACf,cAAc,CAAC,EAAE,MAAM,CAAC;IACxB,WAAW,CAAC,EAAE,MAAM,CAAC;IACrB,SAAS,CAAC,EAAE,MAAM,CAAC;IACnB,cAAc,CAAC,EAAE,MAAM,CAAC;IACxB,cAAc,CAAC,EAAE,MAAM,CAAC;IACxB,WAAW,CAAC,EAAE,MAAM,CAAC;IACrB,gBAAgB,CAAC,EAAE;QACjB,YAAY,CAAC,EAAE,MAAM,CAAC;QACtB,SAAS,CAAC,EAAE,MAAM,CAAC;QACnB,QAAQ,CAAC,EAAE,MAAM,CAAC;QAClB,MAAM,CAAC,EAAE,MAAM,CAAC;KACjB,CAAC;CACH,CAAC;AAEF,KAAK,0BAA0B,GAAG;IAChC,IAAI,CAAC,EAAE,MAAM,CAAC;IACd,QAAQ,CAAC,EAAE,WAAW,CAAC;IACvB,MAAM,CAAC,EAAE,MAAM,CAAC;IAChB,cAAc,CAAC,EAAE,MAAM,CAAC;IACxB,WAAW,CAAC,EAAE,MAAM,CAAC;IACrB,SAAS,CAAC,EAAE,MAAM,CAAC;IACnB,cAAc,CAAC,EAAE,MAAM,CAAC;IACxB,cAAc,CAAC,EAAE,MAAM,CAAC;IACxB,WAAW,CAAC,EAAE,MAAM,CAAC;IACrB,gBAAgB,CAAC,EAAE;QACjB,YAAY,CAAC,EAAE,MAAM,CAAC;QACtB,SAAS,CAAC,EAAE,MAAM,CAAC;QACnB,QAAQ,CAAC,EAAE,MAAM,CAAC;QAClB,MAAM,CAAC,EAAE,MAAM,CAAC;KACjB,CAAC;IACF,MAAM,CAAC,EAAE,OAAO,CAAC;IACjB,kBAAkB,CAAC,EAAE,OAAO,CAAC;IAC7B,eAAe,CAAC,EAAE,OAAO,CAAC;IAC1B,iBAAiB,CAAC,EAAE,OAAO,CAAC;CAC7B,CAAC;AAEF,qBAAa,iBAAkB,SAAQ,WAAW;IACnC,qBAAqB,CAAC,MAAM,GAAE,wBAA6B;IAQ3D,oBAAoB,CAAC,MAAM,EAAE,0BAA0B;IAQvD,iBAAiB,CAAC,gBAAgB,EAAE,MAAM;IAQ1C,oBAAoB,CAAC,gBAAgB,EAAE,MAAM,EAAE,MAAM,GAAE,0BAA+B;IAStF,oBAAoB,CAAC,gBAAgB,EAAE,MAAM;CAO3D"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/SessionApi.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/SessionApi.d.ts new file mode 100644 index 000000000..2fb6dec7c --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/SessionApi.d.ts @@ -0,0 +1,36 @@ +import type { ClerkPaginationRequest, SessionStatus } from '@clerk/types'; +import type { Cookies } from '../resources/Cookies'; +import type { PaginatedResourceResponse } from '../resources/Deserializer'; +import type { Session } from '../resources/Session'; +import type { Token } from '../resources/Token'; +import { AbstractAPI } from './AbstractApi'; +type SessionListParams = ClerkPaginationRequest<{ + clientId?: string; + userId?: string; + status?: SessionStatus; +}>; +type RefreshTokenParams = { + expired_token: string; + refresh_token: string; + request_origin: string; + request_originating_ip?: string; + request_headers?: Record; + suffixed_cookies?: boolean; + format?: 'token' | 'cookie'; +}; +export declare class SessionAPI extends AbstractAPI { + getSessionList(params?: SessionListParams): Promise>; + getSession(sessionId: string): Promise; + revokeSession(sessionId: string): Promise; + verifySession(sessionId: string, token: string): Promise; + getToken(sessionId: string, template: string): Promise; + refreshSession(sessionId: string, params: RefreshTokenParams & { + format: 'token'; + }): Promise; + refreshSession(sessionId: string, params: RefreshTokenParams & { + format: 'cookie'; + }): Promise; + refreshSession(sessionId: string, params: RefreshTokenParams): Promise; +} +export {}; +//# sourceMappingURL=SessionApi.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/SessionApi.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/SessionApi.d.ts.map new file mode 100644 index 000000000..037b60dbd --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/SessionApi.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"SessionApi.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/SessionApi.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,sBAAsB,EAAE,aAAa,EAAE,MAAM,cAAc,CAAC;AAG1E,OAAO,KAAK,EAAE,OAAO,EAAE,MAAM,sBAAsB,CAAC;AACpD,OAAO,KAAK,EAAE,yBAAyB,EAAE,MAAM,2BAA2B,CAAC;AAC3E,OAAO,KAAK,EAAE,OAAO,EAAE,MAAM,sBAAsB,CAAC;AACpD,OAAO,KAAK,EAAE,KAAK,EAAE,MAAM,oBAAoB,CAAC;AAChD,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAI5C,KAAK,iBAAiB,GAAG,sBAAsB,CAAC;IAC9C,QAAQ,CAAC,EAAE,MAAM,CAAC;IAClB,MAAM,CAAC,EAAE,MAAM,CAAC;IAChB,MAAM,CAAC,EAAE,aAAa,CAAC;CACxB,CAAC,CAAC;AAEH,KAAK,kBAAkB,GAAG;IACxB,aAAa,EAAE,MAAM,CAAC;IACtB,aAAa,EAAE,MAAM,CAAC;IACtB,cAAc,EAAE,MAAM,CAAC;IACvB,sBAAsB,CAAC,EAAE,MAAM,CAAC;IAChC,eAAe,CAAC,EAAE,MAAM,CAAC,MAAM,EAAE,MAAM,EAAE,CAAC,CAAC;IAC3C,gBAAgB,CAAC,EAAE,OAAO,CAAC;IAC3B,MAAM,CAAC,EAAE,OAAO,GAAG,QAAQ,CAAC;CAC7B,CAAC;AAEF,qBAAa,UAAW,SAAQ,WAAW;IAC5B,cAAc,CAAC,MAAM,GAAE,iBAAsB;IAQ7C,UAAU,CAAC,SAAS,EAAE,MAAM;IAQ5B,aAAa,CAAC,SAAS,EAAE,MAAM;IAQ/B,aAAa,CAAC,SAAS,EAAE,MAAM,EAAE,KAAK,EAAE,MAAM;IAS9C,QAAQ,CAAC,SAAS,EAAE,MAAM,EAAE,QAAQ,EAAE,MAAM;IAQ5C,cAAc,CAAC,SAAS,EAAE,MAAM,EAAE,MAAM,EAAE,kBAAkB,GAAG;QAAE,MAAM,EAAE,OAAO,CAAA;KAAE,GAAG,OAAO,CAAC,KAAK,CAAC;IACnG,cAAc,CAAC,SAAS,EAAE,MAAM,EAAE,MAAM,EAAE,kBAAkB,GAAG;QAAE,MAAM,EAAE,QAAQ,CAAA;KAAE,GAAG,OAAO,CAAC,OAAO,CAAC;IACtG,cAAc,CAAC,SAAS,EAAE,MAAM,EAAE,MAAM,EAAE,kBAAkB,GAAG,OAAO,CAAC,KAAK,CAAC;CAW3F"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/SignInTokenApi.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/SignInTokenApi.d.ts new file mode 100644 index 000000000..5d2c57e8b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/SignInTokenApi.d.ts @@ -0,0 +1,12 @@ +import type { SignInToken } from '../resources/SignInTokens'; +import { AbstractAPI } from './AbstractApi'; +type CreateSignInTokensParams = { + userId: string; + expiresInSeconds: number; +}; +export declare class SignInTokenAPI extends AbstractAPI { + createSignInToken(params: CreateSignInTokensParams): Promise; + revokeSignInToken(signInTokenId: string): Promise; +} +export {}; +//# sourceMappingURL=SignInTokenApi.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/SignInTokenApi.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/SignInTokenApi.d.ts.map new file mode 100644 index 000000000..5568edbf1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/SignInTokenApi.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"SignInTokenApi.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/SignInTokenApi.ts"],"names":[],"mappings":"AACA,OAAO,KAAK,EAAE,WAAW,EAAE,MAAM,2BAA2B,CAAC;AAC7D,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAE5C,KAAK,wBAAwB,GAAG;IAC9B,MAAM,EAAE,MAAM,CAAC;IACf,gBAAgB,EAAE,MAAM,CAAC;CAC1B,CAAC;AAIF,qBAAa,cAAe,SAAQ,WAAW;IAChC,iBAAiB,CAAC,MAAM,EAAE,wBAAwB;IAQlD,iBAAiB,CAAC,aAAa,EAAE,MAAM;CAOrD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/TestingTokenApi.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/TestingTokenApi.d.ts new file mode 100644 index 000000000..6b16501e1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/TestingTokenApi.d.ts @@ -0,0 +1,6 @@ +import type { TestingToken } from '../resources/TestingToken'; +import { AbstractAPI } from './AbstractApi'; +export declare class TestingTokenAPI extends AbstractAPI { + createTestingToken(): Promise; +} +//# sourceMappingURL=TestingTokenApi.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/TestingTokenApi.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/TestingTokenApi.d.ts.map new file mode 100644 index 000000000..25105069e --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/TestingTokenApi.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"TestingTokenApi.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/TestingTokenApi.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,YAAY,EAAE,MAAM,2BAA2B,CAAC;AAC9D,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAI5C,qBAAa,eAAgB,SAAQ,WAAW;IACjC,kBAAkB;CAMhC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/UserApi.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/UserApi.d.ts new file mode 100644 index 000000000..fc6030464 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/UserApi.d.ts @@ -0,0 +1,108 @@ +import type { ClerkPaginationRequest, OAuthProvider } from '@clerk/types'; +import type { OauthAccessToken, OrganizationMembership, User } from '../resources'; +import type { PaginatedResourceResponse } from '../resources/Deserializer'; +import { AbstractAPI } from './AbstractApi'; +import type { WithSign } from './util-types'; +type UserCountParams = { + emailAddress?: string[]; + phoneNumber?: string[]; + username?: string[]; + web3Wallet?: string[]; + query?: string; + userId?: string[]; + externalId?: string[]; +}; +type UserListParams = ClerkPaginationRequest; + last_active_at_since?: number; + organizationId?: string[]; +}>; +type UserMetadataParams = { + publicMetadata?: UserPublicMetadata; + privateMetadata?: UserPrivateMetadata; + unsafeMetadata?: UserUnsafeMetadata; +}; +type PasswordHasher = 'argon2i' | 'argon2id' | 'awscognito' | 'bcrypt' | 'bcrypt_sha256_django' | 'md5' | 'pbkdf2_sha256' | 'pbkdf2_sha256_django' | 'pbkdf2_sha1' | 'phpass' | 'scrypt_firebase' | 'scrypt_werkzeug' | 'sha256'; +type UserPasswordHashingParams = { + passwordDigest: string; + passwordHasher: PasswordHasher; +}; +type CreateUserParams = { + externalId?: string; + emailAddress?: string[]; + phoneNumber?: string[]; + username?: string; + password?: string; + firstName?: string; + lastName?: string; + skipPasswordChecks?: boolean; + skipPasswordRequirement?: boolean; + skipLegalChecks?: boolean; + legalAcceptedAt?: Date; + totpSecret?: string; + backupCodes?: string[]; + createdAt?: Date; +} & UserMetadataParams & (UserPasswordHashingParams | object); +type UpdateUserParams = { + firstName?: string; + lastName?: string; + username?: string; + password?: string; + skipPasswordChecks?: boolean; + signOutOfOtherSessions?: boolean; + primaryEmailAddressID?: string; + primaryPhoneNumberID?: string; + primaryWeb3WalletID?: string; + profileImageID?: string; + totpSecret?: string; + backupCodes?: string[]; + externalId?: string; + createdAt?: Date; + skipLegalChecks?: boolean; + legalAcceptedAt?: Date; + deleteSelfEnabled?: boolean; + createOrganizationEnabled?: boolean; + createOrganizationsLimit?: number; +} & UserMetadataParams & (UserPasswordHashingParams | object); +type GetOrganizationMembershipListParams = ClerkPaginationRequest<{ + userId: string; +}>; +type VerifyPasswordParams = { + userId: string; + password: string; +}; +type VerifyTOTPParams = { + userId: string; + code: string; +}; +export declare class UserAPI extends AbstractAPI { + getUserList(params?: UserListParams): Promise>; + getUser(userId: string): Promise; + createUser(params: CreateUserParams): Promise; + updateUser(userId: string, params?: UpdateUserParams): Promise; + updateUserProfileImage(userId: string, params: { + file: Blob | File; + }): Promise; + updateUserMetadata(userId: string, params: UserMetadataParams): Promise; + deleteUser(userId: string): Promise; + getCount(params?: UserCountParams): Promise; + /** @deprecated Please use getUserOauthAccessToken without the `oauth_` provider prefix . */ + getUserOauthAccessToken(userId: string, provider: `oauth_${OAuthProvider}`): Promise>; + getUserOauthAccessToken(userId: string, provider: OAuthProvider): Promise>; + disableUserMFA(userId: string): Promise; + getOrganizationMembershipList(params: GetOrganizationMembershipListParams): Promise>; + verifyPassword(params: VerifyPasswordParams): Promise<{ + verified: true; + }>; + verifyTOTP(params: VerifyTOTPParams): Promise<{ + verified: true; + code_type: "totp"; + }>; + banUser(userId: string): Promise; + unbanUser(userId: string): Promise; + lockUser(userId: string): Promise; + unlockUser(userId: string): Promise; + deleteUserProfileImage(userId: string): Promise; +} +export {}; +//# sourceMappingURL=UserApi.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/UserApi.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/UserApi.d.ts.map new file mode 100644 index 000000000..36383aef4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/UserApi.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"UserApi.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/UserApi.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,sBAAsB,EAAE,aAAa,EAAE,MAAM,cAAc,CAAC;AAK1E,OAAO,KAAK,EAAE,gBAAgB,EAAE,sBAAsB,EAAE,IAAI,EAAE,MAAM,cAAc,CAAC;AACnF,OAAO,KAAK,EAAE,yBAAyB,EAAE,MAAM,2BAA2B,CAAC;AAC3E,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAC5C,OAAO,KAAK,EAAE,QAAQ,EAAE,MAAM,cAAc,CAAC;AAI7C,KAAK,eAAe,GAAG;IACrB,YAAY,CAAC,EAAE,MAAM,EAAE,CAAC;IACxB,WAAW,CAAC,EAAE,MAAM,EAAE,CAAC;IACvB,QAAQ,CAAC,EAAE,MAAM,EAAE,CAAC;IACpB,UAAU,CAAC,EAAE,MAAM,EAAE,CAAC;IACtB,KAAK,CAAC,EAAE,MAAM,CAAC;IACf,MAAM,CAAC,EAAE,MAAM,EAAE,CAAC;IAClB,UAAU,CAAC,EAAE,MAAM,EAAE,CAAC;CACvB,CAAC;AAEF,KAAK,cAAc,GAAG,sBAAsB,CAC1C,eAAe,GAAG;IAChB,OAAO,CAAC,EAAE,QAAQ,CACd,YAAY,GACZ,YAAY,GACZ,eAAe,GACf,YAAY,GACZ,YAAY,GACZ,WAAW,GACX,cAAc,GACd,UAAU,GACV,gBAAgB,GAChB,iBAAiB,CACpB,CAAC;IACF,oBAAoB,CAAC,EAAE,MAAM,CAAC;IAC9B,cAAc,CAAC,EAAE,MAAM,EAAE,CAAC;CAC3B,CACF,CAAC;AAEF,KAAK,kBAAkB,GAAG;IACxB,cAAc,CAAC,EAAE,kBAAkB,CAAC;IACpC,eAAe,CAAC,EAAE,mBAAmB,CAAC;IACtC,cAAc,CAAC,EAAE,kBAAkB,CAAC;CACrC,CAAC;AAEF,KAAK,cAAc,GACf,SAAS,GACT,UAAU,GACV,YAAY,GACZ,QAAQ,GACR,sBAAsB,GACtB,KAAK,GACL,eAAe,GACf,sBAAsB,GACtB,aAAa,GACb,QAAQ,GACR,iBAAiB,GACjB,iBAAiB,GACjB,QAAQ,CAAC;AAEb,KAAK,yBAAyB,GAAG;IAC/B,cAAc,EAAE,MAAM,CAAC;IACvB,cAAc,EAAE,cAAc,CAAC;CAChC,CAAC;AAEF,KAAK,gBAAgB,GAAG;IACtB,UAAU,CAAC,EAAE,MAAM,CAAC;IACpB,YAAY,CAAC,EAAE,MAAM,EAAE,CAAC;IACxB,WAAW,CAAC,EAAE,MAAM,EAAE,CAAC;IACvB,QAAQ,CAAC,EAAE,MAAM,CAAC;IAClB,QAAQ,CAAC,EAAE,MAAM,CAAC;IAClB,SAAS,CAAC,EAAE,MAAM,CAAC;IACnB,QAAQ,CAAC,EAAE,MAAM,CAAC;IAClB,kBAAkB,CAAC,EAAE,OAAO,CAAC;IAC7B,uBAAuB,CAAC,EAAE,OAAO,CAAC;IAClC,eAAe,CAAC,EAAE,OAAO,CAAC;IAC1B,eAAe,CAAC,EAAE,IAAI,CAAC;IACvB,UAAU,CAAC,EAAE,MAAM,CAAC;IACpB,WAAW,CAAC,EAAE,MAAM,EAAE,CAAC;IACvB,SAAS,CAAC,EAAE,IAAI,CAAC;CAClB,GAAG,kBAAkB,GACpB,CAAC,yBAAyB,GAAG,MAAM,CAAC,CAAC;AAEvC,KAAK,gBAAgB,GAAG;IACtB,SAAS,CAAC,EAAE,MAAM,CAAC;IACnB,QAAQ,CAAC,EAAE,MAAM,CAAC;IAClB,QAAQ,CAAC,EAAE,MAAM,CAAC;IAClB,QAAQ,CAAC,EAAE,MAAM,CAAC;IAClB,kBAAkB,CAAC,EAAE,OAAO,CAAC;IAC7B,sBAAsB,CAAC,EAAE,OAAO,CAAC;IACjC,qBAAqB,CAAC,EAAE,MAAM,CAAC;IAC/B,oBAAoB,CAAC,EAAE,MAAM,CAAC;IAC9B,mBAAmB,CAAC,EAAE,MAAM,CAAC;IAC7B,cAAc,CAAC,EAAE,MAAM,CAAC;IACxB,UAAU,CAAC,EAAE,MAAM,CAAC;IACpB,WAAW,CAAC,EAAE,MAAM,EAAE,CAAC;IACvB,UAAU,CAAC,EAAE,MAAM,CAAC;IACpB,SAAS,CAAC,EAAE,IAAI,CAAC;IACjB,eAAe,CAAC,EAAE,OAAO,CAAC;IAC1B,eAAe,CAAC,EAAE,IAAI,CAAC;IACvB,iBAAiB,CAAC,EAAE,OAAO,CAAC;IAC5B,yBAAyB,CAAC,EAAE,OAAO,CAAC;IACpC,wBAAwB,CAAC,EAAE,MAAM,CAAC;CACnC,GAAG,kBAAkB,GACpB,CAAC,yBAAyB,GAAG,MAAM,CAAC,CAAC;AAEvC,KAAK,mCAAmC,GAAG,sBAAsB,CAAC;IAChE,MAAM,EAAE,MAAM,CAAC;CAChB,CAAC,CAAC;AAEH,KAAK,oBAAoB,GAAG;IAC1B,MAAM,EAAE,MAAM,CAAC;IACf,QAAQ,EAAE,MAAM,CAAC;CAClB,CAAC;AAEF,KAAK,gBAAgB,GAAG;IACtB,MAAM,EAAE,MAAM,CAAC;IACf,IAAI,EAAE,MAAM,CAAC;CACd,CAAC;AAEF,qBAAa,OAAQ,SAAQ,WAAW;IACzB,WAAW,CAAC,MAAM,GAAE,cAAmB;IAgBvC,OAAO,CAAC,MAAM,EAAE,MAAM;IAQtB,UAAU,CAAC,MAAM,EAAE,gBAAgB;IAQnC,UAAU,CAAC,MAAM,EAAE,MAAM,EAAE,MAAM,GAAE,gBAAqB;IAUxD,sBAAsB,CAAC,MAAM,EAAE,MAAM,EAAE,MAAM,EAAE;QAAE,IAAI,EAAE,IAAI,GAAG,IAAI,CAAA;KAAE;IAapE,kBAAkB,CAAC,MAAM,EAAE,MAAM,EAAE,MAAM,EAAE,kBAAkB;IAU7D,UAAU,CAAC,MAAM,EAAE,MAAM;IAQzB,QAAQ,CAAC,MAAM,GAAE,eAAoB;IAQlD,4FAA4F;IAC/E,uBAAuB,CAClC,MAAM,EAAE,MAAM,EACd,QAAQ,EAAE,SAAS,aAAa,EAAE,GACjC,OAAO,CAAC,yBAAyB,CAAC,gBAAgB,EAAE,CAAC,CAAC;IAC5C,uBAAuB,CAClC,MAAM,EAAE,MAAM,EACd,QAAQ,EAAE,aAAa,GACtB,OAAO,CAAC,yBAAyB,CAAC,gBAAgB,EAAE,CAAC,CAAC;IAoB5C,cAAc,CAAC,MAAM,EAAE,MAAM;IAQ7B,6BAA6B,CAAC,MAAM,EAAE,mCAAmC;IAWzE,cAAc,CAAC,MAAM,EAAE,oBAAoB;kBAItB,IAAI;;IAOzB,UAAU,CAAC,MAAM,EAAE,gBAAgB;kBAId,IAAI;mBAAa,MAAM;;IAO5C,OAAO,CAAC,MAAM,EAAE,MAAM;IAQtB,SAAS,CAAC,MAAM,EAAE,MAAM;IAQxB,QAAQ,CAAC,MAAM,EAAE,MAAM;IAQvB,UAAU,CAAC,MAAM,EAAE,MAAM;IAQzB,sBAAsB,CAAC,MAAM,EAAE,MAAM;CAOnD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/index.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/index.d.ts new file mode 100644 index 000000000..ee5f72a15 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/index.d.ts @@ -0,0 +1,16 @@ +export * from './AccountlessApplicationsAPI'; +export * from './AbstractApi'; +export * from './AllowlistIdentifierApi'; +export * from './ClientApi'; +export * from './DomainApi'; +export * from './EmailAddressApi'; +export * from './InvitationApi'; +export * from './OrganizationApi'; +export * from './PhoneNumberApi'; +export * from './RedirectUrlApi'; +export * from './SessionApi'; +export * from './SignInTokenApi'; +export * from './UserApi'; +export * from './SamlConnectionApi'; +export * from './TestingTokenApi'; +//# sourceMappingURL=index.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/index.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/index.d.ts.map new file mode 100644 index 000000000..a997e934f --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/index.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"index.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/index.ts"],"names":[],"mappings":"AAAA,cAAc,8BAA8B,CAAC;AAC7C,cAAc,eAAe,CAAC;AAC9B,cAAc,0BAA0B,CAAC;AACzC,cAAc,aAAa,CAAC;AAC5B,cAAc,aAAa,CAAC;AAC5B,cAAc,mBAAmB,CAAC;AAClC,cAAc,iBAAiB,CAAC;AAChC,cAAc,mBAAmB,CAAC;AAClC,cAAc,kBAAkB,CAAC;AACjC,cAAc,kBAAkB,CAAC;AACjC,cAAc,cAAc,CAAC;AAC7B,cAAc,kBAAkB,CAAC;AACjC,cAAc,WAAW,CAAC;AAC1B,cAAc,qBAAqB,CAAC;AACpC,cAAc,mBAAmB,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/util-types.d.ts b/backend/node_modules/@clerk/backend/dist/api/endpoints/util-types.d.ts new file mode 100644 index 000000000..e1826a005 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/util-types.d.ts @@ -0,0 +1,2 @@ +export type WithSign = `+${T}` | `-${T}` | T; +//# sourceMappingURL=util-types.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/endpoints/util-types.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/endpoints/util-types.d.ts.map new file mode 100644 index 000000000..82ad2ffe1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/endpoints/util-types.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"util-types.d.ts","sourceRoot":"","sources":["../../../src/api/endpoints/util-types.ts"],"names":[],"mappings":"AAAA,MAAM,MAAM,QAAQ,CAAC,CAAC,SAAS,MAAM,IAAI,IAAI,CAAC,EAAE,GAAG,IAAI,CAAC,EAAE,GAAG,CAAC,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/factory.d.ts b/backend/node_modules/@clerk/backend/dist/api/factory.d.ts new file mode 100644 index 000000000..addbe8052 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/factory.d.ts @@ -0,0 +1,21 @@ +import { AccountlessApplicationAPI, AllowlistIdentifierAPI, ClientAPI, DomainAPI, EmailAddressAPI, InvitationAPI, OrganizationAPI, PhoneNumberAPI, RedirectUrlAPI, SamlConnectionAPI, SessionAPI, SignInTokenAPI, TestingTokenAPI, UserAPI } from './endpoints'; +import { buildRequest } from './request'; +export type CreateBackendApiOptions = Parameters[0]; +export type ApiClient = ReturnType; +export declare function createBackendApiClient(options: CreateBackendApiOptions): { + __experimental_accountlessApplications: AccountlessApplicationAPI; + allowlistIdentifiers: AllowlistIdentifierAPI; + clients: ClientAPI; + emailAddresses: EmailAddressAPI; + invitations: InvitationAPI; + organizations: OrganizationAPI; + phoneNumbers: PhoneNumberAPI; + redirectUrls: RedirectUrlAPI; + sessions: SessionAPI; + signInTokens: SignInTokenAPI; + users: UserAPI; + domains: DomainAPI; + samlConnections: SamlConnectionAPI; + testingTokens: TestingTokenAPI; +}; +//# sourceMappingURL=factory.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/factory.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/factory.d.ts.map new file mode 100644 index 000000000..1628da713 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/factory.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"factory.d.ts","sourceRoot":"","sources":["../../src/api/factory.ts"],"names":[],"mappings":"AAAA,OAAO,EACL,yBAAyB,EACzB,sBAAsB,EACtB,SAAS,EACT,SAAS,EACT,eAAe,EACf,aAAa,EACb,eAAe,EACf,cAAc,EACd,cAAc,EACd,iBAAiB,EACjB,UAAU,EACV,cAAc,EACd,eAAe,EACf,OAAO,EACR,MAAM,aAAa,CAAC;AACrB,OAAO,EAAE,YAAY,EAAE,MAAM,WAAW,CAAC;AAEzC,MAAM,MAAM,uBAAuB,GAAG,UAAU,CAAC,OAAO,YAAY,CAAC,CAAC,CAAC,CAAC,CAAC;AAEzE,MAAM,MAAM,SAAS,GAAG,UAAU,CAAC,OAAO,sBAAsB,CAAC,CAAC;AAElE,wBAAgB,sBAAsB,CAAC,OAAO,EAAE,uBAAuB;;;;;;;;;;;;;;;EAqBtE"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/index.d.ts b/backend/node_modules/@clerk/backend/dist/api/index.d.ts new file mode 100644 index 000000000..8abb1250d --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/index.d.ts @@ -0,0 +1,3 @@ +export * from './factory'; +export * from './resources'; +//# sourceMappingURL=index.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/index.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/index.d.ts.map new file mode 100644 index 000000000..c950cae66 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/index.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"index.d.ts","sourceRoot":"","sources":["../../src/api/index.ts"],"names":[],"mappings":"AAAA,cAAc,WAAW,CAAC;AAC1B,cAAc,aAAa,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/request.d.ts b/backend/node_modules/@clerk/backend/dist/api/request.d.ts new file mode 100644 index 000000000..5b45326bd --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/request.d.ts @@ -0,0 +1,42 @@ +import type { ClerkAPIError } from '@clerk/types'; +export type ClerkBackendApiRequestOptions = { + method: 'GET' | 'POST' | 'PATCH' | 'DELETE' | 'PUT'; + queryParams?: Record; + headerParams?: Record; + bodyParams?: Record; + formData?: FormData; +} & ({ + url: string; + path?: string; +} | { + url?: string; + path: string; +}); +export type ClerkBackendApiResponse = { + data: T; + errors: null; + totalCount?: number; +} | { + data: null; + errors: ClerkAPIError[]; + totalCount?: never; + clerkTraceId?: string; + status?: number; + statusText?: string; +}; +export type RequestFunction = ReturnType; +type BuildRequestOptions = { + secretKey?: string; + apiUrl?: string; + apiVersion?: string; + userAgent?: string; + /** + * Allow requests without specifying a secret key. In most cases this should be set to `false`. + * Defaults to `true`. + */ + requireSecretKey?: boolean; +}; +export declare function buildRequest(options: BuildRequestOptions): LegacyRequestFunction; +type LegacyRequestFunction = (requestOptions: ClerkBackendApiRequestOptions) => Promise; +export {}; +//# sourceMappingURL=request.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/request.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/request.d.ts.map new file mode 100644 index 000000000..d9131b6d6 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/request.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"request.d.ts","sourceRoot":"","sources":["../../src/api/request.ts"],"names":[],"mappings":"AACA,OAAO,KAAK,EAAE,aAAa,EAAqB,MAAM,cAAc,CAAC;AASrE,MAAM,MAAM,6BAA6B,GAAG;IAC1C,MAAM,EAAE,KAAK,GAAG,MAAM,GAAG,OAAO,GAAG,QAAQ,GAAG,KAAK,CAAC;IACpD,WAAW,CAAC,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,CAAC;IACtC,YAAY,CAAC,EAAE,MAAM,CAAC,MAAM,EAAE,MAAM,CAAC,CAAC;IACtC,UAAU,CAAC,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,CAAC;IACrC,QAAQ,CAAC,EAAE,QAAQ,CAAC;CACrB,GAAG,CACA;IACE,GAAG,EAAE,MAAM,CAAC;IACZ,IAAI,CAAC,EAAE,MAAM,CAAC;CACf,GACD;IACE,GAAG,CAAC,EAAE,MAAM,CAAC;IACb,IAAI,EAAE,MAAM,CAAC;CACd,CACJ,CAAC;AAEF,MAAM,MAAM,uBAAuB,CAAC,CAAC,IACjC;IACE,IAAI,EAAE,CAAC,CAAC;IACR,MAAM,EAAE,IAAI,CAAC;IACb,UAAU,CAAC,EAAE,MAAM,CAAC;CACrB,GACD;IACE,IAAI,EAAE,IAAI,CAAC;IACX,MAAM,EAAE,aAAa,EAAE,CAAC;IACxB,UAAU,CAAC,EAAE,KAAK,CAAC;IACnB,YAAY,CAAC,EAAE,MAAM,CAAC;IACtB,MAAM,CAAC,EAAE,MAAM,CAAC;IAChB,UAAU,CAAC,EAAE,MAAM,CAAC;CACrB,CAAC;AAEN,MAAM,MAAM,eAAe,GAAG,UAAU,CAAC,OAAO,YAAY,CAAC,CAAC;AAE9D,KAAK,mBAAmB,GAAG;IAEzB,SAAS,CAAC,EAAE,MAAM,CAAC;IAEnB,MAAM,CAAC,EAAE,MAAM,CAAC;IAEhB,UAAU,CAAC,EAAE,MAAM,CAAC;IAEpB,SAAS,CAAC,EAAE,MAAM,CAAC;IACnB;;;OAGG;IACH,gBAAgB,CAAC,EAAE,OAAO,CAAC;CAC5B,CAAC;AACF,wBAAgB,YAAY,CAAC,OAAO,EAAE,mBAAmB,yBA0GxD;AAqBD,KAAK,qBAAqB,GAAG,CAAC,CAAC,EAAE,cAAc,EAAE,6BAA6B,KAAK,OAAO,CAAC,CAAC,CAAC,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/AccountlessApplication.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/AccountlessApplication.d.ts new file mode 100644 index 000000000..af0b7c2bd --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/AccountlessApplication.d.ts @@ -0,0 +1,10 @@ +import type { AccountlessApplicationJSON } from './JSON'; +export declare class AccountlessApplication { + readonly publishableKey: string; + readonly secretKey: string; + readonly claimUrl: string; + readonly apiKeysUrl: string; + constructor(publishableKey: string, secretKey: string, claimUrl: string, apiKeysUrl: string); + static fromJSON(data: AccountlessApplicationJSON): AccountlessApplication; +} +//# sourceMappingURL=AccountlessApplication.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/AccountlessApplication.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/AccountlessApplication.d.ts.map new file mode 100644 index 000000000..2bad649b1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/AccountlessApplication.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"AccountlessApplication.d.ts","sourceRoot":"","sources":["../../../src/api/resources/AccountlessApplication.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,0BAA0B,EAAE,MAAM,QAAQ,CAAC;AAEzD,qBAAa,sBAAsB;IAE/B,QAAQ,CAAC,cAAc,EAAE,MAAM;IAC/B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,UAAU,EAAE,MAAM;gBAHlB,cAAc,EAAE,MAAM,EACtB,SAAS,EAAE,MAAM,EACjB,QAAQ,EAAE,MAAM,EAChB,UAAU,EAAE,MAAM;IAG7B,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,0BAA0B,GAAG,sBAAsB;CAG1E"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/AllowlistIdentifier.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/AllowlistIdentifier.d.ts new file mode 100644 index 000000000..fc8133e8c --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/AllowlistIdentifier.d.ts @@ -0,0 +1,11 @@ +import type { AllowlistIdentifierJSON } from './JSON'; +export declare class AllowlistIdentifier { + readonly id: string; + readonly identifier: string; + readonly createdAt: number; + readonly updatedAt: number; + readonly invitationId?: string | undefined; + constructor(id: string, identifier: string, createdAt: number, updatedAt: number, invitationId?: string | undefined); + static fromJSON(data: AllowlistIdentifierJSON): AllowlistIdentifier; +} +//# sourceMappingURL=AllowlistIdentifier.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/AllowlistIdentifier.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/AllowlistIdentifier.d.ts.map new file mode 100644 index 000000000..acff9c12a --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/AllowlistIdentifier.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"AllowlistIdentifier.d.ts","sourceRoot":"","sources":["../../../src/api/resources/AllowlistIdentifier.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,uBAAuB,EAAE,MAAM,QAAQ,CAAC;AAEtD,qBAAa,mBAAmB;IAE5B,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,UAAU,EAAE,MAAM;IAC3B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,YAAY,CAAC,EAAE,MAAM;gBAJrB,EAAE,EAAE,MAAM,EACV,UAAU,EAAE,MAAM,EAClB,SAAS,EAAE,MAAM,EACjB,SAAS,EAAE,MAAM,EACjB,YAAY,CAAC,EAAE,MAAM,YAAA;IAGhC,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,uBAAuB,GAAG,mBAAmB;CAGpE"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Client.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/Client.d.ts new file mode 100644 index 000000000..6b23fc1bc --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Client.d.ts @@ -0,0 +1,15 @@ +import type { ClientJSON } from './JSON'; +import { Session } from './Session'; +export declare class Client { + readonly id: string; + readonly sessionIds: string[]; + readonly sessions: Session[]; + readonly signInId: string | null; + readonly signUpId: string | null; + readonly lastActiveSessionId: string | null; + readonly createdAt: number; + readonly updatedAt: number; + constructor(id: string, sessionIds: string[], sessions: Session[], signInId: string | null, signUpId: string | null, lastActiveSessionId: string | null, createdAt: number, updatedAt: number); + static fromJSON(data: ClientJSON): Client; +} +//# sourceMappingURL=Client.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Client.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/Client.d.ts.map new file mode 100644 index 000000000..64801c008 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Client.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"Client.d.ts","sourceRoot":"","sources":["../../../src/api/resources/Client.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,UAAU,EAAE,MAAM,QAAQ,CAAC;AACzC,OAAO,EAAE,OAAO,EAAE,MAAM,WAAW,CAAC;AAEpC,qBAAa,MAAM;IAEf,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,UAAU,EAAE,MAAM,EAAE;IAC7B,QAAQ,CAAC,QAAQ,EAAE,OAAO,EAAE;IAC5B,QAAQ,CAAC,QAAQ,EAAE,MAAM,GAAG,IAAI;IAChC,QAAQ,CAAC,QAAQ,EAAE,MAAM,GAAG,IAAI;IAChC,QAAQ,CAAC,mBAAmB,EAAE,MAAM,GAAG,IAAI;IAC3C,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,SAAS,EAAE,MAAM;gBAPjB,EAAE,EAAE,MAAM,EACV,UAAU,EAAE,MAAM,EAAE,EACpB,QAAQ,EAAE,OAAO,EAAE,EACnB,QAAQ,EAAE,MAAM,GAAG,IAAI,EACvB,QAAQ,EAAE,MAAM,GAAG,IAAI,EACvB,mBAAmB,EAAE,MAAM,GAAG,IAAI,EAClC,SAAS,EAAE,MAAM,EACjB,SAAS,EAAE,MAAM;IAG5B,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,UAAU,GAAG,MAAM;CAY1C"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Cookies.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/Cookies.d.ts new file mode 100644 index 000000000..6683b946c --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Cookies.d.ts @@ -0,0 +1,7 @@ +import type { CookiesJSON } from './JSON'; +export declare class Cookies { + readonly cookies: string[]; + constructor(cookies: string[]); + static fromJSON(data: CookiesJSON): Cookies; +} +//# sourceMappingURL=Cookies.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Cookies.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/Cookies.d.ts.map new file mode 100644 index 000000000..c70c831a5 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Cookies.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"Cookies.d.ts","sourceRoot":"","sources":["../../../src/api/resources/Cookies.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,WAAW,EAAE,MAAM,QAAQ,CAAC;AAE1C,qBAAa,OAAO;IACN,QAAQ,CAAC,OAAO,EAAE,MAAM,EAAE;gBAAjB,OAAO,EAAE,MAAM,EAAE;IAEtC,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,WAAW,GAAG,OAAO;CAG5C"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/DeletedObject.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/DeletedObject.d.ts new file mode 100644 index 000000000..8aa45e6a6 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/DeletedObject.d.ts @@ -0,0 +1,10 @@ +import type { DeletedObjectJSON } from './JSON'; +export declare class DeletedObject { + readonly object: string; + readonly id: string | null; + readonly slug: string | null; + readonly deleted: boolean; + constructor(object: string, id: string | null, slug: string | null, deleted: boolean); + static fromJSON(data: DeletedObjectJSON): DeletedObject; +} +//# sourceMappingURL=DeletedObject.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/DeletedObject.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/DeletedObject.d.ts.map new file mode 100644 index 000000000..90508aba0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/DeletedObject.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"DeletedObject.d.ts","sourceRoot":"","sources":["../../../src/api/resources/DeletedObject.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,iBAAiB,EAAE,MAAM,QAAQ,CAAC;AAEhD,qBAAa,aAAa;IAEtB,QAAQ,CAAC,MAAM,EAAE,MAAM;IACvB,QAAQ,CAAC,EAAE,EAAE,MAAM,GAAG,IAAI;IAC1B,QAAQ,CAAC,IAAI,EAAE,MAAM,GAAG,IAAI;IAC5B,QAAQ,CAAC,OAAO,EAAE,OAAO;gBAHhB,MAAM,EAAE,MAAM,EACd,EAAE,EAAE,MAAM,GAAG,IAAI,EACjB,IAAI,EAAE,MAAM,GAAG,IAAI,EACnB,OAAO,EAAE,OAAO;IAG3B,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,iBAAiB;CAGxC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Deserializer.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/Deserializer.d.ts new file mode 100644 index 000000000..1d2162ca8 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Deserializer.d.ts @@ -0,0 +1,9 @@ +type ResourceResponse = { + data: T; +}; +export type PaginatedResourceResponse = ResourceResponse & { + totalCount: number; +}; +export declare function deserialize(payload: unknown): PaginatedResourceResponse | ResourceResponse; +export {}; +//# sourceMappingURL=Deserializer.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Deserializer.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/Deserializer.d.ts.map new file mode 100644 index 000000000..cdb887204 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Deserializer.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"Deserializer.d.ts","sourceRoot":"","sources":["../../../src/api/resources/Deserializer.ts"],"names":[],"mappings":"AAwBA,KAAK,gBAAgB,CAAC,CAAC,IAAI;IACzB,IAAI,EAAE,CAAC,CAAC;CACT,CAAC;AAEF,MAAM,MAAM,yBAAyB,CAAC,CAAC,IAAI,gBAAgB,CAAC,CAAC,CAAC,GAAG;IAC/D,UAAU,EAAE,MAAM,CAAC;CACpB,CAAC;AAEF,wBAAgB,WAAW,CAAC,CAAC,GAAG,GAAG,EAAE,OAAO,EAAE,OAAO,GAAG,yBAAyB,CAAC,CAAC,CAAC,GAAG,gBAAgB,CAAC,CAAC,CAAC,CAczG"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Email.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/Email.d.ts new file mode 100644 index 000000000..6cf2b0514 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Email.d.ts @@ -0,0 +1,17 @@ +import type { EmailJSON } from './JSON'; +export declare class Email { + readonly id: string; + readonly fromEmailName: string; + readonly emailAddressId: string | null; + readonly toEmailAddress?: string | undefined; + readonly subject?: string | undefined; + readonly body?: string | undefined; + readonly bodyPlain?: (string | null) | undefined; + readonly status?: string | undefined; + readonly slug?: (string | null) | undefined; + readonly data?: (Record | null) | undefined; + readonly deliveredByClerk?: boolean | undefined; + constructor(id: string, fromEmailName: string, emailAddressId: string | null, toEmailAddress?: string | undefined, subject?: string | undefined, body?: string | undefined, bodyPlain?: (string | null) | undefined, status?: string | undefined, slug?: (string | null) | undefined, data?: (Record | null) | undefined, deliveredByClerk?: boolean | undefined); + static fromJSON(data: EmailJSON): Email; +} +//# sourceMappingURL=Email.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Email.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/Email.d.ts.map new file mode 100644 index 000000000..f017b96c1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Email.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"Email.d.ts","sourceRoot":"","sources":["../../../src/api/resources/Email.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,SAAS,EAAE,MAAM,QAAQ,CAAC;AAExC,qBAAa,KAAK;IAEd,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,aAAa,EAAE,MAAM;IAC9B,QAAQ,CAAC,cAAc,EAAE,MAAM,GAAG,IAAI;IACtC,QAAQ,CAAC,cAAc,CAAC,EAAE,MAAM;IAChC,QAAQ,CAAC,OAAO,CAAC,EAAE,MAAM;IACzB,QAAQ,CAAC,IAAI,CAAC,EAAE,MAAM;IACtB,QAAQ,CAAC,SAAS,CAAC,GAAE,MAAM,GAAG,IAAI;IAClC,QAAQ,CAAC,MAAM,CAAC,EAAE,MAAM;IACxB,QAAQ,CAAC,IAAI,CAAC,GAAE,MAAM,GAAG,IAAI;IAC7B,QAAQ,CAAC,IAAI,CAAC,GAAE,MAAM,CAAC,MAAM,EAAE,GAAG,CAAC,GAAG,IAAI;IAC1C,QAAQ,CAAC,gBAAgB,CAAC,EAAE,OAAO;gBAV1B,EAAE,EAAE,MAAM,EACV,aAAa,EAAE,MAAM,EACrB,cAAc,EAAE,MAAM,GAAG,IAAI,EAC7B,cAAc,CAAC,EAAE,MAAM,YAAA,EACvB,OAAO,CAAC,EAAE,MAAM,YAAA,EAChB,IAAI,CAAC,EAAE,MAAM,YAAA,EACb,SAAS,CAAC,GAAE,MAAM,GAAG,IAAI,aAAA,EACzB,MAAM,CAAC,EAAE,MAAM,YAAA,EACf,IAAI,CAAC,GAAE,MAAM,GAAG,IAAI,aAAA,EACpB,IAAI,CAAC,GAAE,MAAM,CAAC,MAAM,EAAE,GAAG,CAAC,GAAG,IAAI,aAAA,EACjC,gBAAgB,CAAC,EAAE,OAAO,YAAA;IAGrC,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,SAAS,GAAG,KAAK;CAexC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/EmailAddress.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/EmailAddress.d.ts new file mode 100644 index 000000000..b2f6663e9 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/EmailAddress.d.ts @@ -0,0 +1,12 @@ +import { IdentificationLink } from './IdentificationLink'; +import type { EmailAddressJSON } from './JSON'; +import { Verification } from './Verification'; +export declare class EmailAddress { + readonly id: string; + readonly emailAddress: string; + readonly verification: Verification | null; + readonly linkedTo: IdentificationLink[]; + constructor(id: string, emailAddress: string, verification: Verification | null, linkedTo: IdentificationLink[]); + static fromJSON(data: EmailAddressJSON): EmailAddress; +} +//# sourceMappingURL=EmailAddress.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/EmailAddress.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/EmailAddress.d.ts.map new file mode 100644 index 000000000..792d0fb43 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/EmailAddress.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"EmailAddress.d.ts","sourceRoot":"","sources":["../../../src/api/resources/EmailAddress.ts"],"names":[],"mappings":"AAAA,OAAO,EAAE,kBAAkB,EAAE,MAAM,sBAAsB,CAAC;AAC1D,OAAO,KAAK,EAAE,gBAAgB,EAAE,MAAM,QAAQ,CAAC;AAC/C,OAAO,EAAE,YAAY,EAAE,MAAM,gBAAgB,CAAC;AAE9C,qBAAa,YAAY;IAErB,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,YAAY,EAAE,MAAM;IAC7B,QAAQ,CAAC,YAAY,EAAE,YAAY,GAAG,IAAI;IAC1C,QAAQ,CAAC,QAAQ,EAAE,kBAAkB,EAAE;gBAH9B,EAAE,EAAE,MAAM,EACV,YAAY,EAAE,MAAM,EACpB,YAAY,EAAE,YAAY,GAAG,IAAI,EACjC,QAAQ,EAAE,kBAAkB,EAAE;IAGzC,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,gBAAgB,GAAG,YAAY;CAQtD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Enums.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/Enums.d.ts new file mode 100644 index 000000000..e75dd3051 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Enums.d.ts @@ -0,0 +1,12 @@ +import type { OrganizationCustomRoleKey } from '@clerk/types'; +export type OAuthProvider = 'facebook' | 'google' | 'hubspot' | 'github' | 'tiktok' | 'gitlab' | 'discord' | 'twitter' | 'twitch' | 'linkedin' | 'linkedin_oidc' | 'dropbox' | 'bitbucket' | 'microsoft' | 'notion' | 'apple' | 'x'; +export type OAuthStrategy = `oauth_${OAuthProvider}`; +export type OrganizationInvitationStatus = 'pending' | 'accepted' | 'revoked'; +export type OrganizationDomainVerificationStatus = 'unverified' | 'verified'; +export type OrganizationDomainVerificationStrategy = 'email_code'; +export type OrganizationEnrollmentMode = 'manual_invitation' | 'automatic_invitation' | 'automatic_suggestion'; +export type OrganizationMembershipRole = OrganizationCustomRoleKey; +export type SignInStatus = 'needs_identifier' | 'needs_factor_one' | 'needs_factor_two' | 'complete'; +export type SignUpStatus = 'missing_requirements' | 'complete' | 'abandoned'; +export type InvitationStatus = 'pending' | 'accepted' | 'revoked'; +//# sourceMappingURL=Enums.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Enums.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/Enums.d.ts.map new file mode 100644 index 000000000..c6b9a016b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Enums.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"Enums.d.ts","sourceRoot":"","sources":["../../../src/api/resources/Enums.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,yBAAyB,EAAE,MAAM,cAAc,CAAC;AAE9D,MAAM,MAAM,aAAa,GACrB,UAAU,GACV,QAAQ,GACR,SAAS,GACT,QAAQ,GACR,QAAQ,GACR,QAAQ,GACR,SAAS,GACT,SAAS,GACT,QAAQ,GACR,UAAU,GACV,eAAe,GACf,SAAS,GACT,WAAW,GACX,WAAW,GACX,QAAQ,GACR,OAAO,GACP,GAAG,CAAC;AAER,MAAM,MAAM,aAAa,GAAG,SAAS,aAAa,EAAE,CAAC;AAErD,MAAM,MAAM,4BAA4B,GAAG,SAAS,GAAG,UAAU,GAAG,SAAS,CAAC;AAE9E,MAAM,MAAM,oCAAoC,GAAG,YAAY,GAAG,UAAU,CAAC;AAE7E,MAAM,MAAM,sCAAsC,GAAG,YAAY,CAAC;AAElE,MAAM,MAAM,0BAA0B,GAAG,mBAAmB,GAAG,sBAAsB,GAAG,sBAAsB,CAAC;AAE/G,MAAM,MAAM,0BAA0B,GAAG,yBAAyB,CAAC;AAEnE,MAAM,MAAM,YAAY,GAAG,kBAAkB,GAAG,kBAAkB,GAAG,kBAAkB,GAAG,UAAU,CAAC;AAErG,MAAM,MAAM,YAAY,GAAG,sBAAsB,GAAG,UAAU,GAAG,WAAW,CAAC;AAE7E,MAAM,MAAM,gBAAgB,GAAG,SAAS,GAAG,UAAU,GAAG,SAAS,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/ExternalAccount.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/ExternalAccount.d.ts new file mode 100644 index 000000000..428c58981 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/ExternalAccount.d.ts @@ -0,0 +1,20 @@ +import type { ExternalAccountJSON } from './JSON'; +import { Verification } from './Verification'; +export declare class ExternalAccount { + readonly id: string; + readonly provider: string; + readonly identificationId: string; + readonly externalId: string; + readonly approvedScopes: string; + readonly emailAddress: string; + readonly firstName: string; + readonly lastName: string; + readonly imageUrl: string; + readonly username: string | null; + readonly publicMetadata: Record | null; + readonly label: string | null; + readonly verification: Verification | null; + constructor(id: string, provider: string, identificationId: string, externalId: string, approvedScopes: string, emailAddress: string, firstName: string, lastName: string, imageUrl: string, username: string | null, publicMetadata: (Record | null) | undefined, label: string | null, verification: Verification | null); + static fromJSON(data: ExternalAccountJSON): ExternalAccount; +} +//# sourceMappingURL=ExternalAccount.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/ExternalAccount.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/ExternalAccount.d.ts.map new file mode 100644 index 000000000..7b11999ed --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/ExternalAccount.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"ExternalAccount.d.ts","sourceRoot":"","sources":["../../../src/api/resources/ExternalAccount.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,mBAAmB,EAAE,MAAM,QAAQ,CAAC;AAClD,OAAO,EAAE,YAAY,EAAE,MAAM,gBAAgB,CAAC;AAE9C,qBAAa,eAAe;IAExB,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,gBAAgB,EAAE,MAAM;IACjC,QAAQ,CAAC,UAAU,EAAE,MAAM;IAC3B,QAAQ,CAAC,cAAc,EAAE,MAAM;IAC/B,QAAQ,CAAC,YAAY,EAAE,MAAM;IAC7B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,QAAQ,EAAE,MAAM,GAAG,IAAI;IAChC,QAAQ,CAAC,cAAc,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,GAAG,IAAI;IACvD,QAAQ,CAAC,KAAK,EAAE,MAAM,GAAG,IAAI;IAC7B,QAAQ,CAAC,YAAY,EAAE,YAAY,GAAG,IAAI;gBAZjC,EAAE,EAAE,MAAM,EACV,QAAQ,EAAE,MAAM,EAChB,gBAAgB,EAAE,MAAM,EACxB,UAAU,EAAE,MAAM,EAClB,cAAc,EAAE,MAAM,EACtB,YAAY,EAAE,MAAM,EACpB,SAAS,EAAE,MAAM,EACjB,QAAQ,EAAE,MAAM,EAChB,QAAQ,EAAE,MAAM,EAChB,QAAQ,EAAE,MAAM,GAAG,IAAI,EACvB,cAAc,GAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,GAAG,IAAI,aAAK,EACnD,KAAK,EAAE,MAAM,GAAG,IAAI,EACpB,YAAY,EAAE,YAAY,GAAG,IAAI;IAG5C,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,mBAAmB,GAAG,eAAe;CAiB5D"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/IdentificationLink.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/IdentificationLink.d.ts new file mode 100644 index 000000000..19b019a38 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/IdentificationLink.d.ts @@ -0,0 +1,8 @@ +import type { IdentificationLinkJSON } from './JSON'; +export declare class IdentificationLink { + readonly id: string; + readonly type: string; + constructor(id: string, type: string); + static fromJSON(data: IdentificationLinkJSON): IdentificationLink; +} +//# sourceMappingURL=IdentificationLink.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/IdentificationLink.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/IdentificationLink.d.ts.map new file mode 100644 index 000000000..25a142197 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/IdentificationLink.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"IdentificationLink.d.ts","sourceRoot":"","sources":["../../../src/api/resources/IdentificationLink.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,sBAAsB,EAAE,MAAM,QAAQ,CAAC;AAErD,qBAAa,kBAAkB;IAE3B,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,IAAI,EAAE,MAAM;gBADZ,EAAE,EAAE,MAAM,EACV,IAAI,EAAE,MAAM;IAGvB,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,sBAAsB,GAAG,kBAAkB;CAGlE"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Invitation.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/Invitation.d.ts new file mode 100644 index 000000000..be8b74cc6 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Invitation.d.ts @@ -0,0 +1,15 @@ +import type { InvitationStatus } from './Enums'; +import type { InvitationJSON } from './JSON'; +export declare class Invitation { + readonly id: string; + readonly emailAddress: string; + readonly publicMetadata: Record | null; + readonly createdAt: number; + readonly updatedAt: number; + readonly status: InvitationStatus; + readonly url?: string | undefined; + readonly revoked?: boolean | undefined; + constructor(id: string, emailAddress: string, publicMetadata: Record | null, createdAt: number, updatedAt: number, status: InvitationStatus, url?: string | undefined, revoked?: boolean | undefined); + static fromJSON(data: InvitationJSON): Invitation; +} +//# sourceMappingURL=Invitation.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Invitation.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/Invitation.d.ts.map new file mode 100644 index 000000000..33607fd14 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Invitation.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"Invitation.d.ts","sourceRoot":"","sources":["../../../src/api/resources/Invitation.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,gBAAgB,EAAE,MAAM,SAAS,CAAC;AAChD,OAAO,KAAK,EAAE,cAAc,EAAE,MAAM,QAAQ,CAAC;AAE7C,qBAAa,UAAU;IAEnB,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,YAAY,EAAE,MAAM;IAC7B,QAAQ,CAAC,cAAc,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,GAAG,IAAI;IACvD,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,MAAM,EAAE,gBAAgB;IACjC,QAAQ,CAAC,GAAG,CAAC,EAAE,MAAM;IACrB,QAAQ,CAAC,OAAO,CAAC,EAAE,OAAO;gBAPjB,EAAE,EAAE,MAAM,EACV,YAAY,EAAE,MAAM,EACpB,cAAc,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,GAAG,IAAI,EAC9C,SAAS,EAAE,MAAM,EACjB,SAAS,EAAE,MAAM,EACjB,MAAM,EAAE,gBAAgB,EACxB,GAAG,CAAC,EAAE,MAAM,YAAA,EACZ,OAAO,CAAC,EAAE,OAAO,YAAA;IAG5B,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,cAAc,GAAG,UAAU;CAYlD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/JSON.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/JSON.d.ts new file mode 100644 index 000000000..607aeb23f --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/JSON.d.ts @@ -0,0 +1,420 @@ +import type { InvitationStatus, OrganizationDomainVerificationStatus, OrganizationDomainVerificationStrategy, OrganizationEnrollmentMode, OrganizationInvitationStatus, OrganizationMembershipRole, SignInStatus, SignUpStatus } from './Enums'; +export declare const ObjectType: { + readonly AccountlessApplication: "accountless_application"; + readonly AllowlistIdentifier: "allowlist_identifier"; + readonly Client: "client"; + readonly Cookies: "cookies"; + readonly Email: "email"; + readonly EmailAddress: "email_address"; + readonly ExternalAccount: "external_account"; + readonly FacebookAccount: "facebook_account"; + readonly GoogleAccount: "google_account"; + readonly Invitation: "invitation"; + readonly OauthAccessToken: "oauth_access_token"; + readonly Organization: "organization"; + readonly OrganizationDomain: "organization_domain"; + readonly OrganizationInvitation: "organization_invitation"; + readonly OrganizationMembership: "organization_membership"; + readonly PhoneNumber: "phone_number"; + readonly RedirectUrl: "redirect_url"; + readonly SamlAccount: "saml_account"; + readonly Session: "session"; + readonly SignInAttempt: "sign_in_attempt"; + readonly SignInToken: "sign_in_token"; + readonly SignUpAttempt: "sign_up_attempt"; + readonly SmsMessage: "sms_message"; + readonly User: "user"; + readonly Web3Wallet: "web3_wallet"; + readonly Token: "token"; + readonly TotalCount: "total_count"; + readonly TestingToken: "testing_token"; + readonly Role: "role"; + readonly Permission: "permission"; +}; +export type ObjectType = (typeof ObjectType)[keyof typeof ObjectType]; +export interface ClerkResourceJSON { + object: ObjectType; + id: string; +} +export interface CookiesJSON { + object: typeof ObjectType.Cookies; + cookies: string[]; +} +export interface TokenJSON { + object: typeof ObjectType.Token; + jwt: string; +} +export interface AccountlessApplicationJSON extends ClerkResourceJSON { + object: typeof ObjectType.AccountlessApplication; + publishable_key: string; + secret_key: string; + claim_url: string; + api_keys_url: string; +} +export interface AllowlistIdentifierJSON extends ClerkResourceJSON { + object: typeof ObjectType.AllowlistIdentifier; + identifier: string; + created_at: number; + updated_at: number; + invitation_id?: string; +} +export interface ClientJSON extends ClerkResourceJSON { + object: typeof ObjectType.Client; + session_ids: string[]; + sessions: SessionJSON[]; + sign_in_id: string | null; + sign_up_id: string | null; + last_active_session_id: string | null; + created_at: number; + updated_at: number; +} +export interface EmailJSON extends ClerkResourceJSON { + object: typeof ObjectType.Email; + slug?: string | null; + from_email_name: string; + to_email_address?: string; + email_address_id: string | null; + user_id?: string | null; + subject?: string; + body?: string; + body_plain?: string | null; + status?: string; + data?: Record | null; + delivered_by_clerk: boolean; +} +export interface EmailAddressJSON extends ClerkResourceJSON { + object: typeof ObjectType.EmailAddress; + email_address: string; + verification: VerificationJSON | null; + linked_to: IdentificationLinkJSON[]; +} +export interface ExternalAccountJSON extends ClerkResourceJSON { + object: typeof ObjectType.ExternalAccount; + provider: string; + identification_id: string; + provider_user_id: string; + approved_scopes: string; + email_address: string; + first_name: string; + last_name: string; + image_url?: string; + username: string | null; + public_metadata?: Record | null; + label: string | null; + verification: VerificationJSON | null; +} +export interface SamlAccountJSON extends ClerkResourceJSON { + object: typeof ObjectType.SamlAccount; + provider: string; + provider_user_id: string | null; + active: boolean; + email_address: string; + first_name: string; + last_name: string; + verification: VerificationJSON | null; + saml_connection: SamlAccountConnectionJSON | null; +} +export interface IdentificationLinkJSON extends ClerkResourceJSON { + type: string; +} +export interface InvitationJSON extends ClerkResourceJSON { + object: typeof ObjectType.Invitation; + email_address: string; + public_metadata: Record | null; + revoked?: boolean; + status: InvitationStatus; + url?: string; + created_at: number; + updated_at: number; +} +export interface OauthAccessTokenJSON { + external_account_id: string; + object: typeof ObjectType.OauthAccessToken; + token: string; + provider: string; + public_metadata: Record; + label: string | null; + scopes?: string[]; + token_secret?: string; +} +export interface OrganizationJSON extends ClerkResourceJSON { + object: typeof ObjectType.Organization; + name: string; + slug: string; + image_url?: string; + has_image: boolean; + members_count?: number; + pending_invitations_count?: number; + max_allowed_memberships: number; + admin_delete_enabled: boolean; + public_metadata: OrganizationPublicMetadata | null; + private_metadata?: OrganizationPrivateMetadata; + created_by?: string; + created_at: number; + updated_at: number; +} +export interface OrganizationDomainJSON extends ClerkResourceJSON { + object: typeof ObjectType.OrganizationDomain; + id: string; + name: string; + organization_id: string; + enrollment_mode: OrganizationEnrollmentMode; + verification: OrganizationDomainVerificationJSON | null; + affiliation_email_address: string | null; + created_at: number; + updated_at: number; + total_pending_invitations: number; + total_pending_suggestions: number; +} +export interface OrganizationDomainVerificationJSON { + status: OrganizationDomainVerificationStatus; + strategy: OrganizationDomainVerificationStrategy; + attempts: number; + expires_at: number; +} +export interface OrganizationInvitationJSON extends ClerkResourceJSON { + email_address: string; + role: OrganizationMembershipRole; + organization_id: string; + public_organization_data?: PublicOrganizationDataJSON | null; + status?: OrganizationInvitationStatus; + public_metadata: OrganizationInvitationPublicMetadata; + private_metadata: OrganizationInvitationPrivateMetadata; + created_at: number; + updated_at: number; +} +export interface PublicOrganizationDataJSON extends ClerkResourceJSON { + name: string; + slug: string; + image_url?: string; + has_image: boolean; +} +export interface OrganizationMembershipJSON extends ClerkResourceJSON { + object: typeof ObjectType.OrganizationMembership; + public_metadata: OrganizationMembershipPublicMetadata; + private_metadata?: OrganizationMembershipPrivateMetadata; + role: OrganizationMembershipRole; + permissions: string[]; + created_at: number; + updated_at: number; + organization: OrganizationJSON; + public_user_data: OrganizationMembershipPublicUserDataJSON; +} +export interface OrganizationMembershipPublicUserDataJSON { + identifier: string; + first_name: string | null; + last_name: string | null; + image_url: string; + has_image: boolean; + user_id: string; +} +export interface PhoneNumberJSON extends ClerkResourceJSON { + object: typeof ObjectType.PhoneNumber; + phone_number: string; + reserved_for_second_factor: boolean; + default_second_factor: boolean; + reserved: boolean; + verification: VerificationJSON | null; + linked_to: IdentificationLinkJSON[]; + backup_codes: string[]; +} +export interface RedirectUrlJSON extends ClerkResourceJSON { + object: typeof ObjectType.RedirectUrl; + url: string; + created_at: number; + updated_at: number; +} +export interface SessionActivityJSON extends ClerkResourceJSON { + id: string; + device_type?: string; + is_mobile: boolean; + browser_name?: string; + browser_version?: string; + ip_address?: string; + city?: string; + country?: string; +} +export interface SessionJSON extends ClerkResourceJSON { + object: typeof ObjectType.Session; + client_id: string; + user_id: string; + status: string; + last_active_organization_id?: string; + actor: Record | null; + latest_activity?: SessionActivityJSON; + last_active_at: number; + expire_at: number; + abandon_at: number; + created_at: number; + updated_at: number; +} +export interface SignInJSON extends ClerkResourceJSON { + object: typeof ObjectType.SignInToken; + status: SignInStatus; + identifier: string; + created_session_id: string | null; +} +export interface SignInTokenJSON extends ClerkResourceJSON { + object: typeof ObjectType.SignInToken; + user_id: string; + token: string; + status: 'pending' | 'accepted' | 'revoked'; + url: string; + created_at: number; + updated_at: number; +} +export interface SignUpJSON extends ClerkResourceJSON { + object: typeof ObjectType.SignUpAttempt; + status: SignUpStatus; + username: string | null; + email_address: string | null; + phone_number: string | null; + web3_wallet: string | null; + web3_wallet_verification: VerificationJSON | null; + external_account: any; + has_password: boolean; + name_full: string | null; + created_session_id: string | null; + created_user_id: string | null; + abandon_at: number | null; +} +export interface SMSMessageJSON extends ClerkResourceJSON { + object: typeof ObjectType.SmsMessage; + from_phone_number: string; + to_phone_number: string; + phone_number_id: string | null; + user_id?: string; + message: string; + status: string; + slug?: string | null; + data?: Record | null; + delivered_by_clerk: boolean; +} +export interface UserJSON extends ClerkResourceJSON { + object: typeof ObjectType.User; + username: string | null; + first_name: string | null; + last_name: string | null; + image_url: string; + has_image: boolean; + primary_email_address_id: string | null; + primary_phone_number_id: string | null; + primary_web3_wallet_id: string | null; + password_enabled: boolean; + two_factor_enabled: boolean; + totp_enabled: boolean; + backup_code_enabled: boolean; + email_addresses: EmailAddressJSON[]; + phone_numbers: PhoneNumberJSON[]; + web3_wallets: Web3WalletJSON[]; + organization_memberships: OrganizationMembershipJSON[] | null; + external_accounts: ExternalAccountJSON[]; + saml_accounts: SamlAccountJSON[]; + password_last_updated_at: number | null; + public_metadata: UserPublicMetadata; + private_metadata: UserPrivateMetadata; + unsafe_metadata: UserUnsafeMetadata; + external_id: string | null; + last_sign_in_at: number | null; + banned: boolean; + locked: boolean; + lockout_expires_in_seconds: number | null; + verification_attempts_remaining: number | null; + created_at: number; + updated_at: number; + last_active_at: number | null; + create_organization_enabled: boolean; + create_organizations_limit: number | null; + delete_self_enabled: boolean; + legal_accepted_at: number | null; +} +export interface VerificationJSON extends ClerkResourceJSON { + status: string; + strategy: string; + attempts: number | null; + expire_at: number | null; + verified_at_client?: string; + external_verification_redirect_url?: string | null; + nonce?: string | null; + message?: string | null; +} +export interface Web3WalletJSON extends ClerkResourceJSON { + object: typeof ObjectType.Web3Wallet; + web3_wallet: string; + verification: VerificationJSON | null; +} +export interface DeletedObjectJSON { + object: string; + id?: string; + slug?: string; + deleted: boolean; +} +export interface PaginatedResponseJSON { + data: object[]; + total_count?: number; +} +export interface SamlConnectionJSON extends ClerkResourceJSON { + name: string; + domain: string; + organization_id: string | null; + idp_entity_id: string; + idp_sso_url: string; + idp_certificate: string; + idp_metadata_url: string; + idp_metadata: string; + acs_url: string; + sp_entity_id: string; + sp_metadata_url: string; + active: boolean; + provider: string; + user_count: number; + sync_user_attributes: boolean; + allow_subdomains: boolean; + allow_idp_initiated: boolean; + created_at: number; + updated_at: number; + attribute_mapping: AttributeMappingJSON; +} +export interface AttributeMappingJSON { + user_id: string; + email_address: string; + first_name: string; + last_name: string; +} +export interface TestingTokenJSON { + object: typeof ObjectType.TestingToken; + token: string; + expires_at: number; +} +export interface RoleJSON extends ClerkResourceJSON { + object: typeof ObjectType.Role; + key: string; + name: string; + description: string; + permissions: PermissionJSON[]; + is_creator_eligible: boolean; + created_at: number; + updated_at: number; +} +export interface PermissionJSON extends ClerkResourceJSON { + object: typeof ObjectType.Permission; + key: string; + name: string; + description: string; + created_at: number; + updated_at: number; +} +export interface SamlAccountConnectionJSON extends ClerkResourceJSON { + id: string; + name: string; + domain: string; + active: boolean; + provider: string; + sync_user_attributes: boolean; + allow_subdomains: boolean; + allow_idp_initiated: boolean; + disable_additional_identifications: boolean; + created_at: number; + updated_at: number; +} +//# sourceMappingURL=JSON.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/JSON.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/JSON.d.ts.map new file mode 100644 index 000000000..aaa23fcb0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/JSON.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"JSON.d.ts","sourceRoot":"","sources":["../../../src/api/resources/JSON.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EACV,gBAAgB,EAChB,oCAAoC,EACpC,sCAAsC,EACtC,0BAA0B,EAC1B,4BAA4B,EAC5B,0BAA0B,EAC1B,YAAY,EACZ,YAAY,EACb,MAAM,SAAS,CAAC;AAEjB,eAAO,MAAM,UAAU;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;CA+Bb,CAAC;AAEX,MAAM,MAAM,UAAU,GAAG,CAAC,OAAO,UAAU,CAAC,CAAC,MAAM,OAAO,UAAU,CAAC,CAAC;AAEtE,MAAM,WAAW,iBAAiB;IAChC,MAAM,EAAE,UAAU,CAAC;IACnB,EAAE,EAAE,MAAM,CAAC;CACZ;AAED,MAAM,WAAW,WAAW;IAC1B,MAAM,EAAE,OAAO,UAAU,CAAC,OAAO,CAAC;IAClC,OAAO,EAAE,MAAM,EAAE,CAAC;CACnB;AAED,MAAM,WAAW,SAAS;IACxB,MAAM,EAAE,OAAO,UAAU,CAAC,KAAK,CAAC;IAChC,GAAG,EAAE,MAAM,CAAC;CACb;AAED,MAAM,WAAW,0BAA2B,SAAQ,iBAAiB;IACnE,MAAM,EAAE,OAAO,UAAU,CAAC,sBAAsB,CAAC;IACjD,eAAe,EAAE,MAAM,CAAC;IACxB,UAAU,EAAE,MAAM,CAAC;IACnB,SAAS,EAAE,MAAM,CAAC;IAClB,YAAY,EAAE,MAAM,CAAC;CACtB;AAED,MAAM,WAAW,uBAAwB,SAAQ,iBAAiB;IAChE,MAAM,EAAE,OAAO,UAAU,CAAC,mBAAmB,CAAC;IAC9C,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;IACnB,aAAa,CAAC,EAAE,MAAM,CAAC;CACxB;AAED,MAAM,WAAW,UAAW,SAAQ,iBAAiB;IACnD,MAAM,EAAE,OAAO,UAAU,CAAC,MAAM,CAAC;IACjC,WAAW,EAAE,MAAM,EAAE,CAAC;IACtB,QAAQ,EAAE,WAAW,EAAE,CAAC;IACxB,UAAU,EAAE,MAAM,GAAG,IAAI,CAAC;IAC1B,UAAU,EAAE,MAAM,GAAG,IAAI,CAAC;IAC1B,sBAAsB,EAAE,MAAM,GAAG,IAAI,CAAC;IACtC,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;CACpB;AAED,MAAM,WAAW,SAAU,SAAQ,iBAAiB;IAClD,MAAM,EAAE,OAAO,UAAU,CAAC,KAAK,CAAC;IAChC,IAAI,CAAC,EAAE,MAAM,GAAG,IAAI,CAAC;IACrB,eAAe,EAAE,MAAM,CAAC;IACxB,gBAAgB,CAAC,EAAE,MAAM,CAAC;IAC1B,gBAAgB,EAAE,MAAM,GAAG,IAAI,CAAC;IAChC,OAAO,CAAC,EAAE,MAAM,GAAG,IAAI,CAAC;IACxB,OAAO,CAAC,EAAE,MAAM,CAAC;IACjB,IAAI,CAAC,EAAE,MAAM,CAAC;IACd,UAAU,CAAC,EAAE,MAAM,GAAG,IAAI,CAAC;IAC3B,MAAM,CAAC,EAAE,MAAM,CAAC;IAChB,IAAI,CAAC,EAAE,MAAM,CAAC,MAAM,EAAE,GAAG,CAAC,GAAG,IAAI,CAAC;IAClC,kBAAkB,EAAE,OAAO,CAAC;CAC7B;AAED,MAAM,WAAW,gBAAiB,SAAQ,iBAAiB;IACzD,MAAM,EAAE,OAAO,UAAU,CAAC,YAAY,CAAC;IACvC,aAAa,EAAE,MAAM,CAAC;IACtB,YAAY,EAAE,gBAAgB,GAAG,IAAI,CAAC;IACtC,SAAS,EAAE,sBAAsB,EAAE,CAAC;CACrC;AAED,MAAM,WAAW,mBAAoB,SAAQ,iBAAiB;IAC5D,MAAM,EAAE,OAAO,UAAU,CAAC,eAAe,CAAC;IAC1C,QAAQ,EAAE,MAAM,CAAC;IACjB,iBAAiB,EAAE,MAAM,CAAC;IAC1B,gBAAgB,EAAE,MAAM,CAAC;IACzB,eAAe,EAAE,MAAM,CAAC;IACxB,aAAa,EAAE,MAAM,CAAC;IACtB,UAAU,EAAE,MAAM,CAAC;IACnB,SAAS,EAAE,MAAM,CAAC;IAClB,SAAS,CAAC,EAAE,MAAM,CAAC;IACnB,QAAQ,EAAE,MAAM,GAAG,IAAI,CAAC;IACxB,eAAe,CAAC,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,GAAG,IAAI,CAAC;IACjD,KAAK,EAAE,MAAM,GAAG,IAAI,CAAC;IACrB,YAAY,EAAE,gBAAgB,GAAG,IAAI,CAAC;CACvC;AAED,MAAM,WAAW,eAAgB,SAAQ,iBAAiB;IACxD,MAAM,EAAE,OAAO,UAAU,CAAC,WAAW,CAAC;IACtC,QAAQ,EAAE,MAAM,CAAC;IACjB,gBAAgB,EAAE,MAAM,GAAG,IAAI,CAAC;IAChC,MAAM,EAAE,OAAO,CAAC;IAChB,aAAa,EAAE,MAAM,CAAC;IACtB,UAAU,EAAE,MAAM,CAAC;IACnB,SAAS,EAAE,MAAM,CAAC;IAClB,YAAY,EAAE,gBAAgB,GAAG,IAAI,CAAC;IACtC,eAAe,EAAE,yBAAyB,GAAG,IAAI,CAAC;CACnD;AAED,MAAM,WAAW,sBAAuB,SAAQ,iBAAiB;IAC/D,IAAI,EAAE,MAAM,CAAC;CACd;AAED,MAAM,WAAW,cAAe,SAAQ,iBAAiB;IACvD,MAAM,EAAE,OAAO,UAAU,CAAC,UAAU,CAAC;IACrC,aAAa,EAAE,MAAM,CAAC;IACtB,eAAe,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,GAAG,IAAI,CAAC;IAChD,OAAO,CAAC,EAAE,OAAO,CAAC;IAClB,MAAM,EAAE,gBAAgB,CAAC;IACzB,GAAG,CAAC,EAAE,MAAM,CAAC;IACb,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;CACpB;AAED,MAAM,WAAW,oBAAoB;IACnC,mBAAmB,EAAE,MAAM,CAAC;IAC5B,MAAM,EAAE,OAAO,UAAU,CAAC,gBAAgB,CAAC;IAC3C,KAAK,EAAE,MAAM,CAAC;IACd,QAAQ,EAAE,MAAM,CAAC;IACjB,eAAe,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,CAAC;IACzC,KAAK,EAAE,MAAM,GAAG,IAAI,CAAC;IAErB,MAAM,CAAC,EAAE,MAAM,EAAE,CAAC;IAElB,YAAY,CAAC,EAAE,MAAM,CAAC;CACvB;AAED,MAAM,WAAW,gBAAiB,SAAQ,iBAAiB;IACzD,MAAM,EAAE,OAAO,UAAU,CAAC,YAAY,CAAC;IACvC,IAAI,EAAE,MAAM,CAAC;IACb,IAAI,EAAE,MAAM,CAAC;IACb,SAAS,CAAC,EAAE,MAAM,CAAC;IACnB,SAAS,EAAE,OAAO,CAAC;IACnB,aAAa,CAAC,EAAE,MAAM,CAAC;IACvB,yBAAyB,CAAC,EAAE,MAAM,CAAC;IACnC,uBAAuB,EAAE,MAAM,CAAC;IAChC,oBAAoB,EAAE,OAAO,CAAC;IAC9B,eAAe,EAAE,0BAA0B,GAAG,IAAI,CAAC;IACnD,gBAAgB,CAAC,EAAE,2BAA2B,CAAC;IAC/C,UAAU,CAAC,EAAE,MAAM,CAAC;IACpB,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;CACpB;AAED,MAAM,WAAW,sBAAuB,SAAQ,iBAAiB;IAC/D,MAAM,EAAE,OAAO,UAAU,CAAC,kBAAkB,CAAC;IAC7C,EAAE,EAAE,MAAM,CAAC;IACX,IAAI,EAAE,MAAM,CAAC;IACb,eAAe,EAAE,MAAM,CAAC;IACxB,eAAe,EAAE,0BAA0B,CAAC;IAC5C,YAAY,EAAE,kCAAkC,GAAG,IAAI,CAAC;IACxD,yBAAyB,EAAE,MAAM,GAAG,IAAI,CAAC;IACzC,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;IACnB,yBAAyB,EAAE,MAAM,CAAC;IAClC,yBAAyB,EAAE,MAAM,CAAC;CACnC;AAED,MAAM,WAAW,kCAAkC;IACjD,MAAM,EAAE,oCAAoC,CAAC;IAC7C,QAAQ,EAAE,sCAAsC,CAAC;IACjD,QAAQ,EAAE,MAAM,CAAC;IACjB,UAAU,EAAE,MAAM,CAAC;CACpB;AAED,MAAM,WAAW,0BAA2B,SAAQ,iBAAiB;IACnE,aAAa,EAAE,MAAM,CAAC;IACtB,IAAI,EAAE,0BAA0B,CAAC;IACjC,eAAe,EAAE,MAAM,CAAC;IACxB,wBAAwB,CAAC,EAAE,0BAA0B,GAAG,IAAI,CAAC;IAC7D,MAAM,CAAC,EAAE,4BAA4B,CAAC;IACtC,eAAe,EAAE,oCAAoC,CAAC;IACtD,gBAAgB,EAAE,qCAAqC,CAAC;IACxD,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;CACpB;AAED,MAAM,WAAW,0BAA2B,SAAQ,iBAAiB;IACnE,IAAI,EAAE,MAAM,CAAC;IACb,IAAI,EAAE,MAAM,CAAC;IACb,SAAS,CAAC,EAAE,MAAM,CAAC;IACnB,SAAS,EAAE,OAAO,CAAC;CACpB;AAED,MAAM,WAAW,0BAA2B,SAAQ,iBAAiB;IACnE,MAAM,EAAE,OAAO,UAAU,CAAC,sBAAsB,CAAC;IACjD,eAAe,EAAE,oCAAoC,CAAC;IACtD,gBAAgB,CAAC,EAAE,qCAAqC,CAAC;IACzD,IAAI,EAAE,0BAA0B,CAAC;IACjC,WAAW,EAAE,MAAM,EAAE,CAAC;IACtB,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;IACnB,YAAY,EAAE,gBAAgB,CAAC;IAC/B,gBAAgB,EAAE,wCAAwC,CAAC;CAC5D;AAED,MAAM,WAAW,wCAAwC;IACvD,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,GAAG,IAAI,CAAC;IAC1B,SAAS,EAAE,MAAM,GAAG,IAAI,CAAC;IACzB,SAAS,EAAE,MAAM,CAAC;IAClB,SAAS,EAAE,OAAO,CAAC;IACnB,OAAO,EAAE,MAAM,CAAC;CACjB;AAED,MAAM,WAAW,eAAgB,SAAQ,iBAAiB;IACxD,MAAM,EAAE,OAAO,UAAU,CAAC,WAAW,CAAC;IACtC,YAAY,EAAE,MAAM,CAAC;IACrB,0BAA0B,EAAE,OAAO,CAAC;IACpC,qBAAqB,EAAE,OAAO,CAAC;IAC/B,QAAQ,EAAE,OAAO,CAAC;IAClB,YAAY,EAAE,gBAAgB,GAAG,IAAI,CAAC;IACtC,SAAS,EAAE,sBAAsB,EAAE,CAAC;IACpC,YAAY,EAAE,MAAM,EAAE,CAAC;CACxB;AAED,MAAM,WAAW,eAAgB,SAAQ,iBAAiB;IACxD,MAAM,EAAE,OAAO,UAAU,CAAC,WAAW,CAAC;IACtC,GAAG,EAAE,MAAM,CAAC;IACZ,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;CACpB;AAED,MAAM,WAAW,mBAAoB,SAAQ,iBAAiB;IAC5D,EAAE,EAAE,MAAM,CAAC;IACX,WAAW,CAAC,EAAE,MAAM,CAAC;IACrB,SAAS,EAAE,OAAO,CAAC;IACnB,YAAY,CAAC,EAAE,MAAM,CAAC;IACtB,eAAe,CAAC,EAAE,MAAM,CAAC;IACzB,UAAU,CAAC,EAAE,MAAM,CAAC;IACpB,IAAI,CAAC,EAAE,MAAM,CAAC;IACd,OAAO,CAAC,EAAE,MAAM,CAAC;CAClB;AAED,MAAM,WAAW,WAAY,SAAQ,iBAAiB;IACpD,MAAM,EAAE,OAAO,UAAU,CAAC,OAAO,CAAC;IAClC,SAAS,EAAE,MAAM,CAAC;IAClB,OAAO,EAAE,MAAM,CAAC;IAChB,MAAM,EAAE,MAAM,CAAC;IACf,2BAA2B,CAAC,EAAE,MAAM,CAAC;IACrC,KAAK,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,GAAG,IAAI,CAAC;IACtC,eAAe,CAAC,EAAE,mBAAmB,CAAC;IACtC,cAAc,EAAE,MAAM,CAAC;IACvB,SAAS,EAAE,MAAM,CAAC;IAClB,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;CACpB;AAED,MAAM,WAAW,UAAW,SAAQ,iBAAiB;IACnD,MAAM,EAAE,OAAO,UAAU,CAAC,WAAW,CAAC;IACtC,MAAM,EAAE,YAAY,CAAC;IACrB,UAAU,EAAE,MAAM,CAAC;IACnB,kBAAkB,EAAE,MAAM,GAAG,IAAI,CAAC;CACnC;AAED,MAAM,WAAW,eAAgB,SAAQ,iBAAiB;IACxD,MAAM,EAAE,OAAO,UAAU,CAAC,WAAW,CAAC;IACtC,OAAO,EAAE,MAAM,CAAC;IAChB,KAAK,EAAE,MAAM,CAAC;IACd,MAAM,EAAE,SAAS,GAAG,UAAU,GAAG,SAAS,CAAC;IAC3C,GAAG,EAAE,MAAM,CAAC;IACZ,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;CACpB;AAED,MAAM,WAAW,UAAW,SAAQ,iBAAiB;IACnD,MAAM,EAAE,OAAO,UAAU,CAAC,aAAa,CAAC;IACxC,MAAM,EAAE,YAAY,CAAC;IACrB,QAAQ,EAAE,MAAM,GAAG,IAAI,CAAC;IACxB,aAAa,EAAE,MAAM,GAAG,IAAI,CAAC;IAC7B,YAAY,EAAE,MAAM,GAAG,IAAI,CAAC;IAC5B,WAAW,EAAE,MAAM,GAAG,IAAI,CAAC;IAC3B,wBAAwB,EAAE,gBAAgB,GAAG,IAAI,CAAC;IAClD,gBAAgB,EAAE,GAAG,CAAC;IACtB,YAAY,EAAE,OAAO,CAAC;IACtB,SAAS,EAAE,MAAM,GAAG,IAAI,CAAC;IACzB,kBAAkB,EAAE,MAAM,GAAG,IAAI,CAAC;IAClC,eAAe,EAAE,MAAM,GAAG,IAAI,CAAC;IAC/B,UAAU,EAAE,MAAM,GAAG,IAAI,CAAC;CAC3B;AAED,MAAM,WAAW,cAAe,SAAQ,iBAAiB;IACvD,MAAM,EAAE,OAAO,UAAU,CAAC,UAAU,CAAC;IACrC,iBAAiB,EAAE,MAAM,CAAC;IAC1B,eAAe,EAAE,MAAM,CAAC;IACxB,eAAe,EAAE,MAAM,GAAG,IAAI,CAAC;IAC/B,OAAO,CAAC,EAAE,MAAM,CAAC;IACjB,OAAO,EAAE,MAAM,CAAC;IAChB,MAAM,EAAE,MAAM,CAAC;IACf,IAAI,CAAC,EAAE,MAAM,GAAG,IAAI,CAAC;IACrB,IAAI,CAAC,EAAE,MAAM,CAAC,MAAM,EAAE,GAAG,CAAC,GAAG,IAAI,CAAC;IAClC,kBAAkB,EAAE,OAAO,CAAC;CAC7B;AAED,MAAM,WAAW,QAAS,SAAQ,iBAAiB;IACjD,MAAM,EAAE,OAAO,UAAU,CAAC,IAAI,CAAC;IAC/B,QAAQ,EAAE,MAAM,GAAG,IAAI,CAAC;IACxB,UAAU,EAAE,MAAM,GAAG,IAAI,CAAC;IAC1B,SAAS,EAAE,MAAM,GAAG,IAAI,CAAC;IACzB,SAAS,EAAE,MAAM,CAAC;IAClB,SAAS,EAAE,OAAO,CAAC;IACnB,wBAAwB,EAAE,MAAM,GAAG,IAAI,CAAC;IACxC,uBAAuB,EAAE,MAAM,GAAG,IAAI,CAAC;IACvC,sBAAsB,EAAE,MAAM,GAAG,IAAI,CAAC;IACtC,gBAAgB,EAAE,OAAO,CAAC;IAC1B,kBAAkB,EAAE,OAAO,CAAC;IAC5B,YAAY,EAAE,OAAO,CAAC;IACtB,mBAAmB,EAAE,OAAO,CAAC;IAC7B,eAAe,EAAE,gBAAgB,EAAE,CAAC;IACpC,aAAa,EAAE,eAAe,EAAE,CAAC;IACjC,YAAY,EAAE,cAAc,EAAE,CAAC;IAC/B,wBAAwB,EAAE,0BAA0B,EAAE,GAAG,IAAI,CAAC;IAC9D,iBAAiB,EAAE,mBAAmB,EAAE,CAAC;IACzC,aAAa,EAAE,eAAe,EAAE,CAAC;IACjC,wBAAwB,EAAE,MAAM,GAAG,IAAI,CAAC;IACxC,eAAe,EAAE,kBAAkB,CAAC;IACpC,gBAAgB,EAAE,mBAAmB,CAAC;IACtC,eAAe,EAAE,kBAAkB,CAAC;IACpC,WAAW,EAAE,MAAM,GAAG,IAAI,CAAC;IAC3B,eAAe,EAAE,MAAM,GAAG,IAAI,CAAC;IAC/B,MAAM,EAAE,OAAO,CAAC;IAChB,MAAM,EAAE,OAAO,CAAC;IAChB,0BAA0B,EAAE,MAAM,GAAG,IAAI,CAAC;IAC1C,+BAA+B,EAAE,MAAM,GAAG,IAAI,CAAC;IAC/C,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;IACnB,cAAc,EAAE,MAAM,GAAG,IAAI,CAAC;IAC9B,2BAA2B,EAAE,OAAO,CAAC;IACrC,0BAA0B,EAAE,MAAM,GAAG,IAAI,CAAC;IAC1C,mBAAmB,EAAE,OAAO,CAAC;IAC7B,iBAAiB,EAAE,MAAM,GAAG,IAAI,CAAC;CAClC;AAED,MAAM,WAAW,gBAAiB,SAAQ,iBAAiB;IACzD,MAAM,EAAE,MAAM,CAAC;IACf,QAAQ,EAAE,MAAM,CAAC;IACjB,QAAQ,EAAE,MAAM,GAAG,IAAI,CAAC;IACxB,SAAS,EAAE,MAAM,GAAG,IAAI,CAAC;IACzB,kBAAkB,CAAC,EAAE,MAAM,CAAC;IAC5B,kCAAkC,CAAC,EAAE,MAAM,GAAG,IAAI,CAAC;IACnD,KAAK,CAAC,EAAE,MAAM,GAAG,IAAI,CAAC;IACtB,OAAO,CAAC,EAAE,MAAM,GAAG,IAAI,CAAC;CACzB;AAED,MAAM,WAAW,cAAe,SAAQ,iBAAiB;IACvD,MAAM,EAAE,OAAO,UAAU,CAAC,UAAU,CAAC;IACrC,WAAW,EAAE,MAAM,CAAC;IACpB,YAAY,EAAE,gBAAgB,GAAG,IAAI,CAAC;CACvC;AAED,MAAM,WAAW,iBAAiB;IAChC,MAAM,EAAE,MAAM,CAAC;IACf,EAAE,CAAC,EAAE,MAAM,CAAC;IACZ,IAAI,CAAC,EAAE,MAAM,CAAC;IACd,OAAO,EAAE,OAAO,CAAC;CAClB;AAED,MAAM,WAAW,qBAAqB;IACpC,IAAI,EAAE,MAAM,EAAE,CAAC;IACf,WAAW,CAAC,EAAE,MAAM,CAAC;CACtB;AAED,MAAM,WAAW,kBAAmB,SAAQ,iBAAiB;IAC3D,IAAI,EAAE,MAAM,CAAC;IACb,MAAM,EAAE,MAAM,CAAC;IACf,eAAe,EAAE,MAAM,GAAG,IAAI,CAAC;IAC/B,aAAa,EAAE,MAAM,CAAC;IACtB,WAAW,EAAE,MAAM,CAAC;IACpB,eAAe,EAAE,MAAM,CAAC;IACxB,gBAAgB,EAAE,MAAM,CAAC;IACzB,YAAY,EAAE,MAAM,CAAC;IACrB,OAAO,EAAE,MAAM,CAAC;IAChB,YAAY,EAAE,MAAM,CAAC;IACrB,eAAe,EAAE,MAAM,CAAC;IACxB,MAAM,EAAE,OAAO,CAAC;IAChB,QAAQ,EAAE,MAAM,CAAC;IACjB,UAAU,EAAE,MAAM,CAAC;IACnB,oBAAoB,EAAE,OAAO,CAAC;IAC9B,gBAAgB,EAAE,OAAO,CAAC;IAC1B,mBAAmB,EAAE,OAAO,CAAC;IAC7B,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;IACnB,iBAAiB,EAAE,oBAAoB,CAAC;CACzC;AAED,MAAM,WAAW,oBAAoB;IACnC,OAAO,EAAE,MAAM,CAAC;IAChB,aAAa,EAAE,MAAM,CAAC;IACtB,UAAU,EAAE,MAAM,CAAC;IACnB,SAAS,EAAE,MAAM,CAAC;CACnB;AAED,MAAM,WAAW,gBAAgB;IAC/B,MAAM,EAAE,OAAO,UAAU,CAAC,YAAY,CAAC;IACvC,KAAK,EAAE,MAAM,CAAC;IACd,UAAU,EAAE,MAAM,CAAC;CACpB;AAED,MAAM,WAAW,QAAS,SAAQ,iBAAiB;IACjD,MAAM,EAAE,OAAO,UAAU,CAAC,IAAI,CAAC;IAC/B,GAAG,EAAE,MAAM,CAAC;IACZ,IAAI,EAAE,MAAM,CAAC;IACb,WAAW,EAAE,MAAM,CAAC;IACpB,WAAW,EAAE,cAAc,EAAE,CAAC;IAC9B,mBAAmB,EAAE,OAAO,CAAC;IAC7B,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;CACpB;AAED,MAAM,WAAW,cAAe,SAAQ,iBAAiB;IACvD,MAAM,EAAE,OAAO,UAAU,CAAC,UAAU,CAAC;IACrC,GAAG,EAAE,MAAM,CAAC;IACZ,IAAI,EAAE,MAAM,CAAC;IACb,WAAW,EAAE,MAAM,CAAC;IACpB,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;CACpB;AAED,MAAM,WAAW,yBAA0B,SAAQ,iBAAiB;IAClE,EAAE,EAAE,MAAM,CAAC;IACX,IAAI,EAAE,MAAM,CAAC;IACb,MAAM,EAAE,MAAM,CAAC;IACf,MAAM,EAAE,OAAO,CAAC;IAChB,QAAQ,EAAE,MAAM,CAAC;IACjB,oBAAoB,EAAE,OAAO,CAAC;IAC9B,gBAAgB,EAAE,OAAO,CAAC;IAC1B,mBAAmB,EAAE,OAAO,CAAC;IAC7B,kCAAkC,EAAE,OAAO,CAAC;IAC5C,UAAU,EAAE,MAAM,CAAC;IACnB,UAAU,EAAE,MAAM,CAAC;CACpB"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/OauthAccessToken.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/OauthAccessToken.d.ts new file mode 100644 index 000000000..2b9f85f6f --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/OauthAccessToken.d.ts @@ -0,0 +1,13 @@ +import type { OauthAccessTokenJSON } from './JSON'; +export declare class OauthAccessToken { + readonly externalAccountId: string; + readonly provider: string; + readonly token: string; + readonly publicMetadata: Record; + readonly label: string; + readonly scopes?: string[] | undefined; + readonly tokenSecret?: string | undefined; + constructor(externalAccountId: string, provider: string, token: string, publicMetadata: Record | undefined, label: string, scopes?: string[] | undefined, tokenSecret?: string | undefined); + static fromJSON(data: OauthAccessTokenJSON): OauthAccessToken; +} +//# sourceMappingURL=OauthAccessToken.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/OauthAccessToken.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/OauthAccessToken.d.ts.map new file mode 100644 index 000000000..b88fca412 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/OauthAccessToken.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"OauthAccessToken.d.ts","sourceRoot":"","sources":["../../../src/api/resources/OauthAccessToken.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,oBAAoB,EAAE,MAAM,QAAQ,CAAC;AAEnD,qBAAa,gBAAgB;IAEzB,QAAQ,CAAC,iBAAiB,EAAE,MAAM;IAClC,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,KAAK,EAAE,MAAM;IACtB,QAAQ,CAAC,cAAc,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC;IAChD,QAAQ,CAAC,KAAK,EAAE,MAAM;IACtB,QAAQ,CAAC,MAAM,CAAC,EAAE,MAAM,EAAE;IAC1B,QAAQ,CAAC,WAAW,CAAC,EAAE,MAAM;gBANpB,iBAAiB,EAAE,MAAM,EACzB,QAAQ,EAAE,MAAM,EAChB,KAAK,EAAE,MAAM,EACb,cAAc,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,YAAK,EAC5C,KAAK,EAAE,MAAM,EACb,MAAM,CAAC,EAAE,MAAM,EAAE,YAAA,EACjB,WAAW,CAAC,EAAE,MAAM,YAAA;IAG/B,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,oBAAoB;CAW3C"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Organization.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/Organization.d.ts new file mode 100644 index 000000000..8d9fd5d60 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Organization.d.ts @@ -0,0 +1,19 @@ +import type { OrganizationJSON } from './JSON'; +export declare class Organization { + readonly id: string; + readonly name: string; + readonly slug: string | null; + readonly imageUrl: string; + readonly hasImage: boolean; + readonly createdAt: number; + readonly updatedAt: number; + readonly publicMetadata: OrganizationPublicMetadata | null; + readonly privateMetadata: OrganizationPrivateMetadata; + readonly maxAllowedMemberships: number; + readonly adminDeleteEnabled: boolean; + readonly membersCount?: number | undefined; + readonly createdBy?: string | undefined; + constructor(id: string, name: string, slug: string | null, imageUrl: string, hasImage: boolean, createdAt: number, updatedAt: number, publicMetadata: (OrganizationPublicMetadata | null) | undefined, privateMetadata: OrganizationPrivateMetadata | undefined, maxAllowedMemberships: number, adminDeleteEnabled: boolean, membersCount?: number | undefined, createdBy?: string | undefined); + static fromJSON(data: OrganizationJSON): Organization; +} +//# sourceMappingURL=Organization.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Organization.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/Organization.d.ts.map new file mode 100644 index 000000000..c4a9810c2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Organization.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"Organization.d.ts","sourceRoot":"","sources":["../../../src/api/resources/Organization.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,gBAAgB,EAAE,MAAM,QAAQ,CAAC;AAE/C,qBAAa,YAAY;IAErB,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,IAAI,EAAE,MAAM;IACrB,QAAQ,CAAC,IAAI,EAAE,MAAM,GAAG,IAAI;IAC5B,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,QAAQ,EAAE,OAAO;IAC1B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,cAAc,EAAE,0BAA0B,GAAG,IAAI;IAC1D,QAAQ,CAAC,eAAe,EAAE,2BAA2B;IACrD,QAAQ,CAAC,qBAAqB,EAAE,MAAM;IACtC,QAAQ,CAAC,kBAAkB,EAAE,OAAO;IACpC,QAAQ,CAAC,YAAY,CAAC,EAAE,MAAM;IAC9B,QAAQ,CAAC,SAAS,CAAC,EAAE,MAAM;gBAZlB,EAAE,EAAE,MAAM,EACV,IAAI,EAAE,MAAM,EACZ,IAAI,EAAE,MAAM,GAAG,IAAI,EACnB,QAAQ,EAAE,MAAM,EAChB,QAAQ,EAAE,OAAO,EACjB,SAAS,EAAE,MAAM,EACjB,SAAS,EAAE,MAAM,EACjB,cAAc,GAAE,0BAA0B,GAAG,IAAI,aAAK,EACtD,eAAe,EAAE,2BAA2B,YAAK,EACjD,qBAAqB,EAAE,MAAM,EAC7B,kBAAkB,EAAE,OAAO,EAC3B,YAAY,CAAC,EAAE,MAAM,YAAA,EACrB,SAAS,CAAC,EAAE,MAAM,YAAA;IAG7B,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,gBAAgB,GAAG,YAAY;CAiBtD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationDomain.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationDomain.d.ts new file mode 100644 index 000000000..813a653da --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationDomain.d.ts @@ -0,0 +1,18 @@ +import type { OrganizationEnrollmentMode } from './Enums'; +import type { OrganizationDomainJSON } from './JSON'; +import { OrganizationDomainVerification } from './Verification'; +export declare class OrganizationDomain { + readonly id: string; + readonly organizationId: string; + readonly name: string; + readonly enrollmentMode: OrganizationEnrollmentMode; + readonly verification: OrganizationDomainVerification | null; + readonly totalPendingInvitations: number; + readonly totalPendingSuggestions: number; + readonly createdAt: number; + readonly updatedAt: number; + readonly affiliationEmailAddress: string | null; + constructor(id: string, organizationId: string, name: string, enrollmentMode: OrganizationEnrollmentMode, verification: OrganizationDomainVerification | null, totalPendingInvitations: number, totalPendingSuggestions: number, createdAt: number, updatedAt: number, affiliationEmailAddress: string | null); + static fromJSON(data: OrganizationDomainJSON): OrganizationDomain; +} +//# sourceMappingURL=OrganizationDomain.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationDomain.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationDomain.d.ts.map new file mode 100644 index 000000000..205d710f5 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationDomain.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"OrganizationDomain.d.ts","sourceRoot":"","sources":["../../../src/api/resources/OrganizationDomain.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,0BAA0B,EAAE,MAAM,SAAS,CAAC;AAC1D,OAAO,KAAK,EAAE,sBAAsB,EAAE,MAAM,QAAQ,CAAC;AACrD,OAAO,EAAE,8BAA8B,EAAE,MAAM,gBAAgB,CAAC;AAEhE,qBAAa,kBAAkB;IAE3B,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,cAAc,EAAE,MAAM;IAC/B,QAAQ,CAAC,IAAI,EAAE,MAAM;IACrB,QAAQ,CAAC,cAAc,EAAE,0BAA0B;IACnD,QAAQ,CAAC,YAAY,EAAE,8BAA8B,GAAG,IAAI;IAC5D,QAAQ,CAAC,uBAAuB,EAAE,MAAM;IACxC,QAAQ,CAAC,uBAAuB,EAAE,MAAM;IACxC,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,uBAAuB,EAAE,MAAM,GAAG,IAAI;gBATtC,EAAE,EAAE,MAAM,EACV,cAAc,EAAE,MAAM,EACtB,IAAI,EAAE,MAAM,EACZ,cAAc,EAAE,0BAA0B,EAC1C,YAAY,EAAE,8BAA8B,GAAG,IAAI,EACnD,uBAAuB,EAAE,MAAM,EAC/B,uBAAuB,EAAE,MAAM,EAC/B,SAAS,EAAE,MAAM,EACjB,SAAS,EAAE,MAAM,EACjB,uBAAuB,EAAE,MAAM,GAAG,IAAI;IAGjD,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,sBAAsB;CAc7C"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationInvitation.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationInvitation.d.ts new file mode 100644 index 000000000..dc6217054 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationInvitation.d.ts @@ -0,0 +1,16 @@ +import type { OrganizationInvitationStatus, OrganizationMembershipRole } from './Enums'; +import type { OrganizationInvitationJSON } from './JSON'; +export declare class OrganizationInvitation { + readonly id: string; + readonly emailAddress: string; + readonly role: OrganizationMembershipRole; + readonly organizationId: string; + readonly createdAt: number; + readonly updatedAt: number; + readonly status?: OrganizationInvitationStatus | undefined; + readonly publicMetadata: OrganizationInvitationPublicMetadata; + readonly privateMetadata: OrganizationInvitationPrivateMetadata; + constructor(id: string, emailAddress: string, role: OrganizationMembershipRole, organizationId: string, createdAt: number, updatedAt: number, status?: OrganizationInvitationStatus | undefined, publicMetadata?: OrganizationInvitationPublicMetadata, privateMetadata?: OrganizationInvitationPrivateMetadata); + static fromJSON(data: OrganizationInvitationJSON): OrganizationInvitation; +} +//# sourceMappingURL=OrganizationInvitation.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationInvitation.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationInvitation.d.ts.map new file mode 100644 index 000000000..1849fbc12 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationInvitation.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"OrganizationInvitation.d.ts","sourceRoot":"","sources":["../../../src/api/resources/OrganizationInvitation.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,4BAA4B,EAAE,0BAA0B,EAAE,MAAM,SAAS,CAAC;AACxF,OAAO,KAAK,EAAE,0BAA0B,EAAE,MAAM,QAAQ,CAAC;AAEzD,qBAAa,sBAAsB;IAE/B,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,YAAY,EAAE,MAAM;IAC7B,QAAQ,CAAC,IAAI,EAAE,0BAA0B;IACzC,QAAQ,CAAC,cAAc,EAAE,MAAM;IAC/B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,MAAM,CAAC,EAAE,4BAA4B;IAC9C,QAAQ,CAAC,cAAc,EAAE,oCAAoC;IAC7D,QAAQ,CAAC,eAAe,EAAE,qCAAqC;gBARtD,EAAE,EAAE,MAAM,EACV,YAAY,EAAE,MAAM,EACpB,IAAI,EAAE,0BAA0B,EAChC,cAAc,EAAE,MAAM,EACtB,SAAS,EAAE,MAAM,EACjB,SAAS,EAAE,MAAM,EACjB,MAAM,CAAC,EAAE,4BAA4B,YAAA,EACrC,cAAc,GAAE,oCAAyC,EACzD,eAAe,GAAE,qCAA0C;IAGtE,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,0BAA0B;CAajD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationMembership.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationMembership.d.ts new file mode 100644 index 000000000..bc096f34d --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationMembership.d.ts @@ -0,0 +1,27 @@ +import { Organization } from '../resources'; +import type { OrganizationMembershipRole } from './Enums'; +import type { OrganizationMembershipJSON, OrganizationMembershipPublicUserDataJSON } from './JSON'; +export declare class OrganizationMembership { + readonly id: string; + readonly role: OrganizationMembershipRole; + readonly permissions: string[]; + readonly publicMetadata: OrganizationMembershipPublicMetadata; + readonly privateMetadata: OrganizationMembershipPrivateMetadata; + readonly createdAt: number; + readonly updatedAt: number; + readonly organization: Organization; + readonly publicUserData?: (OrganizationMembershipPublicUserData | null) | undefined; + constructor(id: string, role: OrganizationMembershipRole, permissions: string[], publicMetadata: OrganizationMembershipPublicMetadata | undefined, privateMetadata: OrganizationMembershipPrivateMetadata | undefined, createdAt: number, updatedAt: number, organization: Organization, publicUserData?: (OrganizationMembershipPublicUserData | null) | undefined); + static fromJSON(data: OrganizationMembershipJSON): OrganizationMembership; +} +export declare class OrganizationMembershipPublicUserData { + readonly identifier: string; + readonly firstName: string | null; + readonly lastName: string | null; + readonly imageUrl: string; + readonly hasImage: boolean; + readonly userId: string; + constructor(identifier: string, firstName: string | null, lastName: string | null, imageUrl: string, hasImage: boolean, userId: string); + static fromJSON(data: OrganizationMembershipPublicUserDataJSON): OrganizationMembershipPublicUserData; +} +//# sourceMappingURL=OrganizationMembership.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationMembership.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationMembership.d.ts.map new file mode 100644 index 000000000..bb4bdaacc --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/OrganizationMembership.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"OrganizationMembership.d.ts","sourceRoot":"","sources":["../../../src/api/resources/OrganizationMembership.ts"],"names":[],"mappings":"AAAA,OAAO,EAAE,YAAY,EAAE,MAAM,cAAc,CAAC;AAC5C,OAAO,KAAK,EAAE,0BAA0B,EAAE,MAAM,SAAS,CAAC;AAC1D,OAAO,KAAK,EAAE,0BAA0B,EAAE,wCAAwC,EAAE,MAAM,QAAQ,CAAC;AAEnG,qBAAa,sBAAsB;IAE/B,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,IAAI,EAAE,0BAA0B;IACzC,QAAQ,CAAC,WAAW,EAAE,MAAM,EAAE;IAC9B,QAAQ,CAAC,cAAc,EAAE,oCAAoC;IAC7D,QAAQ,CAAC,eAAe,EAAE,qCAAqC;IAC/D,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,YAAY,EAAE,YAAY;IACnC,QAAQ,CAAC,cAAc,CAAC,GAAE,oCAAoC,GAAG,IAAI;gBAR5D,EAAE,EAAE,MAAM,EACV,IAAI,EAAE,0BAA0B,EAChC,WAAW,EAAE,MAAM,EAAE,EACrB,cAAc,EAAE,oCAAoC,YAAK,EACzD,eAAe,EAAE,qCAAqC,YAAK,EAC3D,SAAS,EAAE,MAAM,EACjB,SAAS,EAAE,MAAM,EACjB,YAAY,EAAE,YAAY,EAC1B,cAAc,CAAC,GAAE,oCAAoC,GAAG,IAAI,aAAA;IAGvE,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,0BAA0B;CAajD;AAED,qBAAa,oCAAoC;IAE7C,QAAQ,CAAC,UAAU,EAAE,MAAM;IAC3B,QAAQ,CAAC,SAAS,EAAE,MAAM,GAAG,IAAI;IACjC,QAAQ,CAAC,QAAQ,EAAE,MAAM,GAAG,IAAI;IAChC,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,QAAQ,EAAE,OAAO;IAC1B,QAAQ,CAAC,MAAM,EAAE,MAAM;gBALd,UAAU,EAAE,MAAM,EAClB,SAAS,EAAE,MAAM,GAAG,IAAI,EACxB,QAAQ,EAAE,MAAM,GAAG,IAAI,EACvB,QAAQ,EAAE,MAAM,EAChB,QAAQ,EAAE,OAAO,EACjB,MAAM,EAAE,MAAM;IAGzB,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,wCAAwC;CAU/D"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/PhoneNumber.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/PhoneNumber.d.ts new file mode 100644 index 000000000..913be0357 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/PhoneNumber.d.ts @@ -0,0 +1,14 @@ +import { IdentificationLink } from './IdentificationLink'; +import type { PhoneNumberJSON } from './JSON'; +import { Verification } from './Verification'; +export declare class PhoneNumber { + readonly id: string; + readonly phoneNumber: string; + readonly reservedForSecondFactor: boolean; + readonly defaultSecondFactor: boolean; + readonly verification: Verification | null; + readonly linkedTo: IdentificationLink[]; + constructor(id: string, phoneNumber: string, reservedForSecondFactor: boolean, defaultSecondFactor: boolean, verification: Verification | null, linkedTo: IdentificationLink[]); + static fromJSON(data: PhoneNumberJSON): PhoneNumber; +} +//# sourceMappingURL=PhoneNumber.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/PhoneNumber.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/PhoneNumber.d.ts.map new file mode 100644 index 000000000..cd65f2200 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/PhoneNumber.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"PhoneNumber.d.ts","sourceRoot":"","sources":["../../../src/api/resources/PhoneNumber.ts"],"names":[],"mappings":"AAAA,OAAO,EAAE,kBAAkB,EAAE,MAAM,sBAAsB,CAAC;AAC1D,OAAO,KAAK,EAAE,eAAe,EAAE,MAAM,QAAQ,CAAC;AAC9C,OAAO,EAAE,YAAY,EAAE,MAAM,gBAAgB,CAAC;AAE9C,qBAAa,WAAW;IAEpB,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,WAAW,EAAE,MAAM;IAC5B,QAAQ,CAAC,uBAAuB,EAAE,OAAO;IACzC,QAAQ,CAAC,mBAAmB,EAAE,OAAO;IACrC,QAAQ,CAAC,YAAY,EAAE,YAAY,GAAG,IAAI;IAC1C,QAAQ,CAAC,QAAQ,EAAE,kBAAkB,EAAE;gBAL9B,EAAE,EAAE,MAAM,EACV,WAAW,EAAE,MAAM,EACnB,uBAAuB,EAAE,OAAO,EAChC,mBAAmB,EAAE,OAAO,EAC5B,YAAY,EAAE,YAAY,GAAG,IAAI,EACjC,QAAQ,EAAE,kBAAkB,EAAE;IAGzC,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,eAAe,GAAG,WAAW;CAUpD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/RedirectUrl.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/RedirectUrl.d.ts new file mode 100644 index 000000000..51fccf792 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/RedirectUrl.d.ts @@ -0,0 +1,10 @@ +import type { RedirectUrlJSON } from './JSON'; +export declare class RedirectUrl { + readonly id: string; + readonly url: string; + readonly createdAt: number; + readonly updatedAt: number; + constructor(id: string, url: string, createdAt: number, updatedAt: number); + static fromJSON(data: RedirectUrlJSON): RedirectUrl; +} +//# sourceMappingURL=RedirectUrl.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/RedirectUrl.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/RedirectUrl.d.ts.map new file mode 100644 index 000000000..f3ff75296 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/RedirectUrl.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"RedirectUrl.d.ts","sourceRoot":"","sources":["../../../src/api/resources/RedirectUrl.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,eAAe,EAAE,MAAM,QAAQ,CAAC;AAE9C,qBAAa,WAAW;IAEpB,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,GAAG,EAAE,MAAM;IACpB,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,SAAS,EAAE,MAAM;gBAHjB,EAAE,EAAE,MAAM,EACV,GAAG,EAAE,MAAM,EACX,SAAS,EAAE,MAAM,EACjB,SAAS,EAAE,MAAM;IAG5B,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,eAAe,GAAG,WAAW;CAGpD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/SMSMessage.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/SMSMessage.d.ts new file mode 100644 index 000000000..f8be9598b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/SMSMessage.d.ts @@ -0,0 +1,13 @@ +import type { SMSMessageJSON } from './JSON'; +export declare class SMSMessage { + readonly id: string; + readonly fromPhoneNumber: string; + readonly toPhoneNumber: string; + readonly message: string; + readonly status: string; + readonly phoneNumberId: string | null; + readonly data?: (Record | null) | undefined; + constructor(id: string, fromPhoneNumber: string, toPhoneNumber: string, message: string, status: string, phoneNumberId: string | null, data?: (Record | null) | undefined); + static fromJSON(data: SMSMessageJSON): SMSMessage; +} +//# sourceMappingURL=SMSMessage.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/SMSMessage.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/SMSMessage.d.ts.map new file mode 100644 index 000000000..3177575ec --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/SMSMessage.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"SMSMessage.d.ts","sourceRoot":"","sources":["../../../src/api/resources/SMSMessage.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,cAAc,EAAE,MAAM,QAAQ,CAAC;AAE7C,qBAAa,UAAU;IAEnB,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,eAAe,EAAE,MAAM;IAChC,QAAQ,CAAC,aAAa,EAAE,MAAM;IAC9B,QAAQ,CAAC,OAAO,EAAE,MAAM;IACxB,QAAQ,CAAC,MAAM,EAAE,MAAM;IACvB,QAAQ,CAAC,aAAa,EAAE,MAAM,GAAG,IAAI;IACrC,QAAQ,CAAC,IAAI,CAAC,GAAE,MAAM,CAAC,MAAM,EAAE,GAAG,CAAC,GAAG,IAAI;gBANjC,EAAE,EAAE,MAAM,EACV,eAAe,EAAE,MAAM,EACvB,aAAa,EAAE,MAAM,EACrB,OAAO,EAAE,MAAM,EACf,MAAM,EAAE,MAAM,EACd,aAAa,EAAE,MAAM,GAAG,IAAI,EAC5B,IAAI,CAAC,GAAE,MAAM,CAAC,MAAM,EAAE,GAAG,CAAC,GAAG,IAAI,aAAA;IAG5C,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,cAAc,GAAG,UAAU;CAWlD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/SamlAccount.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/SamlAccount.d.ts new file mode 100644 index 000000000..fd397716f --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/SamlAccount.d.ts @@ -0,0 +1,17 @@ +import type { SamlAccountJSON } from './JSON'; +import { SamlAccountConnection } from './SamlConnection'; +import { Verification } from './Verification'; +export declare class SamlAccount { + readonly id: string; + readonly provider: string; + readonly providerUserId: string | null; + readonly active: boolean; + readonly emailAddress: string; + readonly firstName: string; + readonly lastName: string; + readonly verification: Verification | null; + readonly samlConnection: SamlAccountConnection | null; + constructor(id: string, provider: string, providerUserId: string | null, active: boolean, emailAddress: string, firstName: string, lastName: string, verification: Verification | null, samlConnection: SamlAccountConnection | null); + static fromJSON(data: SamlAccountJSON): SamlAccount; +} +//# sourceMappingURL=SamlAccount.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/SamlAccount.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/SamlAccount.d.ts.map new file mode 100644 index 000000000..61cfc278b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/SamlAccount.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"SamlAccount.d.ts","sourceRoot":"","sources":["../../../src/api/resources/SamlAccount.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,eAAe,EAAE,MAAM,QAAQ,CAAC;AAC9C,OAAO,EAAE,qBAAqB,EAAE,MAAM,kBAAkB,CAAC;AACzD,OAAO,EAAE,YAAY,EAAE,MAAM,gBAAgB,CAAC;AAE9C,qBAAa,WAAW;IAEpB,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,cAAc,EAAE,MAAM,GAAG,IAAI;IACtC,QAAQ,CAAC,MAAM,EAAE,OAAO;IACxB,QAAQ,CAAC,YAAY,EAAE,MAAM;IAC7B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,YAAY,EAAE,YAAY,GAAG,IAAI;IAC1C,QAAQ,CAAC,cAAc,EAAE,qBAAqB,GAAG,IAAI;gBAR5C,EAAE,EAAE,MAAM,EACV,QAAQ,EAAE,MAAM,EAChB,cAAc,EAAE,MAAM,GAAG,IAAI,EAC7B,MAAM,EAAE,OAAO,EACf,YAAY,EAAE,MAAM,EACpB,SAAS,EAAE,MAAM,EACjB,QAAQ,EAAE,MAAM,EAChB,YAAY,EAAE,YAAY,GAAG,IAAI,EACjC,cAAc,EAAE,qBAAqB,GAAG,IAAI;IAGvD,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,eAAe,GAAG,WAAW;CAapD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/SamlConnection.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/SamlConnection.d.ts new file mode 100644 index 000000000..84d2ff413 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/SamlConnection.d.ts @@ -0,0 +1,50 @@ +import type { AttributeMappingJSON, SamlAccountConnectionJSON, SamlConnectionJSON } from './JSON'; +export declare class SamlConnection { + readonly id: string; + readonly name: string; + readonly domain: string; + readonly organizationId: string | null; + readonly idpEntityId: string | null; + readonly idpSsoUrl: string | null; + readonly idpCertificate: string | null; + readonly idpMetadataUrl: string | null; + readonly idpMetadata: string | null; + readonly acsUrl: string; + readonly spEntityId: string; + readonly spMetadataUrl: string; + readonly active: boolean; + readonly provider: string; + readonly userCount: number; + readonly syncUserAttributes: boolean; + readonly allowSubdomains: boolean; + readonly allowIdpInitiated: boolean; + readonly createdAt: number; + readonly updatedAt: number; + readonly attributeMapping: AttributeMapping; + constructor(id: string, name: string, domain: string, organizationId: string | null, idpEntityId: string | null, idpSsoUrl: string | null, idpCertificate: string | null, idpMetadataUrl: string | null, idpMetadata: string | null, acsUrl: string, spEntityId: string, spMetadataUrl: string, active: boolean, provider: string, userCount: number, syncUserAttributes: boolean, allowSubdomains: boolean, allowIdpInitiated: boolean, createdAt: number, updatedAt: number, attributeMapping: AttributeMapping); + static fromJSON(data: SamlConnectionJSON): SamlConnection; +} +export declare class SamlAccountConnection { + readonly id: string; + readonly name: string; + readonly domain: string; + readonly active: boolean; + readonly provider: string; + readonly syncUserAttributes: boolean; + readonly allowSubdomains: boolean; + readonly allowIdpInitiated: boolean; + readonly createdAt: number; + readonly updatedAt: number; + constructor(id: string, name: string, domain: string, active: boolean, provider: string, syncUserAttributes: boolean, allowSubdomains: boolean, allowIdpInitiated: boolean, createdAt: number, updatedAt: number); + static fromJSON(data: SamlAccountConnectionJSON): SamlAccountConnection; +} +declare class AttributeMapping { + readonly userId: string; + readonly emailAddress: string; + readonly firstName: string; + readonly lastName: string; + constructor(userId: string, emailAddress: string, firstName: string, lastName: string); + static fromJSON(data: AttributeMappingJSON): AttributeMapping; +} +export {}; +//# sourceMappingURL=SamlConnection.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/SamlConnection.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/SamlConnection.d.ts.map new file mode 100644 index 000000000..8d0f24cda --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/SamlConnection.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"SamlConnection.d.ts","sourceRoot":"","sources":["../../../src/api/resources/SamlConnection.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,oBAAoB,EAAE,yBAAyB,EAAE,kBAAkB,EAAE,MAAM,QAAQ,CAAC;AAElG,qBAAa,cAAc;IAEvB,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,IAAI,EAAE,MAAM;IACrB,QAAQ,CAAC,MAAM,EAAE,MAAM;IACvB,QAAQ,CAAC,cAAc,EAAE,MAAM,GAAG,IAAI;IACtC,QAAQ,CAAC,WAAW,EAAE,MAAM,GAAG,IAAI;IACnC,QAAQ,CAAC,SAAS,EAAE,MAAM,GAAG,IAAI;IACjC,QAAQ,CAAC,cAAc,EAAE,MAAM,GAAG,IAAI;IACtC,QAAQ,CAAC,cAAc,EAAE,MAAM,GAAG,IAAI;IACtC,QAAQ,CAAC,WAAW,EAAE,MAAM,GAAG,IAAI;IACnC,QAAQ,CAAC,MAAM,EAAE,MAAM;IACvB,QAAQ,CAAC,UAAU,EAAE,MAAM;IAC3B,QAAQ,CAAC,aAAa,EAAE,MAAM;IAC9B,QAAQ,CAAC,MAAM,EAAE,OAAO;IACxB,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,kBAAkB,EAAE,OAAO;IACpC,QAAQ,CAAC,eAAe,EAAE,OAAO;IACjC,QAAQ,CAAC,iBAAiB,EAAE,OAAO;IACnC,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,gBAAgB,EAAE,gBAAgB;gBApBlC,EAAE,EAAE,MAAM,EACV,IAAI,EAAE,MAAM,EACZ,MAAM,EAAE,MAAM,EACd,cAAc,EAAE,MAAM,GAAG,IAAI,EAC7B,WAAW,EAAE,MAAM,GAAG,IAAI,EAC1B,SAAS,EAAE,MAAM,GAAG,IAAI,EACxB,cAAc,EAAE,MAAM,GAAG,IAAI,EAC7B,cAAc,EAAE,MAAM,GAAG,IAAI,EAC7B,WAAW,EAAE,MAAM,GAAG,IAAI,EAC1B,MAAM,EAAE,MAAM,EACd,UAAU,EAAE,MAAM,EAClB,aAAa,EAAE,MAAM,EACrB,MAAM,EAAE,OAAO,EACf,QAAQ,EAAE,MAAM,EAChB,SAAS,EAAE,MAAM,EACjB,kBAAkB,EAAE,OAAO,EAC3B,eAAe,EAAE,OAAO,EACxB,iBAAiB,EAAE,OAAO,EAC1B,SAAS,EAAE,MAAM,EACjB,SAAS,EAAE,MAAM,EACjB,gBAAgB,EAAE,gBAAgB;IAE7C,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,kBAAkB,GAAG,cAAc;CAyB1D;AAED,qBAAa,qBAAqB;IAE9B,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,IAAI,EAAE,MAAM;IACrB,QAAQ,CAAC,MAAM,EAAE,MAAM;IACvB,QAAQ,CAAC,MAAM,EAAE,OAAO;IACxB,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,kBAAkB,EAAE,OAAO;IACpC,QAAQ,CAAC,eAAe,EAAE,OAAO;IACjC,QAAQ,CAAC,iBAAiB,EAAE,OAAO;IACnC,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,SAAS,EAAE,MAAM;gBATjB,EAAE,EAAE,MAAM,EACV,IAAI,EAAE,MAAM,EACZ,MAAM,EAAE,MAAM,EACd,MAAM,EAAE,OAAO,EACf,QAAQ,EAAE,MAAM,EAChB,kBAAkB,EAAE,OAAO,EAC3B,eAAe,EAAE,OAAO,EACxB,iBAAiB,EAAE,OAAO,EAC1B,SAAS,EAAE,MAAM,EACjB,SAAS,EAAE,MAAM;IAE5B,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,yBAAyB,GAAG,qBAAqB;CAcxE;AAED,cAAM,gBAAgB;IAElB,QAAQ,CAAC,MAAM,EAAE,MAAM;IACvB,QAAQ,CAAC,YAAY,EAAE,MAAM;IAC7B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,QAAQ,EAAE,MAAM;gBAHhB,MAAM,EAAE,MAAM,EACd,YAAY,EAAE,MAAM,EACpB,SAAS,EAAE,MAAM,EACjB,QAAQ,EAAE,MAAM;IAG3B,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,oBAAoB,GAAG,gBAAgB;CAG9D"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Session.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/Session.d.ts new file mode 100644 index 000000000..e300f4d91 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Session.d.ts @@ -0,0 +1,30 @@ +import type { SessionActivityJSON, SessionJSON } from './JSON'; +export declare class SessionActivity { + readonly id: string; + readonly isMobile: boolean; + readonly ipAddress?: string | undefined; + readonly city?: string | undefined; + readonly country?: string | undefined; + readonly browserVersion?: string | undefined; + readonly browserName?: string | undefined; + readonly deviceType?: string | undefined; + constructor(id: string, isMobile: boolean, ipAddress?: string | undefined, city?: string | undefined, country?: string | undefined, browserVersion?: string | undefined, browserName?: string | undefined, deviceType?: string | undefined); + static fromJSON(data: SessionActivityJSON): SessionActivity; +} +export declare class Session { + readonly id: string; + readonly clientId: string; + readonly userId: string; + readonly status: string; + readonly lastActiveAt: number; + readonly expireAt: number; + readonly abandonAt: number; + readonly createdAt: number; + readonly updatedAt: number; + readonly lastActiveOrganizationId?: string | undefined; + readonly latestActivity?: SessionActivity | undefined; + readonly actor: Record | null; + constructor(id: string, clientId: string, userId: string, status: string, lastActiveAt: number, expireAt: number, abandonAt: number, createdAt: number, updatedAt: number, lastActiveOrganizationId?: string | undefined, latestActivity?: SessionActivity | undefined, actor?: Record | null); + static fromJSON(data: SessionJSON): Session; +} +//# sourceMappingURL=Session.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Session.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/Session.d.ts.map new file mode 100644 index 000000000..a942ed619 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Session.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"Session.d.ts","sourceRoot":"","sources":["../../../src/api/resources/Session.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,mBAAmB,EAAE,WAAW,EAAE,MAAM,QAAQ,CAAC;AAE/D,qBAAa,eAAe;IAExB,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,QAAQ,EAAE,OAAO;IAC1B,QAAQ,CAAC,SAAS,CAAC,EAAE,MAAM;IAC3B,QAAQ,CAAC,IAAI,CAAC,EAAE,MAAM;IACtB,QAAQ,CAAC,OAAO,CAAC,EAAE,MAAM;IACzB,QAAQ,CAAC,cAAc,CAAC,EAAE,MAAM;IAChC,QAAQ,CAAC,WAAW,CAAC,EAAE,MAAM;IAC7B,QAAQ,CAAC,UAAU,CAAC,EAAE,MAAM;gBAPnB,EAAE,EAAE,MAAM,EACV,QAAQ,EAAE,OAAO,EACjB,SAAS,CAAC,EAAE,MAAM,YAAA,EAClB,IAAI,CAAC,EAAE,MAAM,YAAA,EACb,OAAO,CAAC,EAAE,MAAM,YAAA,EAChB,cAAc,CAAC,EAAE,MAAM,YAAA,EACvB,WAAW,CAAC,EAAE,MAAM,YAAA,EACpB,UAAU,CAAC,EAAE,MAAM,YAAA;IAG9B,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,mBAAmB,GAAG,eAAe;CAY5D;AAED,qBAAa,OAAO;IAEhB,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,MAAM,EAAE,MAAM;IACvB,QAAQ,CAAC,MAAM,EAAE,MAAM;IACvB,QAAQ,CAAC,YAAY,EAAE,MAAM;IAC7B,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,wBAAwB,CAAC,EAAE,MAAM;IAC1C,QAAQ,CAAC,cAAc,CAAC,EAAE,eAAe;IACzC,QAAQ,CAAC,KAAK,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,GAAG,IAAI;gBAXrC,EAAE,EAAE,MAAM,EACV,QAAQ,EAAE,MAAM,EAChB,MAAM,EAAE,MAAM,EACd,MAAM,EAAE,MAAM,EACd,YAAY,EAAE,MAAM,EACpB,QAAQ,EAAE,MAAM,EAChB,SAAS,EAAE,MAAM,EACjB,SAAS,EAAE,MAAM,EACjB,SAAS,EAAE,MAAM,EACjB,wBAAwB,CAAC,EAAE,MAAM,YAAA,EACjC,cAAc,CAAC,EAAE,eAAe,YAAA,EAChC,KAAK,GAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,GAAG,IAAW;IAGvD,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,WAAW,GAAG,OAAO;CAgB5C"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/SignInTokens.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/SignInTokens.d.ts new file mode 100644 index 000000000..dd7006a1f --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/SignInTokens.d.ts @@ -0,0 +1,13 @@ +import type { SignInTokenJSON } from './JSON'; +export declare class SignInToken { + readonly id: string; + readonly userId: string; + readonly token: string; + readonly status: string; + readonly url: string; + readonly createdAt: number; + readonly updatedAt: number; + constructor(id: string, userId: string, token: string, status: string, url: string, createdAt: number, updatedAt: number); + static fromJSON(data: SignInTokenJSON): SignInToken; +} +//# sourceMappingURL=SignInTokens.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/SignInTokens.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/SignInTokens.d.ts.map new file mode 100644 index 000000000..bfadc4cf3 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/SignInTokens.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"SignInTokens.d.ts","sourceRoot":"","sources":["../../../src/api/resources/SignInTokens.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,eAAe,EAAE,MAAM,QAAQ,CAAC;AAE9C,qBAAa,WAAW;IAEpB,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,MAAM,EAAE,MAAM;IACvB,QAAQ,CAAC,KAAK,EAAE,MAAM;IACtB,QAAQ,CAAC,MAAM,EAAE,MAAM;IACvB,QAAQ,CAAC,GAAG,EAAE,MAAM;IACpB,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,SAAS,EAAE,MAAM;gBANjB,EAAE,EAAE,MAAM,EACV,MAAM,EAAE,MAAM,EACd,KAAK,EAAE,MAAM,EACb,MAAM,EAAE,MAAM,EACd,GAAG,EAAE,MAAM,EACX,SAAS,EAAE,MAAM,EACjB,SAAS,EAAE,MAAM;IAG5B,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,eAAe,GAAG,WAAW;CAGpD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/TestingToken.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/TestingToken.d.ts new file mode 100644 index 000000000..fc28b4d70 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/TestingToken.d.ts @@ -0,0 +1,8 @@ +import type { TestingTokenJSON } from './JSON'; +export declare class TestingToken { + readonly token: string; + readonly expiresAt: number; + constructor(token: string, expiresAt: number); + static fromJSON(data: TestingTokenJSON): TestingToken; +} +//# sourceMappingURL=TestingToken.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/TestingToken.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/TestingToken.d.ts.map new file mode 100644 index 000000000..c6c43ce41 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/TestingToken.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"TestingToken.d.ts","sourceRoot":"","sources":["../../../src/api/resources/TestingToken.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,gBAAgB,EAAE,MAAM,QAAQ,CAAC;AAE/C,qBAAa,YAAY;IAErB,QAAQ,CAAC,KAAK,EAAE,MAAM;IACtB,QAAQ,CAAC,SAAS,EAAE,MAAM;gBADjB,KAAK,EAAE,MAAM,EACb,SAAS,EAAE,MAAM;IAG5B,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,gBAAgB,GAAG,YAAY;CAGtD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Token.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/Token.d.ts new file mode 100644 index 000000000..dd49b5393 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Token.d.ts @@ -0,0 +1,7 @@ +import type { TokenJSON } from './JSON'; +export declare class Token { + readonly jwt: string; + constructor(jwt: string); + static fromJSON(data: TokenJSON): Token; +} +//# sourceMappingURL=Token.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Token.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/Token.d.ts.map new file mode 100644 index 000000000..80e84b3a4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Token.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"Token.d.ts","sourceRoot":"","sources":["../../../src/api/resources/Token.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,SAAS,EAAE,MAAM,QAAQ,CAAC;AAExC,qBAAa,KAAK;IACJ,QAAQ,CAAC,GAAG,EAAE,MAAM;gBAAX,GAAG,EAAE,MAAM;IAEhC,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,SAAS,GAAG,KAAK;CAGxC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/User.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/User.d.ts new file mode 100644 index 000000000..ee8e9b9a8 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/User.d.ts @@ -0,0 +1,49 @@ +import { EmailAddress } from './EmailAddress'; +import { ExternalAccount } from './ExternalAccount'; +import type { UserJSON } from './JSON'; +import { PhoneNumber } from './PhoneNumber'; +import { SamlAccount } from './SamlAccount'; +import { Web3Wallet } from './Web3Wallet'; +export declare class User { + readonly id: string; + readonly passwordEnabled: boolean; + readonly totpEnabled: boolean; + readonly backupCodeEnabled: boolean; + readonly twoFactorEnabled: boolean; + readonly banned: boolean; + readonly locked: boolean; + readonly createdAt: number; + readonly updatedAt: number; + readonly imageUrl: string; + readonly hasImage: boolean; + readonly primaryEmailAddressId: string | null; + readonly primaryPhoneNumberId: string | null; + readonly primaryWeb3WalletId: string | null; + readonly lastSignInAt: number | null; + readonly externalId: string | null; + readonly username: string | null; + readonly firstName: string | null; + readonly lastName: string | null; + readonly publicMetadata: UserPublicMetadata; + readonly privateMetadata: UserPrivateMetadata; + readonly unsafeMetadata: UserUnsafeMetadata; + readonly emailAddresses: EmailAddress[]; + readonly phoneNumbers: PhoneNumber[]; + readonly web3Wallets: Web3Wallet[]; + readonly externalAccounts: ExternalAccount[]; + readonly samlAccounts: SamlAccount[]; + readonly lastActiveAt: number | null; + readonly createOrganizationEnabled: boolean; + readonly createOrganizationsLimit: number | null; + readonly deleteSelfEnabled: boolean; + readonly legalAcceptedAt: number | null; + private _raw; + get raw(): UserJSON | null; + constructor(id: string, passwordEnabled: boolean, totpEnabled: boolean, backupCodeEnabled: boolean, twoFactorEnabled: boolean, banned: boolean, locked: boolean, createdAt: number, updatedAt: number, imageUrl: string, hasImage: boolean, primaryEmailAddressId: string | null, primaryPhoneNumberId: string | null, primaryWeb3WalletId: string | null, lastSignInAt: number | null, externalId: string | null, username: string | null, firstName: string | null, lastName: string | null, publicMetadata: UserPublicMetadata | undefined, privateMetadata: UserPrivateMetadata | undefined, unsafeMetadata: UserUnsafeMetadata | undefined, emailAddresses: EmailAddress[] | undefined, phoneNumbers: PhoneNumber[] | undefined, web3Wallets: Web3Wallet[] | undefined, externalAccounts: ExternalAccount[] | undefined, samlAccounts: SamlAccount[] | undefined, lastActiveAt: number | null, createOrganizationEnabled: boolean, createOrganizationsLimit: (number | null) | undefined, deleteSelfEnabled: boolean, legalAcceptedAt: number | null); + static fromJSON(data: UserJSON): User; + get primaryEmailAddress(): EmailAddress | null; + get primaryPhoneNumber(): PhoneNumber | null; + get primaryWeb3Wallet(): Web3Wallet | null; + get fullName(): string | null; +} +//# sourceMappingURL=User.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/User.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/User.d.ts.map new file mode 100644 index 000000000..03562f885 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/User.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"User.d.ts","sourceRoot":"","sources":["../../../src/api/resources/User.ts"],"names":[],"mappings":"AAAA,OAAO,EAAE,YAAY,EAAE,MAAM,gBAAgB,CAAC;AAC9C,OAAO,EAAE,eAAe,EAAE,MAAM,mBAAmB,CAAC;AACpD,OAAO,KAAK,EAAwC,QAAQ,EAAE,MAAM,QAAQ,CAAC;AAC7E,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAC5C,OAAO,EAAE,WAAW,EAAE,MAAM,eAAe,CAAC;AAC5C,OAAO,EAAE,UAAU,EAAE,MAAM,cAAc,CAAC;AAE1C,qBAAa,IAAI;IAQb,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,eAAe,EAAE,OAAO;IACjC,QAAQ,CAAC,WAAW,EAAE,OAAO;IAC7B,QAAQ,CAAC,iBAAiB,EAAE,OAAO;IACnC,QAAQ,CAAC,gBAAgB,EAAE,OAAO;IAClC,QAAQ,CAAC,MAAM,EAAE,OAAO;IACxB,QAAQ,CAAC,MAAM,EAAE,OAAO;IACxB,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,SAAS,EAAE,MAAM;IAC1B,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,QAAQ,EAAE,OAAO;IAC1B,QAAQ,CAAC,qBAAqB,EAAE,MAAM,GAAG,IAAI;IAC7C,QAAQ,CAAC,oBAAoB,EAAE,MAAM,GAAG,IAAI;IAC5C,QAAQ,CAAC,mBAAmB,EAAE,MAAM,GAAG,IAAI;IAC3C,QAAQ,CAAC,YAAY,EAAE,MAAM,GAAG,IAAI;IACpC,QAAQ,CAAC,UAAU,EAAE,MAAM,GAAG,IAAI;IAClC,QAAQ,CAAC,QAAQ,EAAE,MAAM,GAAG,IAAI;IAChC,QAAQ,CAAC,SAAS,EAAE,MAAM,GAAG,IAAI;IACjC,QAAQ,CAAC,QAAQ,EAAE,MAAM,GAAG,IAAI;IAChC,QAAQ,CAAC,cAAc,EAAE,kBAAkB;IAC3C,QAAQ,CAAC,eAAe,EAAE,mBAAmB;IAC7C,QAAQ,CAAC,cAAc,EAAE,kBAAkB;IAC3C,QAAQ,CAAC,cAAc,EAAE,YAAY,EAAE;IACvC,QAAQ,CAAC,YAAY,EAAE,WAAW,EAAE;IACpC,QAAQ,CAAC,WAAW,EAAE,UAAU,EAAE;IAClC,QAAQ,CAAC,gBAAgB,EAAE,eAAe,EAAE;IAC5C,QAAQ,CAAC,YAAY,EAAE,WAAW,EAAE;IACpC,QAAQ,CAAC,YAAY,EAAE,MAAM,GAAG,IAAI;IACpC,QAAQ,CAAC,yBAAyB,EAAE,OAAO;IAC3C,QAAQ,CAAC,wBAAwB,EAAE,MAAM,GAAG,IAAI;IAChD,QAAQ,CAAC,iBAAiB,EAAE,OAAO;IACnC,QAAQ,CAAC,eAAe,EAAE,MAAM,GAAG,IAAI;IAtCzC,OAAO,CAAC,IAAI,CAAyB;IAErC,IAAW,GAAG,IAAI,QAAQ,GAAG,IAAI,CAEhC;gBAGU,EAAE,EAAE,MAAM,EACV,eAAe,EAAE,OAAO,EACxB,WAAW,EAAE,OAAO,EACpB,iBAAiB,EAAE,OAAO,EAC1B,gBAAgB,EAAE,OAAO,EACzB,MAAM,EAAE,OAAO,EACf,MAAM,EAAE,OAAO,EACf,SAAS,EAAE,MAAM,EACjB,SAAS,EAAE,MAAM,EACjB,QAAQ,EAAE,MAAM,EAChB,QAAQ,EAAE,OAAO,EACjB,qBAAqB,EAAE,MAAM,GAAG,IAAI,EACpC,oBAAoB,EAAE,MAAM,GAAG,IAAI,EACnC,mBAAmB,EAAE,MAAM,GAAG,IAAI,EAClC,YAAY,EAAE,MAAM,GAAG,IAAI,EAC3B,UAAU,EAAE,MAAM,GAAG,IAAI,EACzB,QAAQ,EAAE,MAAM,GAAG,IAAI,EACvB,SAAS,EAAE,MAAM,GAAG,IAAI,EACxB,QAAQ,EAAE,MAAM,GAAG,IAAI,EACvB,cAAc,EAAE,kBAAkB,YAAK,EACvC,eAAe,EAAE,mBAAmB,YAAK,EACzC,cAAc,EAAE,kBAAkB,YAAK,EACvC,cAAc,EAAE,YAAY,EAAE,YAAK,EACnC,YAAY,EAAE,WAAW,EAAE,YAAK,EAChC,WAAW,EAAE,UAAU,EAAE,YAAK,EAC9B,gBAAgB,EAAE,eAAe,EAAE,YAAK,EACxC,YAAY,EAAE,WAAW,EAAE,YAAK,EAChC,YAAY,EAAE,MAAM,GAAG,IAAI,EAC3B,yBAAyB,EAAE,OAAO,EAClC,wBAAwB,GAAE,MAAM,GAAG,IAAI,aAAO,EAC9C,iBAAiB,EAAE,OAAO,EAC1B,eAAe,EAAE,MAAM,GAAG,IAAI;IAGzC,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,QAAQ,GAAG,IAAI;IAuCrC,IAAI,mBAAmB,wBAEtB;IAED,IAAI,kBAAkB,uBAErB;IAED,IAAI,iBAAiB,sBAEpB;IAED,IAAI,QAAQ,kBAEX;CACF"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Verification.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/Verification.d.ts new file mode 100644 index 000000000..16c8fe20b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Verification.d.ts @@ -0,0 +1,21 @@ +import type { OrganizationDomainVerificationJSON, VerificationJSON } from './JSON'; +export declare class Verification { + readonly status: string; + readonly strategy: string; + readonly externalVerificationRedirectURL: URL | null; + readonly attempts: number | null; + readonly expireAt: number | null; + readonly nonce: string | null; + readonly message: string | null; + constructor(status: string, strategy: string, externalVerificationRedirectURL?: URL | null, attempts?: number | null, expireAt?: number | null, nonce?: string | null, message?: string | null); + static fromJSON(data: VerificationJSON): Verification; +} +export declare class OrganizationDomainVerification { + readonly status: string; + readonly strategy: string; + readonly attempts: number | null; + readonly expireAt: number | null; + constructor(status: string, strategy: string, attempts?: number | null, expireAt?: number | null); + static fromJSON(data: OrganizationDomainVerificationJSON): OrganizationDomainVerification; +} +//# sourceMappingURL=Verification.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Verification.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/Verification.d.ts.map new file mode 100644 index 000000000..5c5ca622b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Verification.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"Verification.d.ts","sourceRoot":"","sources":["../../../src/api/resources/Verification.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,kCAAkC,EAAE,gBAAgB,EAAE,MAAM,QAAQ,CAAC;AAEnF,qBAAa,YAAY;IAErB,QAAQ,CAAC,MAAM,EAAE,MAAM;IACvB,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,+BAA+B,EAAE,GAAG,GAAG,IAAI;IACpD,QAAQ,CAAC,QAAQ,EAAE,MAAM,GAAG,IAAI;IAChC,QAAQ,CAAC,QAAQ,EAAE,MAAM,GAAG,IAAI;IAChC,QAAQ,CAAC,KAAK,EAAE,MAAM,GAAG,IAAI;IAC7B,QAAQ,CAAC,OAAO,EAAE,MAAM,GAAG,IAAI;gBANtB,MAAM,EAAE,MAAM,EACd,QAAQ,EAAE,MAAM,EAChB,+BAA+B,GAAE,GAAG,GAAG,IAAW,EAClD,QAAQ,GAAE,MAAM,GAAG,IAAW,EAC9B,QAAQ,GAAE,MAAM,GAAG,IAAW,EAC9B,KAAK,GAAE,MAAM,GAAG,IAAW,EAC3B,OAAO,GAAE,MAAM,GAAG,IAAW;IAGxC,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,gBAAgB,GAAG,YAAY;CAUtD;AAED,qBAAa,8BAA8B;IAEvC,QAAQ,CAAC,MAAM,EAAE,MAAM;IACvB,QAAQ,CAAC,QAAQ,EAAE,MAAM;IACzB,QAAQ,CAAC,QAAQ,EAAE,MAAM,GAAG,IAAI;IAChC,QAAQ,CAAC,QAAQ,EAAE,MAAM,GAAG,IAAI;gBAHvB,MAAM,EAAE,MAAM,EACd,QAAQ,EAAE,MAAM,EAChB,QAAQ,GAAE,MAAM,GAAG,IAAW,EAC9B,QAAQ,GAAE,MAAM,GAAG,IAAW;IAGzC,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,kCAAkC,GAAG,8BAA8B;CAG1F"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Web3Wallet.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/Web3Wallet.d.ts new file mode 100644 index 000000000..94d985411 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Web3Wallet.d.ts @@ -0,0 +1,10 @@ +import type { Web3WalletJSON } from './JSON'; +import { Verification } from './Verification'; +export declare class Web3Wallet { + readonly id: string; + readonly web3Wallet: string; + readonly verification: Verification | null; + constructor(id: string, web3Wallet: string, verification: Verification | null); + static fromJSON(data: Web3WalletJSON): Web3Wallet; +} +//# sourceMappingURL=Web3Wallet.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Web3Wallet.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/Web3Wallet.d.ts.map new file mode 100644 index 000000000..02b05786b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Web3Wallet.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"Web3Wallet.d.ts","sourceRoot":"","sources":["../../../src/api/resources/Web3Wallet.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,cAAc,EAAE,MAAM,QAAQ,CAAC;AAC7C,OAAO,EAAE,YAAY,EAAE,MAAM,gBAAgB,CAAC;AAE9C,qBAAa,UAAU;IAEnB,QAAQ,CAAC,EAAE,EAAE,MAAM;IACnB,QAAQ,CAAC,UAAU,EAAE,MAAM;IAC3B,QAAQ,CAAC,YAAY,EAAE,YAAY,GAAG,IAAI;gBAFjC,EAAE,EAAE,MAAM,EACV,UAAU,EAAE,MAAM,EAClB,YAAY,EAAE,YAAY,GAAG,IAAI;IAG5C,MAAM,CAAC,QAAQ,CAAC,IAAI,EAAE,cAAc,GAAG,UAAU;CAGlD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Webhooks.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/Webhooks.d.ts new file mode 100644 index 000000000..95425118c --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Webhooks.d.ts @@ -0,0 +1,20 @@ +import type { DeletedObjectJSON, EmailJSON, OrganizationDomainJSON, OrganizationInvitationJSON, OrganizationJSON, OrganizationMembershipJSON, PermissionJSON, RoleJSON, SessionJSON, SMSMessageJSON, UserJSON } from './JSON'; +type Webhook = { + type: EvtType; + object: 'event'; + data: Data; +}; +export type UserWebhookEvent = Webhook<'user.created' | 'user.updated', UserJSON> | Webhook<'user.deleted', DeletedObjectJSON>; +export type EmailWebhookEvent = Webhook<'email.created', EmailJSON>; +export type SMSWebhookEvent = Webhook<'sms.created', SMSMessageJSON>; +export type SessionWebhookEvent = Webhook<'session.created' | 'session.ended' | 'session.removed' | 'session.revoked', SessionJSON>; +export type OrganizationWebhookEvent = Webhook<'organization.created' | 'organization.updated', OrganizationJSON> | Webhook<'organization.deleted', DeletedObjectJSON>; +export type OrganizationDomainWebhookEvent = Webhook<'organizationDomain.created' | 'organizationDomain.updated', OrganizationDomainJSON> | Webhook<'organizationDomain.deleted', DeletedObjectJSON>; +export type OrganizationMembershipWebhookEvent = Webhook<'organizationMembership.created' | 'organizationMembership.deleted' | 'organizationMembership.updated', OrganizationMembershipJSON>; +export type OrganizationInvitationWebhookEvent = Webhook<'organizationInvitation.accepted' | 'organizationInvitation.created' | 'organizationInvitation.revoked', OrganizationInvitationJSON>; +export type RoleWebhookEvent = Webhook<'role.created' | 'role.updated' | 'role.deleted', RoleJSON>; +export type PermissionWebhookEvent = Webhook<'permission.created' | 'permission.updated' | 'permission.deleted', PermissionJSON>; +export type WebhookEvent = UserWebhookEvent | SessionWebhookEvent | EmailWebhookEvent | SMSWebhookEvent | OrganizationWebhookEvent | OrganizationDomainWebhookEvent | OrganizationMembershipWebhookEvent | OrganizationInvitationWebhookEvent | RoleWebhookEvent | PermissionWebhookEvent; +export type WebhookEventType = WebhookEvent['type']; +export {}; +//# sourceMappingURL=Webhooks.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/Webhooks.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/Webhooks.d.ts.map new file mode 100644 index 000000000..4b3bc3c8b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/Webhooks.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"Webhooks.d.ts","sourceRoot":"","sources":["../../../src/api/resources/Webhooks.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EACV,iBAAiB,EACjB,SAAS,EACT,sBAAsB,EACtB,0BAA0B,EAC1B,gBAAgB,EAChB,0BAA0B,EAC1B,cAAc,EACd,QAAQ,EACR,WAAW,EACX,cAAc,EACd,QAAQ,EACT,MAAM,QAAQ,CAAC;AAEhB,KAAK,OAAO,CAAC,OAAO,EAAE,IAAI,IAAI;IAAE,IAAI,EAAE,OAAO,CAAC;IAAC,MAAM,EAAE,OAAO,CAAC;IAAC,IAAI,EAAE,IAAI,CAAA;CAAE,CAAC;AAE7E,MAAM,MAAM,gBAAgB,GACxB,OAAO,CAAC,cAAc,GAAG,cAAc,EAAE,QAAQ,CAAC,GAClD,OAAO,CAAC,cAAc,EAAE,iBAAiB,CAAC,CAAC;AAE/C,MAAM,MAAM,iBAAiB,GAAG,OAAO,CAAC,eAAe,EAAE,SAAS,CAAC,CAAC;AAEpE,MAAM,MAAM,eAAe,GAAG,OAAO,CAAC,aAAa,EAAE,cAAc,CAAC,CAAC;AAErE,MAAM,MAAM,mBAAmB,GAAG,OAAO,CACvC,iBAAiB,GAAG,eAAe,GAAG,iBAAiB,GAAG,iBAAiB,EAC3E,WAAW,CACZ,CAAC;AAEF,MAAM,MAAM,wBAAwB,GAChC,OAAO,CAAC,sBAAsB,GAAG,sBAAsB,EAAE,gBAAgB,CAAC,GAC1E,OAAO,CAAC,sBAAsB,EAAE,iBAAiB,CAAC,CAAC;AAEvD,MAAM,MAAM,8BAA8B,GACtC,OAAO,CAAC,4BAA4B,GAAG,4BAA4B,EAAE,sBAAsB,CAAC,GAC5F,OAAO,CAAC,4BAA4B,EAAE,iBAAiB,CAAC,CAAC;AAE7D,MAAM,MAAM,kCAAkC,GAAG,OAAO,CACtD,gCAAgC,GAAG,gCAAgC,GAAG,gCAAgC,EACtG,0BAA0B,CAC3B,CAAC;AAEF,MAAM,MAAM,kCAAkC,GAAG,OAAO,CACtD,iCAAiC,GAAG,gCAAgC,GAAG,gCAAgC,EACvG,0BAA0B,CAC3B,CAAC;AAEF,MAAM,MAAM,gBAAgB,GAAG,OAAO,CAAC,cAAc,GAAG,cAAc,GAAG,cAAc,EAAE,QAAQ,CAAC,CAAC;AAEnG,MAAM,MAAM,sBAAsB,GAAG,OAAO,CAC1C,oBAAoB,GAAG,oBAAoB,GAAG,oBAAoB,EAClE,cAAc,CACf,CAAC;AAEF,MAAM,MAAM,YAAY,GACpB,gBAAgB,GAChB,mBAAmB,GACnB,iBAAiB,GACjB,eAAe,GACf,wBAAwB,GACxB,8BAA8B,GAC9B,kCAAkC,GAClC,kCAAkC,GAClC,gBAAgB,GAChB,sBAAsB,CAAC;AAE3B,MAAM,MAAM,gBAAgB,GAAG,YAAY,CAAC,MAAM,CAAC,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/index.d.ts b/backend/node_modules/@clerk/backend/dist/api/resources/index.d.ts new file mode 100644 index 000000000..2d5bfaeb2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/index.d.ts @@ -0,0 +1,29 @@ +export * from './AccountlessApplication'; +export * from './AllowlistIdentifier'; +export * from './Client'; +export * from './Cookies'; +export * from './DeletedObject'; +export * from './Email'; +export * from './EmailAddress'; +export type { InvitationStatus, OAuthProvider, OAuthStrategy, OrganizationInvitationStatus, OrganizationMembershipRole, SignInStatus, SignUpStatus, } from './Enums'; +export * from './ExternalAccount'; +export * from './IdentificationLink'; +export * from './Invitation'; +export * from './JSON'; +export * from './OauthAccessToken'; +export * from './Organization'; +export * from './OrganizationInvitation'; +export * from './OrganizationMembership'; +export * from './PhoneNumber'; +export * from './RedirectUrl'; +export * from './Session'; +export * from './SignInTokens'; +export * from './SMSMessage'; +export * from './Token'; +export * from './User'; +export * from './Verification'; +export * from './SamlConnection'; +export * from './TestingToken'; +export type { EmailWebhookEvent, OrganizationWebhookEvent, OrganizationDomainWebhookEvent, OrganizationInvitationWebhookEvent, OrganizationMembershipWebhookEvent, PermissionWebhookEvent, RoleWebhookEvent, SessionWebhookEvent, SMSWebhookEvent, UserWebhookEvent, WebhookEvent, WebhookEventType, } from './Webhooks'; +export * from './OrganizationDomain'; +//# sourceMappingURL=index.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/api/resources/index.d.ts.map b/backend/node_modules/@clerk/backend/dist/api/resources/index.d.ts.map new file mode 100644 index 000000000..f830ba07b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/api/resources/index.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"index.d.ts","sourceRoot":"","sources":["../../../src/api/resources/index.ts"],"names":[],"mappings":"AAAA,cAAc,0BAA0B,CAAC;AACzC,cAAc,uBAAuB,CAAC;AACtC,cAAc,UAAU,CAAC;AACzB,cAAc,WAAW,CAAC;AAC1B,cAAc,iBAAiB,CAAC;AAChC,cAAc,SAAS,CAAC;AACxB,cAAc,gBAAgB,CAAC;AAE/B,YAAY,EACV,gBAAgB,EAChB,aAAa,EACb,aAAa,EACb,4BAA4B,EAC5B,0BAA0B,EAC1B,YAAY,EACZ,YAAY,GACb,MAAM,SAAS,CAAC;AAEjB,cAAc,mBAAmB,CAAC;AAClC,cAAc,sBAAsB,CAAC;AACrC,cAAc,cAAc,CAAC;AAC7B,cAAc,QAAQ,CAAC;AACvB,cAAc,oBAAoB,CAAC;AACnC,cAAc,gBAAgB,CAAC;AAC/B,cAAc,0BAA0B,CAAC;AACzC,cAAc,0BAA0B,CAAC;AACzC,cAAc,eAAe,CAAC;AAC9B,cAAc,eAAe,CAAC;AAC9B,cAAc,WAAW,CAAC;AAC1B,cAAc,gBAAgB,CAAC;AAC/B,cAAc,cAAc,CAAC;AAC7B,cAAc,SAAS,CAAC;AACxB,cAAc,QAAQ,CAAC;AACvB,cAAc,gBAAgB,CAAC;AAC/B,cAAc,kBAAkB,CAAC;AACjC,cAAc,gBAAgB,CAAC;AAE/B,YAAY,EACV,iBAAiB,EACjB,wBAAwB,EACxB,8BAA8B,EAC9B,kCAAkC,EAClC,kCAAkC,EAClC,sBAAsB,EACtB,gBAAgB,EAChB,mBAAmB,EACnB,eAAe,EACf,gBAAgB,EAChB,YAAY,EACZ,gBAAgB,GACjB,MAAM,YAAY,CAAC;AAEpB,cAAc,sBAAsB,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/chunk-5JS2VYLU.mjs b/backend/node_modules/@clerk/backend/dist/chunk-5JS2VYLU.mjs new file mode 100644 index 000000000..609bc1381 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/chunk-5JS2VYLU.mjs @@ -0,0 +1,55 @@ +// src/errors.ts +var TokenVerificationErrorCode = { + InvalidSecretKey: "clerk_key_invalid" +}; +var TokenVerificationErrorReason = { + TokenExpired: "token-expired", + TokenInvalid: "token-invalid", + TokenInvalidAlgorithm: "token-invalid-algorithm", + TokenInvalidAuthorizedParties: "token-invalid-authorized-parties", + TokenInvalidSignature: "token-invalid-signature", + TokenNotActiveYet: "token-not-active-yet", + TokenIatInTheFuture: "token-iat-in-the-future", + TokenVerificationFailed: "token-verification-failed", + InvalidSecretKey: "secret-key-invalid", + LocalJWKMissing: "jwk-local-missing", + RemoteJWKFailedToLoad: "jwk-remote-failed-to-load", + RemoteJWKInvalid: "jwk-remote-invalid", + RemoteJWKMissing: "jwk-remote-missing", + JWKFailedToResolve: "jwk-failed-to-resolve", + JWKKidMismatch: "jwk-kid-mismatch" +}; +var TokenVerificationErrorAction = { + ContactSupport: "Contact support@clerk.com", + EnsureClerkJWT: "Make sure that this is a valid Clerk generate JWT.", + SetClerkJWTKey: "Set the CLERK_JWT_KEY environment variable.", + SetClerkSecretKey: "Set the CLERK_SECRET_KEY environment variable.", + EnsureClockSync: "Make sure your system clock is in sync (e.g. turn off and on automatic time synchronization)." +}; +var TokenVerificationError = class _TokenVerificationError extends Error { + constructor({ + action, + message, + reason + }) { + super(message); + Object.setPrototypeOf(this, _TokenVerificationError.prototype); + this.reason = reason; + this.message = message; + this.action = action; + } + getFullMessage() { + return `${[this.message, this.action].filter((m) => m).join(" ")} (reason=${this.reason}, token-carrier=${this.tokenCarrier})`; + } +}; +var SignJWTError = class extends Error { +}; + +export { + TokenVerificationErrorCode, + TokenVerificationErrorReason, + TokenVerificationErrorAction, + TokenVerificationError, + SignJWTError +}; +//# sourceMappingURL=chunk-5JS2VYLU.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/chunk-5JS2VYLU.mjs.map b/backend/node_modules/@clerk/backend/dist/chunk-5JS2VYLU.mjs.map new file mode 100644 index 000000000..d03a07389 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/chunk-5JS2VYLU.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/errors.ts"],"sourcesContent":["export type TokenCarrier = 'header' | 'cookie';\n\nexport const TokenVerificationErrorCode = {\n InvalidSecretKey: 'clerk_key_invalid',\n};\n\nexport type TokenVerificationErrorCode = (typeof TokenVerificationErrorCode)[keyof typeof TokenVerificationErrorCode];\n\nexport const TokenVerificationErrorReason = {\n TokenExpired: 'token-expired',\n TokenInvalid: 'token-invalid',\n TokenInvalidAlgorithm: 'token-invalid-algorithm',\n TokenInvalidAuthorizedParties: 'token-invalid-authorized-parties',\n TokenInvalidSignature: 'token-invalid-signature',\n TokenNotActiveYet: 'token-not-active-yet',\n TokenIatInTheFuture: 'token-iat-in-the-future',\n TokenVerificationFailed: 'token-verification-failed',\n InvalidSecretKey: 'secret-key-invalid',\n LocalJWKMissing: 'jwk-local-missing',\n RemoteJWKFailedToLoad: 'jwk-remote-failed-to-load',\n RemoteJWKInvalid: 'jwk-remote-invalid',\n RemoteJWKMissing: 'jwk-remote-missing',\n JWKFailedToResolve: 'jwk-failed-to-resolve',\n JWKKidMismatch: 'jwk-kid-mismatch',\n};\n\nexport type TokenVerificationErrorReason =\n (typeof TokenVerificationErrorReason)[keyof typeof TokenVerificationErrorReason];\n\nexport const TokenVerificationErrorAction = {\n ContactSupport: 'Contact support@clerk.com',\n EnsureClerkJWT: 'Make sure that this is a valid Clerk generate JWT.',\n SetClerkJWTKey: 'Set the CLERK_JWT_KEY environment variable.',\n SetClerkSecretKey: 'Set the CLERK_SECRET_KEY environment variable.',\n EnsureClockSync: 'Make sure your system clock is in sync (e.g. turn off and on automatic time synchronization).',\n};\n\nexport type TokenVerificationErrorAction =\n (typeof TokenVerificationErrorAction)[keyof typeof TokenVerificationErrorAction];\n\nexport class TokenVerificationError extends Error {\n action?: TokenVerificationErrorAction;\n reason: TokenVerificationErrorReason;\n tokenCarrier?: TokenCarrier;\n\n constructor({\n action,\n message,\n reason,\n }: {\n action?: TokenVerificationErrorAction;\n message: string;\n reason: TokenVerificationErrorReason;\n }) {\n super(message);\n\n Object.setPrototypeOf(this, TokenVerificationError.prototype);\n\n this.reason = reason;\n this.message = message;\n this.action = action;\n }\n\n public getFullMessage() {\n return `${[this.message, this.action].filter(m => m).join(' ')} (reason=${this.reason}, token-carrier=${\n this.tokenCarrier\n })`;\n }\n}\n\nexport class SignJWTError extends Error {}\n"],"mappings":";AAEO,IAAM,6BAA6B;AAAA,EACxC,kBAAkB;AACpB;AAIO,IAAM,+BAA+B;AAAA,EAC1C,cAAc;AAAA,EACd,cAAc;AAAA,EACd,uBAAuB;AAAA,EACvB,+BAA+B;AAAA,EAC/B,uBAAuB;AAAA,EACvB,mBAAmB;AAAA,EACnB,qBAAqB;AAAA,EACrB,yBAAyB;AAAA,EACzB,kBAAkB;AAAA,EAClB,iBAAiB;AAAA,EACjB,uBAAuB;AAAA,EACvB,kBAAkB;AAAA,EAClB,kBAAkB;AAAA,EAClB,oBAAoB;AAAA,EACpB,gBAAgB;AAClB;AAKO,IAAM,+BAA+B;AAAA,EAC1C,gBAAgB;AAAA,EAChB,gBAAgB;AAAA,EAChB,gBAAgB;AAAA,EAChB,mBAAmB;AAAA,EACnB,iBAAiB;AACnB;AAKO,IAAM,yBAAN,MAAM,gCAA+B,MAAM;AAAA,EAKhD,YAAY;AAAA,IACV;AAAA,IACA;AAAA,IACA;AAAA,EACF,GAIG;AACD,UAAM,OAAO;AAEb,WAAO,eAAe,MAAM,wBAAuB,SAAS;AAE5D,SAAK,SAAS;AACd,SAAK,UAAU;AACf,SAAK,SAAS;AAAA,EAChB;AAAA,EAEO,iBAAiB;AACtB,WAAO,GAAG,CAAC,KAAK,SAAS,KAAK,MAAM,EAAE,OAAO,OAAK,CAAC,EAAE,KAAK,GAAG,CAAC,YAAY,KAAK,MAAM,mBACnF,KAAK,YACP;AAAA,EACF;AACF;AAEO,IAAM,eAAN,cAA2B,MAAM;AAAC;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/chunk-AT3FJU3M.mjs b/backend/node_modules/@clerk/backend/dist/chunk-AT3FJU3M.mjs new file mode 100644 index 000000000..bc3d033bf --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/chunk-AT3FJU3M.mjs @@ -0,0 +1,393 @@ +import { + TokenVerificationError, + TokenVerificationErrorAction, + TokenVerificationErrorReason +} from "./chunk-5JS2VYLU.mjs"; + +// src/runtime.ts +import { webcrypto as crypto } from "#crypto"; +var globalFetch = fetch.bind(globalThis); +var runtime = { + crypto, + get fetch() { + return process.env.NODE_ENV === "test" ? fetch : globalFetch; + }, + AbortController: globalThis.AbortController, + Blob: globalThis.Blob, + FormData: globalThis.FormData, + Headers: globalThis.Headers, + Request: globalThis.Request, + Response: globalThis.Response +}; + +// src/util/rfc4648.ts +var base64url = { + parse(string, opts) { + return parse(string, base64UrlEncoding, opts); + }, + stringify(data, opts) { + return stringify(data, base64UrlEncoding, opts); + } +}; +var base64UrlEncoding = { + chars: "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_", + bits: 6 +}; +function parse(string, encoding, opts = {}) { + if (!encoding.codes) { + encoding.codes = {}; + for (let i = 0; i < encoding.chars.length; ++i) { + encoding.codes[encoding.chars[i]] = i; + } + } + if (!opts.loose && string.length * encoding.bits & 7) { + throw new SyntaxError("Invalid padding"); + } + let end = string.length; + while (string[end - 1] === "=") { + --end; + if (!opts.loose && !((string.length - end) * encoding.bits & 7)) { + throw new SyntaxError("Invalid padding"); + } + } + const out = new (opts.out ?? Uint8Array)(end * encoding.bits / 8 | 0); + let bits = 0; + let buffer = 0; + let written = 0; + for (let i = 0; i < end; ++i) { + const value = encoding.codes[string[i]]; + if (value === void 0) { + throw new SyntaxError("Invalid character " + string[i]); + } + buffer = buffer << encoding.bits | value; + bits += encoding.bits; + if (bits >= 8) { + bits -= 8; + out[written++] = 255 & buffer >> bits; + } + } + if (bits >= encoding.bits || 255 & buffer << 8 - bits) { + throw new SyntaxError("Unexpected end of data"); + } + return out; +} +function stringify(data, encoding, opts = {}) { + const { pad = true } = opts; + const mask = (1 << encoding.bits) - 1; + let out = ""; + let bits = 0; + let buffer = 0; + for (let i = 0; i < data.length; ++i) { + buffer = buffer << 8 | 255 & data[i]; + bits += 8; + while (bits > encoding.bits) { + bits -= encoding.bits; + out += encoding.chars[mask & buffer >> bits]; + } + } + if (bits) { + out += encoding.chars[mask & buffer << encoding.bits - bits]; + } + if (pad) { + while (out.length * encoding.bits & 7) { + out += "="; + } + } + return out; +} + +// src/jwt/algorithms.ts +var algToHash = { + RS256: "SHA-256", + RS384: "SHA-384", + RS512: "SHA-512" +}; +var RSA_ALGORITHM_NAME = "RSASSA-PKCS1-v1_5"; +var jwksAlgToCryptoAlg = { + RS256: RSA_ALGORITHM_NAME, + RS384: RSA_ALGORITHM_NAME, + RS512: RSA_ALGORITHM_NAME +}; +var algs = Object.keys(algToHash); +function getCryptoAlgorithm(algorithmName) { + const hash = algToHash[algorithmName]; + const name = jwksAlgToCryptoAlg[algorithmName]; + if (!hash || !name) { + throw new Error(`Unsupported algorithm ${algorithmName}, expected one of ${algs.join(",")}.`); + } + return { + hash: { name: algToHash[algorithmName] }, + name: jwksAlgToCryptoAlg[algorithmName] + }; +} + +// src/jwt/assertions.ts +var isArrayString = (s) => { + return Array.isArray(s) && s.length > 0 && s.every((a) => typeof a === "string"); +}; +var assertAudienceClaim = (aud, audience) => { + const audienceList = [audience].flat().filter((a) => !!a); + const audList = [aud].flat().filter((a) => !!a); + const shouldVerifyAudience = audienceList.length > 0 && audList.length > 0; + if (!shouldVerifyAudience) { + return; + } + if (typeof aud === "string") { + if (!audienceList.includes(aud)) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT audience claim (aud) ${JSON.stringify(aud)}. Is not included in "${JSON.stringify( + audienceList + )}".` + }); + } + } else if (isArrayString(aud)) { + if (!aud.some((a) => audienceList.includes(a))) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT audience claim array (aud) ${JSON.stringify(aud)}. Is not included in "${JSON.stringify( + audienceList + )}".` + }); + } + } +}; +var assertHeaderType = (typ) => { + if (typeof typ === "undefined") { + return; + } + if (typ !== "JWT") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenInvalid, + message: `Invalid JWT type ${JSON.stringify(typ)}. Expected "JWT".` + }); + } +}; +var assertHeaderAlgorithm = (alg) => { + if (!algs.includes(alg)) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenInvalidAlgorithm, + message: `Invalid JWT algorithm ${JSON.stringify(alg)}. Supported: ${algs}.` + }); + } +}; +var assertSubClaim = (sub) => { + if (typeof sub !== "string") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Subject claim (sub) is required and must be a string. Received ${JSON.stringify(sub)}.` + }); + } +}; +var assertAuthorizedPartiesClaim = (azp, authorizedParties) => { + if (!azp || !authorizedParties || authorizedParties.length === 0) { + return; + } + if (!authorizedParties.includes(azp)) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalidAuthorizedParties, + message: `Invalid JWT Authorized party claim (azp) ${JSON.stringify(azp)}. Expected "${authorizedParties}".` + }); + } +}; +var assertExpirationClaim = (exp, clockSkewInMs) => { + if (typeof exp !== "number") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT expiry date claim (exp) ${JSON.stringify(exp)}. Expected number.` + }); + } + const currentDate = new Date(Date.now()); + const expiryDate = /* @__PURE__ */ new Date(0); + expiryDate.setUTCSeconds(exp); + const expired = expiryDate.getTime() <= currentDate.getTime() - clockSkewInMs; + if (expired) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenExpired, + message: `JWT is expired. Expiry date: ${expiryDate.toUTCString()}, Current date: ${currentDate.toUTCString()}.` + }); + } +}; +var assertActivationClaim = (nbf, clockSkewInMs) => { + if (typeof nbf === "undefined") { + return; + } + if (typeof nbf !== "number") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT not before date claim (nbf) ${JSON.stringify(nbf)}. Expected number.` + }); + } + const currentDate = new Date(Date.now()); + const notBeforeDate = /* @__PURE__ */ new Date(0); + notBeforeDate.setUTCSeconds(nbf); + const early = notBeforeDate.getTime() > currentDate.getTime() + clockSkewInMs; + if (early) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenNotActiveYet, + message: `JWT cannot be used prior to not before date claim (nbf). Not before date: ${notBeforeDate.toUTCString()}; Current date: ${currentDate.toUTCString()};` + }); + } +}; +var assertIssuedAtClaim = (iat, clockSkewInMs) => { + if (typeof iat === "undefined") { + return; + } + if (typeof iat !== "number") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT issued at date claim (iat) ${JSON.stringify(iat)}. Expected number.` + }); + } + const currentDate = new Date(Date.now()); + const issuedAtDate = /* @__PURE__ */ new Date(0); + issuedAtDate.setUTCSeconds(iat); + const postIssued = issuedAtDate.getTime() > currentDate.getTime() + clockSkewInMs; + if (postIssued) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenIatInTheFuture, + message: `JWT issued at date claim (iat) is in the future. Issued at date: ${issuedAtDate.toUTCString()}; Current date: ${currentDate.toUTCString()};` + }); + } +}; + +// src/jwt/cryptoKeys.ts +import { isomorphicAtob } from "@clerk/shared/isomorphicAtob"; +function pemToBuffer(secret) { + const trimmed = secret.replace(/-----BEGIN.*?-----/g, "").replace(/-----END.*?-----/g, "").replace(/\s/g, ""); + const decoded = isomorphicAtob(trimmed); + const buffer = new ArrayBuffer(decoded.length); + const bufView = new Uint8Array(buffer); + for (let i = 0, strLen = decoded.length; i < strLen; i++) { + bufView[i] = decoded.charCodeAt(i); + } + return bufView; +} +function importKey(key, algorithm, keyUsage) { + if (typeof key === "object") { + return runtime.crypto.subtle.importKey("jwk", key, algorithm, false, [keyUsage]); + } + const keyData = pemToBuffer(key); + const format = keyUsage === "sign" ? "pkcs8" : "spki"; + return runtime.crypto.subtle.importKey(format, keyData, algorithm, false, [keyUsage]); +} + +// src/jwt/verifyJwt.ts +var DEFAULT_CLOCK_SKEW_IN_SECONDS = 5 * 1e3; +async function hasValidSignature(jwt, key) { + const { header, signature, raw } = jwt; + const encoder = new TextEncoder(); + const data = encoder.encode([raw.header, raw.payload].join(".")); + const algorithm = getCryptoAlgorithm(header.alg); + try { + const cryptoKey = await importKey(key, algorithm, "verify"); + const verified = await runtime.crypto.subtle.verify(algorithm.name, cryptoKey, signature, data); + return { data: verified }; + } catch (error) { + return { + errors: [ + new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalidSignature, + message: error?.message + }) + ] + }; + } +} +function decodeJwt(token) { + const tokenParts = (token || "").toString().split("."); + if (tokenParts.length !== 3) { + return { + errors: [ + new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalid, + message: `Invalid JWT form. A JWT consists of three parts separated by dots.` + }) + ] + }; + } + const [rawHeader, rawPayload, rawSignature] = tokenParts; + const decoder = new TextDecoder(); + const header = JSON.parse(decoder.decode(base64url.parse(rawHeader, { loose: true }))); + const payload = JSON.parse(decoder.decode(base64url.parse(rawPayload, { loose: true }))); + const signature = base64url.parse(rawSignature, { loose: true }); + const data = { + header, + payload, + signature, + raw: { + header: rawHeader, + payload: rawPayload, + signature: rawSignature, + text: token + } + }; + return { data }; +} +async function verifyJwt(token, options) { + const { audience, authorizedParties, clockSkewInMs, key } = options; + const clockSkew = clockSkewInMs || DEFAULT_CLOCK_SKEW_IN_SECONDS; + const { data: decoded, errors } = decodeJwt(token); + if (errors) { + return { errors }; + } + const { header, payload } = decoded; + try { + const { typ, alg } = header; + assertHeaderType(typ); + assertHeaderAlgorithm(alg); + const { azp, sub, aud, iat, exp, nbf } = payload; + assertSubClaim(sub); + assertAudienceClaim([aud], [audience]); + assertAuthorizedPartiesClaim(azp, authorizedParties); + assertExpirationClaim(exp, clockSkew); + assertActivationClaim(nbf, clockSkew); + assertIssuedAtClaim(iat, clockSkew); + } catch (err) { + return { errors: [err] }; + } + const { data: signatureValid, errors: signatureErrors } = await hasValidSignature(decoded, key); + if (signatureErrors) { + return { + errors: [ + new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Error verifying JWT signature. ${signatureErrors[0]}` + }) + ] + }; + } + if (!signatureValid) { + return { + errors: [ + new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalidSignature, + message: "JWT signature is invalid." + }) + ] + }; + } + return { data: payload }; +} + +export { + runtime, + base64url, + getCryptoAlgorithm, + assertHeaderType, + assertHeaderAlgorithm, + importKey, + hasValidSignature, + decodeJwt, + verifyJwt +}; +//# sourceMappingURL=chunk-AT3FJU3M.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/chunk-AT3FJU3M.mjs.map b/backend/node_modules/@clerk/backend/dist/chunk-AT3FJU3M.mjs.map new file mode 100644 index 000000000..26d5a7372 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/chunk-AT3FJU3M.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/runtime.ts","../src/util/rfc4648.ts","../src/jwt/algorithms.ts","../src/jwt/assertions.ts","../src/jwt/cryptoKeys.ts","../src/jwt/verifyJwt.ts"],"sourcesContent":["/**\n * This file exports APIs that vary across runtimes (i.e. Node & Browser - V8 isolates)\n * as a singleton object.\n *\n * Runtime polyfills are written in VanillaJS for now to avoid TS complication. Moreover,\n * due to this issue https://github.com/microsoft/TypeScript/issues/44848, there is not a good way\n * to tell Typescript which conditional import to use during build type.\n *\n * The Runtime type definition ensures type safety for now.\n * Runtime js modules are copied into dist folder with bash script.\n *\n * TODO: Support TS runtime modules\n */\n\n// @ts-ignore - These are package subpaths\nimport { webcrypto as crypto } from '#crypto';\n\ntype Runtime = {\n crypto: Crypto;\n fetch: typeof globalThis.fetch;\n AbortController: typeof globalThis.AbortController;\n Blob: typeof globalThis.Blob;\n FormData: typeof globalThis.FormData;\n Headers: typeof globalThis.Headers;\n Request: typeof globalThis.Request;\n Response: typeof globalThis.Response;\n};\n\n// Invoking the global.fetch without binding it first to the globalObject fails in\n// Cloudflare Workers with an \"Illegal Invocation\" error.\n//\n// The globalThis object is supported for Node >= 12.0.\n//\n// https://github.com/supabase/supabase/issues/4417\nconst globalFetch = fetch.bind(globalThis);\n\nexport const runtime: Runtime = {\n crypto,\n get fetch() {\n // We need to use the globalFetch for Cloudflare Workers but the fetch for testing\n return process.env.NODE_ENV === 'test' ? fetch : globalFetch;\n },\n AbortController: globalThis.AbortController,\n Blob: globalThis.Blob,\n FormData: globalThis.FormData,\n Headers: globalThis.Headers,\n Request: globalThis.Request,\n Response: globalThis.Response,\n};\n","/**\n * The base64url helper was extracted from the rfc4648 package\n * in order to resolve CSJ/ESM interoperability issues\n *\n * https://github.com/swansontec/rfc4648.js\n *\n * For more context please refer to:\n * - https://github.com/evanw/esbuild/issues/1719\n * - https://github.com/evanw/esbuild/issues/532\n * - https://github.com/swansontec/rollup-plugin-mjs-entry\n */\nexport const base64url = {\n parse(string: string, opts?: ParseOptions): Uint8Array {\n return parse(string, base64UrlEncoding, opts);\n },\n\n stringify(data: ArrayLike, opts?: StringifyOptions): string {\n return stringify(data, base64UrlEncoding, opts);\n },\n};\n\nconst base64UrlEncoding: Encoding = {\n chars: 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_',\n bits: 6,\n};\n\ninterface Encoding {\n bits: number;\n chars: string;\n codes?: { [char: string]: number };\n}\n\ninterface ParseOptions {\n loose?: boolean;\n out?: new (size: number) => { [index: number]: number };\n}\n\ninterface StringifyOptions {\n pad?: boolean;\n}\n\nfunction parse(string: string, encoding: Encoding, opts: ParseOptions = {}): Uint8Array {\n // Build the character lookup table:\n if (!encoding.codes) {\n encoding.codes = {};\n for (let i = 0; i < encoding.chars.length; ++i) {\n encoding.codes[encoding.chars[i]] = i;\n }\n }\n\n // The string must have a whole number of bytes:\n if (!opts.loose && (string.length * encoding.bits) & 7) {\n throw new SyntaxError('Invalid padding');\n }\n\n // Count the padding bytes:\n let end = string.length;\n while (string[end - 1] === '=') {\n --end;\n\n // If we get a whole number of bytes, there is too much padding:\n if (!opts.loose && !(((string.length - end) * encoding.bits) & 7)) {\n throw new SyntaxError('Invalid padding');\n }\n }\n\n // Allocate the output:\n const out = new (opts.out ?? Uint8Array)(((end * encoding.bits) / 8) | 0) as Uint8Array;\n\n // Parse the data:\n let bits = 0; // Number of bits currently in the buffer\n let buffer = 0; // Bits waiting to be written out, MSB first\n let written = 0; // Next byte to write\n for (let i = 0; i < end; ++i) {\n // Read one character from the string:\n const value = encoding.codes[string[i]];\n if (value === undefined) {\n throw new SyntaxError('Invalid character ' + string[i]);\n }\n\n // Append the bits to the buffer:\n buffer = (buffer << encoding.bits) | value;\n bits += encoding.bits;\n\n // Write out some bits if the buffer has a byte's worth:\n if (bits >= 8) {\n bits -= 8;\n out[written++] = 0xff & (buffer >> bits);\n }\n }\n\n // Verify that we have received just enough bits:\n if (bits >= encoding.bits || 0xff & (buffer << (8 - bits))) {\n throw new SyntaxError('Unexpected end of data');\n }\n\n return out;\n}\n\nfunction stringify(data: ArrayLike, encoding: Encoding, opts: StringifyOptions = {}): string {\n const { pad = true } = opts;\n const mask = (1 << encoding.bits) - 1;\n let out = '';\n\n let bits = 0; // Number of bits currently in the buffer\n let buffer = 0; // Bits waiting to be written out, MSB first\n for (let i = 0; i < data.length; ++i) {\n // Slurp data into the buffer:\n buffer = (buffer << 8) | (0xff & data[i]);\n bits += 8;\n\n // Write out as much as we can:\n while (bits > encoding.bits) {\n bits -= encoding.bits;\n out += encoding.chars[mask & (buffer >> bits)];\n }\n }\n\n // Partial character:\n if (bits) {\n out += encoding.chars[mask & (buffer << (encoding.bits - bits))];\n }\n\n // Add padding characters until we hit a byte boundary:\n if (pad) {\n while ((out.length * encoding.bits) & 7) {\n out += '=';\n }\n }\n\n return out;\n}\n","const algToHash: Record = {\n RS256: 'SHA-256',\n RS384: 'SHA-384',\n RS512: 'SHA-512',\n};\nconst RSA_ALGORITHM_NAME = 'RSASSA-PKCS1-v1_5';\n\nconst jwksAlgToCryptoAlg: Record = {\n RS256: RSA_ALGORITHM_NAME,\n RS384: RSA_ALGORITHM_NAME,\n RS512: RSA_ALGORITHM_NAME,\n};\n\nexport const algs = Object.keys(algToHash);\n\nexport function getCryptoAlgorithm(algorithmName: string): RsaHashedImportParams {\n const hash = algToHash[algorithmName];\n const name = jwksAlgToCryptoAlg[algorithmName];\n\n if (!hash || !name) {\n throw new Error(`Unsupported algorithm ${algorithmName}, expected one of ${algs.join(',')}.`);\n }\n\n return {\n hash: { name: algToHash[algorithmName] },\n name: jwksAlgToCryptoAlg[algorithmName],\n };\n}\n","import { TokenVerificationError, TokenVerificationErrorAction, TokenVerificationErrorReason } from '../errors';\nimport { algs } from './algorithms';\n\nexport type IssuerResolver = string | ((iss: string) => boolean);\n\nconst isArrayString = (s: unknown): s is string[] => {\n return Array.isArray(s) && s.length > 0 && s.every(a => typeof a === 'string');\n};\n\nexport const assertAudienceClaim = (aud?: unknown, audience?: unknown) => {\n const audienceList = [audience].flat().filter(a => !!a);\n const audList = [aud].flat().filter(a => !!a);\n const shouldVerifyAudience = audienceList.length > 0 && audList.length > 0;\n\n if (!shouldVerifyAudience) {\n // Notice: Clerk JWTs use AZP claim instead of Audience\n //\n // return {\n // valid: false,\n // reason: `Invalid JWT audience claim (aud) ${JSON.stringify(\n // aud,\n // )}. Expected a string or a non-empty array of strings.`,\n // };\n return;\n }\n\n if (typeof aud === 'string') {\n if (!audienceList.includes(aud)) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT audience claim (aud) ${JSON.stringify(aud)}. Is not included in \"${JSON.stringify(\n audienceList,\n )}\".`,\n });\n }\n } else if (isArrayString(aud)) {\n if (!aud.some(a => audienceList.includes(a))) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT audience claim array (aud) ${JSON.stringify(aud)}. Is not included in \"${JSON.stringify(\n audienceList,\n )}\".`,\n });\n }\n }\n};\n\nexport const assertHeaderType = (typ?: unknown) => {\n if (typeof typ === 'undefined') {\n return;\n }\n\n if (typ !== 'JWT') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenInvalid,\n message: `Invalid JWT type ${JSON.stringify(typ)}. Expected \"JWT\".`,\n });\n }\n};\n\nexport const assertHeaderAlgorithm = (alg: string) => {\n if (!algs.includes(alg)) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenInvalidAlgorithm,\n message: `Invalid JWT algorithm ${JSON.stringify(alg)}. Supported: ${algs}.`,\n });\n }\n};\n\nexport const assertSubClaim = (sub?: string) => {\n if (typeof sub !== 'string') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Subject claim (sub) is required and must be a string. Received ${JSON.stringify(sub)}.`,\n });\n }\n};\n\nexport const assertAuthorizedPartiesClaim = (azp?: string, authorizedParties?: string[]) => {\n if (!azp || !authorizedParties || authorizedParties.length === 0) {\n return;\n }\n\n if (!authorizedParties.includes(azp)) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalidAuthorizedParties,\n message: `Invalid JWT Authorized party claim (azp) ${JSON.stringify(azp)}. Expected \"${authorizedParties}\".`,\n });\n }\n};\n\nexport const assertExpirationClaim = (exp: number, clockSkewInMs: number) => {\n if (typeof exp !== 'number') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT expiry date claim (exp) ${JSON.stringify(exp)}. Expected number.`,\n });\n }\n\n const currentDate = new Date(Date.now());\n const expiryDate = new Date(0);\n expiryDate.setUTCSeconds(exp);\n\n const expired = expiryDate.getTime() <= currentDate.getTime() - clockSkewInMs;\n if (expired) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenExpired,\n message: `JWT is expired. Expiry date: ${expiryDate.toUTCString()}, Current date: ${currentDate.toUTCString()}.`,\n });\n }\n};\n\nexport const assertActivationClaim = (nbf: number | undefined, clockSkewInMs: number) => {\n if (typeof nbf === 'undefined') {\n return;\n }\n\n if (typeof nbf !== 'number') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT not before date claim (nbf) ${JSON.stringify(nbf)}. Expected number.`,\n });\n }\n\n const currentDate = new Date(Date.now());\n const notBeforeDate = new Date(0);\n notBeforeDate.setUTCSeconds(nbf);\n\n const early = notBeforeDate.getTime() > currentDate.getTime() + clockSkewInMs;\n if (early) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenNotActiveYet,\n message: `JWT cannot be used prior to not before date claim (nbf). Not before date: ${notBeforeDate.toUTCString()}; Current date: ${currentDate.toUTCString()};`,\n });\n }\n};\n\nexport const assertIssuedAtClaim = (iat: number | undefined, clockSkewInMs: number) => {\n if (typeof iat === 'undefined') {\n return;\n }\n\n if (typeof iat !== 'number') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT issued at date claim (iat) ${JSON.stringify(iat)}. Expected number.`,\n });\n }\n\n const currentDate = new Date(Date.now());\n const issuedAtDate = new Date(0);\n issuedAtDate.setUTCSeconds(iat);\n\n const postIssued = issuedAtDate.getTime() > currentDate.getTime() + clockSkewInMs;\n if (postIssued) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenIatInTheFuture,\n message: `JWT issued at date claim (iat) is in the future. Issued at date: ${issuedAtDate.toUTCString()}; Current date: ${currentDate.toUTCString()};`,\n });\n }\n};\n","import { isomorphicAtob } from '@clerk/shared/isomorphicAtob';\n\nimport { runtime } from '../runtime';\n\n// https://developer.mozilla.org/en-US/docs/Web/API/SubtleCrypto/importKey#pkcs_8_import\nfunction pemToBuffer(secret: string): ArrayBuffer {\n const trimmed = secret\n .replace(/-----BEGIN.*?-----/g, '')\n .replace(/-----END.*?-----/g, '')\n .replace(/\\s/g, '');\n\n const decoded = isomorphicAtob(trimmed);\n\n const buffer = new ArrayBuffer(decoded.length);\n const bufView = new Uint8Array(buffer);\n\n for (let i = 0, strLen = decoded.length; i < strLen; i++) {\n bufView[i] = decoded.charCodeAt(i);\n }\n\n return bufView;\n}\n\nexport function importKey(\n key: JsonWebKey | string,\n algorithm: RsaHashedImportParams,\n keyUsage: 'verify' | 'sign',\n): Promise {\n if (typeof key === 'object') {\n return runtime.crypto.subtle.importKey('jwk', key, algorithm, false, [keyUsage]);\n }\n\n const keyData = pemToBuffer(key);\n const format = keyUsage === 'sign' ? 'pkcs8' : 'spki';\n\n return runtime.crypto.subtle.importKey(format, keyData, algorithm, false, [keyUsage]);\n}\n","import type { Jwt, JwtPayload } from '@clerk/types';\n\nimport { TokenVerificationError, TokenVerificationErrorAction, TokenVerificationErrorReason } from '../errors';\nimport { runtime } from '../runtime';\nimport { base64url } from '../util/rfc4648';\nimport { getCryptoAlgorithm } from './algorithms';\nimport {\n assertActivationClaim,\n assertAudienceClaim,\n assertAuthorizedPartiesClaim,\n assertExpirationClaim,\n assertHeaderAlgorithm,\n assertHeaderType,\n assertIssuedAtClaim,\n assertSubClaim,\n} from './assertions';\nimport { importKey } from './cryptoKeys';\nimport type { JwtReturnType } from './types';\n\nconst DEFAULT_CLOCK_SKEW_IN_SECONDS = 5 * 1000;\n\nexport async function hasValidSignature(jwt: Jwt, key: JsonWebKey | string): Promise> {\n const { header, signature, raw } = jwt;\n const encoder = new TextEncoder();\n const data = encoder.encode([raw.header, raw.payload].join('.'));\n const algorithm = getCryptoAlgorithm(header.alg);\n\n try {\n const cryptoKey = await importKey(key, algorithm, 'verify');\n\n const verified = await runtime.crypto.subtle.verify(algorithm.name, cryptoKey, signature, data);\n return { data: verified };\n } catch (error) {\n return {\n errors: [\n new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalidSignature,\n message: (error as Error)?.message,\n }),\n ],\n };\n }\n}\n\nexport function decodeJwt(token: string): JwtReturnType {\n const tokenParts = (token || '').toString().split('.');\n if (tokenParts.length !== 3) {\n return {\n errors: [\n new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalid,\n message: `Invalid JWT form. A JWT consists of three parts separated by dots.`,\n }),\n ],\n };\n }\n\n const [rawHeader, rawPayload, rawSignature] = tokenParts;\n\n const decoder = new TextDecoder();\n\n // To verify a JWS with SubtleCrypto you need to be careful to encode and decode\n // the data properly between binary and base64url representation. Unfortunately\n // the standard implementation in the V8 of btoa() and atob() are difficult to\n // work with as they use \"a Unicode string containing only characters in the\n // range U+0000 to U+00FF, each representing a binary byte with values 0x00 to\n // 0xFF respectively\" as the representation of binary data.\n\n // A better solution to represent binary data in Javascript is to use ES6 TypedArray\n // and use a Javascript library to convert them to base64url that honors RFC 4648.\n\n // Side note: The difference between base64 and base64url is the characters selected\n // for value 62 and 63 in the standard, base64 encode them to + and / while base64url\n // encode - and _.\n\n // More info at https://stackoverflow.com/questions/54062583/how-to-verify-a-signed-jwt-with-subtlecrypto-of-the-web-crypto-API\n const header = JSON.parse(decoder.decode(base64url.parse(rawHeader, { loose: true })));\n const payload = JSON.parse(decoder.decode(base64url.parse(rawPayload, { loose: true })));\n const signature = base64url.parse(rawSignature, { loose: true });\n\n const data = {\n header,\n payload,\n signature,\n raw: {\n header: rawHeader,\n payload: rawPayload,\n signature: rawSignature,\n text: token,\n },\n } satisfies Jwt;\n\n return { data };\n}\n\nexport type VerifyJwtOptions = {\n /**\n * A string or list of [audiences](https://datatracker.ietf.org/doc/html/rfc7519#section-4.1.3). If passed, it is checked against the `aud` claim in the token.\n */\n audience?: string | string[];\n /**\n * An allowlist of origins to verify against, to protect your application from the subdomain cookie leaking attack.\n * @example\n * ```ts\n * authorizedParties: ['http://localhost:3000', 'https://example.com']\n * ```\n */\n authorizedParties?: string[];\n /**\n * Specifies the allowed time difference (in milliseconds) between the Clerk server (which generates the token) and the clock of the user's application server when validating a token. Defaults to 5000 ms (5 seconds).\n */\n clockSkewInMs?: number;\n /**\n * @internal\n */\n key: JsonWebKey | string;\n};\n\nexport async function verifyJwt(\n token: string,\n options: VerifyJwtOptions,\n): Promise> {\n const { audience, authorizedParties, clockSkewInMs, key } = options;\n const clockSkew = clockSkewInMs || DEFAULT_CLOCK_SKEW_IN_SECONDS;\n\n const { data: decoded, errors } = decodeJwt(token);\n if (errors) {\n return { errors };\n }\n\n const { header, payload } = decoded;\n try {\n // Header verifications\n const { typ, alg } = header;\n\n assertHeaderType(typ);\n assertHeaderAlgorithm(alg);\n\n // Payload verifications\n const { azp, sub, aud, iat, exp, nbf } = payload;\n\n assertSubClaim(sub);\n assertAudienceClaim([aud], [audience]);\n assertAuthorizedPartiesClaim(azp, authorizedParties);\n assertExpirationClaim(exp, clockSkew);\n assertActivationClaim(nbf, clockSkew);\n assertIssuedAtClaim(iat, clockSkew);\n } catch (err) {\n return { errors: [err as TokenVerificationError] };\n }\n\n const { data: signatureValid, errors: signatureErrors } = await hasValidSignature(decoded, key);\n if (signatureErrors) {\n return {\n errors: [\n new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Error verifying JWT signature. ${signatureErrors[0]}`,\n }),\n ],\n };\n }\n\n if (!signatureValid) {\n return {\n errors: [\n new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalidSignature,\n message: 'JWT signature is invalid.',\n }),\n ],\n };\n }\n\n return { data: payload };\n}\n"],"mappings":";;;;;;;AAeA,SAAS,aAAa,cAAc;AAmBpC,IAAM,cAAc,MAAM,KAAK,UAAU;AAElC,IAAM,UAAmB;AAAA,EAC9B;AAAA,EACA,IAAI,QAAQ;AAEV,WAAO,QAAQ,IAAI,aAAa,SAAS,QAAQ;AAAA,EACnD;AAAA,EACA,iBAAiB,WAAW;AAAA,EAC5B,MAAM,WAAW;AAAA,EACjB,UAAU,WAAW;AAAA,EACrB,SAAS,WAAW;AAAA,EACpB,SAAS,WAAW;AAAA,EACpB,UAAU,WAAW;AACvB;;;ACrCO,IAAM,YAAY;AAAA,EACvB,MAAM,QAAgB,MAAiC;AACrD,WAAO,MAAM,QAAQ,mBAAmB,IAAI;AAAA,EAC9C;AAAA,EAEA,UAAU,MAAyB,MAAiC;AAClE,WAAO,UAAU,MAAM,mBAAmB,IAAI;AAAA,EAChD;AACF;AAEA,IAAM,oBAA8B;AAAA,EAClC,OAAO;AAAA,EACP,MAAM;AACR;AAiBA,SAAS,MAAM,QAAgB,UAAoB,OAAqB,CAAC,GAAe;AAEtF,MAAI,CAAC,SAAS,OAAO;AACnB,aAAS,QAAQ,CAAC;AAClB,aAAS,IAAI,GAAG,IAAI,SAAS,MAAM,QAAQ,EAAE,GAAG;AAC9C,eAAS,MAAM,SAAS,MAAM,CAAC,CAAC,IAAI;AAAA,IACtC;AAAA,EACF;AAGA,MAAI,CAAC,KAAK,SAAU,OAAO,SAAS,SAAS,OAAQ,GAAG;AACtD,UAAM,IAAI,YAAY,iBAAiB;AAAA,EACzC;AAGA,MAAI,MAAM,OAAO;AACjB,SAAO,OAAO,MAAM,CAAC,MAAM,KAAK;AAC9B,MAAE;AAGF,QAAI,CAAC,KAAK,SAAS,GAAI,OAAO,SAAS,OAAO,SAAS,OAAQ,IAAI;AACjE,YAAM,IAAI,YAAY,iBAAiB;AAAA,IACzC;AAAA,EACF;AAGA,QAAM,MAAM,KAAK,KAAK,OAAO,YAAc,MAAM,SAAS,OAAQ,IAAK,CAAC;AAGxE,MAAI,OAAO;AACX,MAAI,SAAS;AACb,MAAI,UAAU;AACd,WAAS,IAAI,GAAG,IAAI,KAAK,EAAE,GAAG;AAE5B,UAAM,QAAQ,SAAS,MAAM,OAAO,CAAC,CAAC;AACtC,QAAI,UAAU,QAAW;AACvB,YAAM,IAAI,YAAY,uBAAuB,OAAO,CAAC,CAAC;AAAA,IACxD;AAGA,aAAU,UAAU,SAAS,OAAQ;AACrC,YAAQ,SAAS;AAGjB,QAAI,QAAQ,GAAG;AACb,cAAQ;AACR,UAAI,SAAS,IAAI,MAAQ,UAAU;AAAA,IACrC;AAAA,EACF;AAGA,MAAI,QAAQ,SAAS,QAAQ,MAAQ,UAAW,IAAI,MAAQ;AAC1D,UAAM,IAAI,YAAY,wBAAwB;AAAA,EAChD;AAEA,SAAO;AACT;AAEA,SAAS,UAAU,MAAyB,UAAoB,OAAyB,CAAC,GAAW;AACnG,QAAM,EAAE,MAAM,KAAK,IAAI;AACvB,QAAM,QAAQ,KAAK,SAAS,QAAQ;AACpC,MAAI,MAAM;AAEV,MAAI,OAAO;AACX,MAAI,SAAS;AACb,WAAS,IAAI,GAAG,IAAI,KAAK,QAAQ,EAAE,GAAG;AAEpC,aAAU,UAAU,IAAM,MAAO,KAAK,CAAC;AACvC,YAAQ;AAGR,WAAO,OAAO,SAAS,MAAM;AAC3B,cAAQ,SAAS;AACjB,aAAO,SAAS,MAAM,OAAQ,UAAU,IAAK;AAAA,IAC/C;AAAA,EACF;AAGA,MAAI,MAAM;AACR,WAAO,SAAS,MAAM,OAAQ,UAAW,SAAS,OAAO,IAAM;AAAA,EACjE;AAGA,MAAI,KAAK;AACP,WAAQ,IAAI,SAAS,SAAS,OAAQ,GAAG;AACvC,aAAO;AAAA,IACT;AAAA,EACF;AAEA,SAAO;AACT;;;ACnIA,IAAM,YAAoC;AAAA,EACxC,OAAO;AAAA,EACP,OAAO;AAAA,EACP,OAAO;AACT;AACA,IAAM,qBAAqB;AAE3B,IAAM,qBAA6C;AAAA,EACjD,OAAO;AAAA,EACP,OAAO;AAAA,EACP,OAAO;AACT;AAEO,IAAM,OAAO,OAAO,KAAK,SAAS;AAElC,SAAS,mBAAmB,eAA8C;AAC/E,QAAM,OAAO,UAAU,aAAa;AACpC,QAAM,OAAO,mBAAmB,aAAa;AAE7C,MAAI,CAAC,QAAQ,CAAC,MAAM;AAClB,UAAM,IAAI,MAAM,yBAAyB,aAAa,qBAAqB,KAAK,KAAK,GAAG,CAAC,GAAG;AAAA,EAC9F;AAEA,SAAO;AAAA,IACL,MAAM,EAAE,MAAM,UAAU,aAAa,EAAE;AAAA,IACvC,MAAM,mBAAmB,aAAa;AAAA,EACxC;AACF;;;ACtBA,IAAM,gBAAgB,CAAC,MAA8B;AACnD,SAAO,MAAM,QAAQ,CAAC,KAAK,EAAE,SAAS,KAAK,EAAE,MAAM,OAAK,OAAO,MAAM,QAAQ;AAC/E;AAEO,IAAM,sBAAsB,CAAC,KAAe,aAAuB;AACxE,QAAM,eAAe,CAAC,QAAQ,EAAE,KAAK,EAAE,OAAO,OAAK,CAAC,CAAC,CAAC;AACtD,QAAM,UAAU,CAAC,GAAG,EAAE,KAAK,EAAE,OAAO,OAAK,CAAC,CAAC,CAAC;AAC5C,QAAM,uBAAuB,aAAa,SAAS,KAAK,QAAQ,SAAS;AAEzE,MAAI,CAAC,sBAAsB;AASzB;AAAA,EACF;AAEA,MAAI,OAAO,QAAQ,UAAU;AAC3B,QAAI,CAAC,aAAa,SAAS,GAAG,GAAG;AAC/B,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,QAAQ,6BAA6B;AAAA,QACrC,SAAS,oCAAoC,KAAK,UAAU,GAAG,CAAC,yBAAyB,KAAK;AAAA,UAC5F;AAAA,QACF,CAAC;AAAA,MACH,CAAC;AAAA,IACH;AAAA,EACF,WAAW,cAAc,GAAG,GAAG;AAC7B,QAAI,CAAC,IAAI,KAAK,OAAK,aAAa,SAAS,CAAC,CAAC,GAAG;AAC5C,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,QAAQ,6BAA6B;AAAA,QACrC,SAAS,0CAA0C,KAAK,UAAU,GAAG,CAAC,yBAAyB,KAAK;AAAA,UAClG;AAAA,QACF,CAAC;AAAA,MACH,CAAC;AAAA,IACH;AAAA,EACF;AACF;AAEO,IAAM,mBAAmB,CAAC,QAAkB;AACjD,MAAI,OAAO,QAAQ,aAAa;AAC9B;AAAA,EACF;AAEA,MAAI,QAAQ,OAAO;AACjB,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,oBAAoB,KAAK,UAAU,GAAG,CAAC;AAAA,IAClD,CAAC;AAAA,EACH;AACF;AAEO,IAAM,wBAAwB,CAAC,QAAgB;AACpD,MAAI,CAAC,KAAK,SAAS,GAAG,GAAG;AACvB,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,yBAAyB,KAAK,UAAU,GAAG,CAAC,gBAAgB,IAAI;AAAA,IAC3E,CAAC;AAAA,EACH;AACF;AAEO,IAAM,iBAAiB,CAAC,QAAiB;AAC9C,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,kEAAkE,KAAK,UAAU,GAAG,CAAC;AAAA,IAChG,CAAC;AAAA,EACH;AACF;AAEO,IAAM,+BAA+B,CAAC,KAAc,sBAAiC;AAC1F,MAAI,CAAC,OAAO,CAAC,qBAAqB,kBAAkB,WAAW,GAAG;AAChE;AAAA,EACF;AAEA,MAAI,CAAC,kBAAkB,SAAS,GAAG,GAAG;AACpC,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,4CAA4C,KAAK,UAAU,GAAG,CAAC,eAAe,iBAAiB;AAAA,IAC1G,CAAC;AAAA,EACH;AACF;AAEO,IAAM,wBAAwB,CAAC,KAAa,kBAA0B;AAC3E,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,uCAAuC,KAAK,UAAU,GAAG,CAAC;AAAA,IACrE,CAAC;AAAA,EACH;AAEA,QAAM,cAAc,IAAI,KAAK,KAAK,IAAI,CAAC;AACvC,QAAM,aAAa,oBAAI,KAAK,CAAC;AAC7B,aAAW,cAAc,GAAG;AAE5B,QAAM,UAAU,WAAW,QAAQ,KAAK,YAAY,QAAQ,IAAI;AAChE,MAAI,SAAS;AACX,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,gCAAgC,WAAW,YAAY,CAAC,mBAAmB,YAAY,YAAY,CAAC;AAAA,IAC/G,CAAC;AAAA,EACH;AACF;AAEO,IAAM,wBAAwB,CAAC,KAAyB,kBAA0B;AACvF,MAAI,OAAO,QAAQ,aAAa;AAC9B;AAAA,EACF;AAEA,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,2CAA2C,KAAK,UAAU,GAAG,CAAC;AAAA,IACzE,CAAC;AAAA,EACH;AAEA,QAAM,cAAc,IAAI,KAAK,KAAK,IAAI,CAAC;AACvC,QAAM,gBAAgB,oBAAI,KAAK,CAAC;AAChC,gBAAc,cAAc,GAAG;AAE/B,QAAM,QAAQ,cAAc,QAAQ,IAAI,YAAY,QAAQ,IAAI;AAChE,MAAI,OAAO;AACT,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,6EAA6E,cAAc,YAAY,CAAC,mBAAmB,YAAY,YAAY,CAAC;AAAA,IAC/J,CAAC;AAAA,EACH;AACF;AAEO,IAAM,sBAAsB,CAAC,KAAyB,kBAA0B;AACrF,MAAI,OAAO,QAAQ,aAAa;AAC9B;AAAA,EACF;AAEA,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,0CAA0C,KAAK,UAAU,GAAG,CAAC;AAAA,IACxE,CAAC;AAAA,EACH;AAEA,QAAM,cAAc,IAAI,KAAK,KAAK,IAAI,CAAC;AACvC,QAAM,eAAe,oBAAI,KAAK,CAAC;AAC/B,eAAa,cAAc,GAAG;AAE9B,QAAM,aAAa,aAAa,QAAQ,IAAI,YAAY,QAAQ,IAAI;AACpE,MAAI,YAAY;AACd,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,oEAAoE,aAAa,YAAY,CAAC,mBAAmB,YAAY,YAAY,CAAC;AAAA,IACrJ,CAAC;AAAA,EACH;AACF;;;ACxKA,SAAS,sBAAsB;AAK/B,SAAS,YAAY,QAA6B;AAChD,QAAM,UAAU,OACb,QAAQ,uBAAuB,EAAE,EACjC,QAAQ,qBAAqB,EAAE,EAC/B,QAAQ,OAAO,EAAE;AAEpB,QAAM,UAAU,eAAe,OAAO;AAEtC,QAAM,SAAS,IAAI,YAAY,QAAQ,MAAM;AAC7C,QAAM,UAAU,IAAI,WAAW,MAAM;AAErC,WAAS,IAAI,GAAG,SAAS,QAAQ,QAAQ,IAAI,QAAQ,KAAK;AACxD,YAAQ,CAAC,IAAI,QAAQ,WAAW,CAAC;AAAA,EACnC;AAEA,SAAO;AACT;AAEO,SAAS,UACd,KACA,WACA,UACoB;AACpB,MAAI,OAAO,QAAQ,UAAU;AAC3B,WAAO,QAAQ,OAAO,OAAO,UAAU,OAAO,KAAK,WAAW,OAAO,CAAC,QAAQ,CAAC;AAAA,EACjF;AAEA,QAAM,UAAU,YAAY,GAAG;AAC/B,QAAM,SAAS,aAAa,SAAS,UAAU;AAE/C,SAAO,QAAQ,OAAO,OAAO,UAAU,QAAQ,SAAS,WAAW,OAAO,CAAC,QAAQ,CAAC;AACtF;;;ACjBA,IAAM,gCAAgC,IAAI;AAE1C,eAAsB,kBAAkB,KAAU,KAAkE;AAClH,QAAM,EAAE,QAAQ,WAAW,IAAI,IAAI;AACnC,QAAM,UAAU,IAAI,YAAY;AAChC,QAAM,OAAO,QAAQ,OAAO,CAAC,IAAI,QAAQ,IAAI,OAAO,EAAE,KAAK,GAAG,CAAC;AAC/D,QAAM,YAAY,mBAAmB,OAAO,GAAG;AAE/C,MAAI;AACF,UAAM,YAAY,MAAM,UAAU,KAAK,WAAW,QAAQ;AAE1D,UAAM,WAAW,MAAM,QAAQ,OAAO,OAAO,OAAO,UAAU,MAAM,WAAW,WAAW,IAAI;AAC9F,WAAO,EAAE,MAAM,SAAS;AAAA,EAC1B,SAAS,OAAO;AACd,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,SAAU,OAAiB;AAAA,QAC7B,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AACF;AAEO,SAAS,UAAU,OAA2D;AACnF,QAAM,cAAc,SAAS,IAAI,SAAS,EAAE,MAAM,GAAG;AACrD,MAAI,WAAW,WAAW,GAAG;AAC3B,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,SAAS;AAAA,QACX,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AAEA,QAAM,CAAC,WAAW,YAAY,YAAY,IAAI;AAE9C,QAAM,UAAU,IAAI,YAAY;AAiBhC,QAAM,SAAS,KAAK,MAAM,QAAQ,OAAO,UAAU,MAAM,WAAW,EAAE,OAAO,KAAK,CAAC,CAAC,CAAC;AACrF,QAAM,UAAU,KAAK,MAAM,QAAQ,OAAO,UAAU,MAAM,YAAY,EAAE,OAAO,KAAK,CAAC,CAAC,CAAC;AACvF,QAAM,YAAY,UAAU,MAAM,cAAc,EAAE,OAAO,KAAK,CAAC;AAE/D,QAAM,OAAO;AAAA,IACX;AAAA,IACA;AAAA,IACA;AAAA,IACA,KAAK;AAAA,MACH,QAAQ;AAAA,MACR,SAAS;AAAA,MACT,WAAW;AAAA,MACX,MAAM;AAAA,IACR;AAAA,EACF;AAEA,SAAO,EAAE,KAAK;AAChB;AAyBA,eAAsB,UACpB,OACA,SAC4D;AAC5D,QAAM,EAAE,UAAU,mBAAmB,eAAe,IAAI,IAAI;AAC5D,QAAM,YAAY,iBAAiB;AAEnC,QAAM,EAAE,MAAM,SAAS,OAAO,IAAI,UAAU,KAAK;AACjD,MAAI,QAAQ;AACV,WAAO,EAAE,OAAO;AAAA,EAClB;AAEA,QAAM,EAAE,QAAQ,QAAQ,IAAI;AAC5B,MAAI;AAEF,UAAM,EAAE,KAAK,IAAI,IAAI;AAErB,qBAAiB,GAAG;AACpB,0BAAsB,GAAG;AAGzB,UAAM,EAAE,KAAK,KAAK,KAAK,KAAK,KAAK,IAAI,IAAI;AAEzC,mBAAe,GAAG;AAClB,wBAAoB,CAAC,GAAG,GAAG,CAAC,QAAQ,CAAC;AACrC,iCAA6B,KAAK,iBAAiB;AACnD,0BAAsB,KAAK,SAAS;AACpC,0BAAsB,KAAK,SAAS;AACpC,wBAAoB,KAAK,SAAS;AAAA,EACpC,SAAS,KAAK;AACZ,WAAO,EAAE,QAAQ,CAAC,GAA6B,EAAE;AAAA,EACnD;AAEA,QAAM,EAAE,MAAM,gBAAgB,QAAQ,gBAAgB,IAAI,MAAM,kBAAkB,SAAS,GAAG;AAC9F,MAAI,iBAAiB;AACnB,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,QAAQ,6BAA6B;AAAA,UACrC,SAAS,kCAAkC,gBAAgB,CAAC,CAAC;AAAA,QAC/D,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AAEA,MAAI,CAAC,gBAAgB;AACnB,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,SAAS;AAAA,QACX,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AAEA,SAAO,EAAE,MAAM,QAAQ;AACzB;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/chunk-P263NW7Z.mjs b/backend/node_modules/@clerk/backend/dist/chunk-P263NW7Z.mjs new file mode 100644 index 000000000..e8f89afcb --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/chunk-P263NW7Z.mjs @@ -0,0 +1,25 @@ +// src/jwt/legacyReturn.ts +function withLegacyReturn(cb) { + return async (...args) => { + const { data, errors } = await cb(...args); + if (errors) { + throw errors[0]; + } + return data; + }; +} +function withLegacySyncReturn(cb) { + return (...args) => { + const { data, errors } = cb(...args); + if (errors) { + throw errors[0]; + } + return data; + }; +} + +export { + withLegacyReturn, + withLegacySyncReturn +}; +//# sourceMappingURL=chunk-P263NW7Z.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/chunk-P263NW7Z.mjs.map b/backend/node_modules/@clerk/backend/dist/chunk-P263NW7Z.mjs.map new file mode 100644 index 000000000..437d6de0f --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/chunk-P263NW7Z.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/jwt/legacyReturn.ts"],"sourcesContent":["import type { JwtReturnType } from './types';\n\n// TODO(dimkl): Will be probably be dropped in next major version\nexport function withLegacyReturn Promise>>(cb: T) {\n return async (...args: Parameters): Promise>['data']>> | never => {\n const { data, errors } = await cb(...args);\n if (errors) {\n throw errors[0];\n }\n return data;\n };\n}\n\n// TODO(dimkl): Will be probably be dropped in next major version\nexport function withLegacySyncReturn JwtReturnType>(cb: T) {\n return (...args: Parameters): NonNullable>['data']> | never => {\n const { data, errors } = cb(...args);\n if (errors) {\n throw errors[0];\n }\n return data;\n };\n}\n"],"mappings":";AAGO,SAAS,iBAAiF,IAAO;AACtG,SAAO,UAAU,SAAsF;AACrG,UAAM,EAAE,MAAM,OAAO,IAAI,MAAM,GAAG,GAAG,IAAI;AACzC,QAAI,QAAQ;AACV,YAAM,OAAO,CAAC;AAAA,IAChB;AACA,WAAO;AAAA,EACT;AACF;AAGO,SAAS,qBAA4E,IAAO;AACjG,SAAO,IAAI,SAA6E;AACtF,UAAM,EAAE,MAAM,OAAO,IAAI,GAAG,GAAG,IAAI;AACnC,QAAI,QAAQ;AACV,YAAM,OAAO,CAAC;AAAA,IAChB;AACA,WAAO;AAAA,EACT;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/chunk-XYKMBJDY.mjs b/backend/node_modules/@clerk/backend/dist/chunk-XYKMBJDY.mjs new file mode 100644 index 000000000..534bc06e7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/chunk-XYKMBJDY.mjs @@ -0,0 +1,2950 @@ +import { + assertHeaderAlgorithm, + assertHeaderType, + decodeJwt, + hasValidSignature, + runtime, + verifyJwt +} from "./chunk-AT3FJU3M.mjs"; +import { + TokenVerificationError, + TokenVerificationErrorAction, + TokenVerificationErrorCode, + TokenVerificationErrorReason +} from "./chunk-5JS2VYLU.mjs"; + +// src/constants.ts +var API_URL = "https://api.clerk.com"; +var API_VERSION = "v1"; +var USER_AGENT = `${"@clerk/backend"}@${"1.24.3"}`; +var MAX_CACHE_LAST_UPDATED_AT_SECONDS = 5 * 60; +var SUPPORTED_BAPI_VERSION = "2024-10-01"; +var Attributes = { + AuthToken: "__clerkAuthToken", + AuthSignature: "__clerkAuthSignature", + AuthStatus: "__clerkAuthStatus", + AuthReason: "__clerkAuthReason", + AuthMessage: "__clerkAuthMessage", + ClerkUrl: "__clerkUrl" +}; +var Cookies = { + Session: "__session", + Refresh: "__refresh", + ClientUat: "__client_uat", + Handshake: "__clerk_handshake", + DevBrowser: "__clerk_db_jwt", + RedirectCount: "__clerk_redirect_count" +}; +var QueryParameters = { + ClerkSynced: "__clerk_synced", + SuffixedCookies: "suffixed_cookies", + ClerkRedirectUrl: "__clerk_redirect_url", + // use the reference to Cookies to indicate that it's the same value + DevBrowser: Cookies.DevBrowser, + Handshake: Cookies.Handshake, + HandshakeHelp: "__clerk_help", + LegacyDevBrowser: "__dev_session", + HandshakeReason: "__clerk_hs_reason" +}; +var Headers2 = { + AuthToken: "x-clerk-auth-token", + AuthSignature: "x-clerk-auth-signature", + AuthStatus: "x-clerk-auth-status", + AuthReason: "x-clerk-auth-reason", + AuthMessage: "x-clerk-auth-message", + ClerkUrl: "x-clerk-clerk-url", + EnableDebug: "x-clerk-debug", + ClerkRequestData: "x-clerk-request-data", + ClerkRedirectTo: "x-clerk-redirect-to", + CloudFrontForwardedProto: "cloudfront-forwarded-proto", + Authorization: "authorization", + ForwardedPort: "x-forwarded-port", + ForwardedProto: "x-forwarded-proto", + ForwardedHost: "x-forwarded-host", + Accept: "accept", + Referrer: "referer", + UserAgent: "user-agent", + Origin: "origin", + Host: "host", + ContentType: "content-type", + SecFetchDest: "sec-fetch-dest", + Location: "location", + CacheControl: "cache-control" +}; +var ContentTypes = { + Json: "application/json" +}; +var constants = { + Attributes, + Cookies, + Headers: Headers2, + ContentTypes, + QueryParameters +}; + +// src/util/path.ts +var SEPARATOR = "/"; +var MULTIPLE_SEPARATOR_REGEX = new RegExp("(? p).join(SEPARATOR).replace(MULTIPLE_SEPARATOR_REGEX, SEPARATOR); +} + +// src/api/endpoints/AbstractApi.ts +var AbstractAPI = class { + constructor(request) { + this.request = request; + } + requireId(id) { + if (!id) { + throw new Error("A valid resource ID is required."); + } + } +}; + +// src/api/endpoints/AccountlessApplicationsAPI.ts +var basePath = "/accountless_applications"; +var AccountlessApplicationAPI = class extends AbstractAPI { + async createAccountlessApplication() { + return this.request({ + method: "POST", + path: basePath + }); + } + async completeAccountlessApplicationOnboarding() { + return this.request({ + method: "POST", + path: joinPaths(basePath, "complete") + }); + } +}; + +// src/api/endpoints/AllowlistIdentifierApi.ts +var basePath2 = "/allowlist_identifiers"; +var AllowlistIdentifierAPI = class extends AbstractAPI { + async getAllowlistIdentifierList() { + return this.request({ + method: "GET", + path: basePath2, + queryParams: { paginated: true } + }); + } + async createAllowlistIdentifier(params) { + return this.request({ + method: "POST", + path: basePath2, + bodyParams: params + }); + } + async deleteAllowlistIdentifier(allowlistIdentifierId) { + this.requireId(allowlistIdentifierId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath2, allowlistIdentifierId) + }); + } +}; + +// src/api/endpoints/ClientApi.ts +var basePath3 = "/clients"; +var ClientAPI = class extends AbstractAPI { + async getClientList(params = {}) { + return this.request({ + method: "GET", + path: basePath3, + queryParams: { ...params, paginated: true } + }); + } + async getClient(clientId) { + this.requireId(clientId); + return this.request({ + method: "GET", + path: joinPaths(basePath3, clientId) + }); + } + verifyClient(token) { + return this.request({ + method: "POST", + path: joinPaths(basePath3, "verify"), + bodyParams: { token } + }); + } +}; + +// src/api/endpoints/DomainApi.ts +var basePath4 = "/domains"; +var DomainAPI = class extends AbstractAPI { + async deleteDomain(id) { + return this.request({ + method: "DELETE", + path: joinPaths(basePath4, id) + }); + } +}; + +// src/api/endpoints/EmailAddressApi.ts +var basePath5 = "/email_addresses"; +var EmailAddressAPI = class extends AbstractAPI { + async getEmailAddress(emailAddressId) { + this.requireId(emailAddressId); + return this.request({ + method: "GET", + path: joinPaths(basePath5, emailAddressId) + }); + } + async createEmailAddress(params) { + return this.request({ + method: "POST", + path: basePath5, + bodyParams: params + }); + } + async updateEmailAddress(emailAddressId, params = {}) { + this.requireId(emailAddressId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath5, emailAddressId), + bodyParams: params + }); + } + async deleteEmailAddress(emailAddressId) { + this.requireId(emailAddressId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath5, emailAddressId) + }); + } +}; + +// src/api/endpoints/InvitationApi.ts +var basePath6 = "/invitations"; +var InvitationAPI = class extends AbstractAPI { + async getInvitationList(params = {}) { + return this.request({ + method: "GET", + path: basePath6, + queryParams: { ...params, paginated: true } + }); + } + async createInvitation(params) { + return this.request({ + method: "POST", + path: basePath6, + bodyParams: params + }); + } + async revokeInvitation(invitationId) { + this.requireId(invitationId); + return this.request({ + method: "POST", + path: joinPaths(basePath6, invitationId, "revoke") + }); + } +}; + +// src/api/endpoints/OrganizationApi.ts +var basePath7 = "/organizations"; +var OrganizationAPI = class extends AbstractAPI { + async getOrganizationList(params) { + return this.request({ + method: "GET", + path: basePath7, + queryParams: params + }); + } + async createOrganization(params) { + return this.request({ + method: "POST", + path: basePath7, + bodyParams: params + }); + } + async getOrganization(params) { + const { includeMembersCount } = params; + const organizationIdOrSlug = "organizationId" in params ? params.organizationId : params.slug; + this.requireId(organizationIdOrSlug); + return this.request({ + method: "GET", + path: joinPaths(basePath7, organizationIdOrSlug), + queryParams: { + includeMembersCount + } + }); + } + async updateOrganization(organizationId, params) { + this.requireId(organizationId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath7, organizationId), + bodyParams: params + }); + } + async updateOrganizationLogo(organizationId, params) { + this.requireId(organizationId); + const formData = new runtime.FormData(); + formData.append("file", params?.file); + if (params?.uploaderUserId) { + formData.append("uploader_user_id", params?.uploaderUserId); + } + return this.request({ + method: "PUT", + path: joinPaths(basePath7, organizationId, "logo"), + formData + }); + } + async deleteOrganizationLogo(organizationId) { + this.requireId(organizationId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath7, organizationId, "logo") + }); + } + async updateOrganizationMetadata(organizationId, params) { + this.requireId(organizationId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath7, organizationId, "metadata"), + bodyParams: params + }); + } + async deleteOrganization(organizationId) { + return this.request({ + method: "DELETE", + path: joinPaths(basePath7, organizationId) + }); + } + async getOrganizationMembershipList(params) { + const { organizationId, ...queryParams } = params; + this.requireId(organizationId); + return this.request({ + method: "GET", + path: joinPaths(basePath7, organizationId, "memberships"), + queryParams + }); + } + async createOrganizationMembership(params) { + const { organizationId, ...bodyParams } = params; + this.requireId(organizationId); + return this.request({ + method: "POST", + path: joinPaths(basePath7, organizationId, "memberships"), + bodyParams + }); + } + async updateOrganizationMembership(params) { + const { organizationId, userId, ...bodyParams } = params; + this.requireId(organizationId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath7, organizationId, "memberships", userId), + bodyParams + }); + } + async updateOrganizationMembershipMetadata(params) { + const { organizationId, userId, ...bodyParams } = params; + return this.request({ + method: "PATCH", + path: joinPaths(basePath7, organizationId, "memberships", userId, "metadata"), + bodyParams + }); + } + async deleteOrganizationMembership(params) { + const { organizationId, userId } = params; + this.requireId(organizationId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath7, organizationId, "memberships", userId) + }); + } + async getOrganizationInvitationList(params) { + const { organizationId, ...queryParams } = params; + this.requireId(organizationId); + return this.request({ + method: "GET", + path: joinPaths(basePath7, organizationId, "invitations"), + queryParams + }); + } + async createOrganizationInvitation(params) { + const { organizationId, ...bodyParams } = params; + this.requireId(organizationId); + return this.request({ + method: "POST", + path: joinPaths(basePath7, organizationId, "invitations"), + bodyParams + }); + } + async getOrganizationInvitation(params) { + const { organizationId, invitationId } = params; + this.requireId(organizationId); + this.requireId(invitationId); + return this.request({ + method: "GET", + path: joinPaths(basePath7, organizationId, "invitations", invitationId) + }); + } + async revokeOrganizationInvitation(params) { + const { organizationId, invitationId, ...bodyParams } = params; + this.requireId(organizationId); + return this.request({ + method: "POST", + path: joinPaths(basePath7, organizationId, "invitations", invitationId, "revoke"), + bodyParams + }); + } + async getOrganizationDomainList(params) { + const { organizationId, ...queryParams } = params; + this.requireId(organizationId); + return this.request({ + method: "GET", + path: joinPaths(basePath7, organizationId, "domains"), + queryParams + }); + } + async createOrganizationDomain(params) { + const { organizationId, ...bodyParams } = params; + this.requireId(organizationId); + return this.request({ + method: "POST", + path: joinPaths(basePath7, organizationId, "domains"), + bodyParams: { + ...bodyParams, + verified: bodyParams.verified ?? true + } + }); + } + async updateOrganizationDomain(params) { + const { organizationId, domainId, ...bodyParams } = params; + this.requireId(organizationId); + this.requireId(domainId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath7, organizationId, "domains", domainId), + bodyParams + }); + } + async deleteOrganizationDomain(params) { + const { organizationId, domainId } = params; + this.requireId(organizationId); + this.requireId(domainId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath7, organizationId, "domains", domainId) + }); + } +}; + +// src/api/endpoints/PhoneNumberApi.ts +var basePath8 = "/phone_numbers"; +var PhoneNumberAPI = class extends AbstractAPI { + async getPhoneNumber(phoneNumberId) { + this.requireId(phoneNumberId); + return this.request({ + method: "GET", + path: joinPaths(basePath8, phoneNumberId) + }); + } + async createPhoneNumber(params) { + return this.request({ + method: "POST", + path: basePath8, + bodyParams: params + }); + } + async updatePhoneNumber(phoneNumberId, params = {}) { + this.requireId(phoneNumberId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath8, phoneNumberId), + bodyParams: params + }); + } + async deletePhoneNumber(phoneNumberId) { + this.requireId(phoneNumberId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath8, phoneNumberId) + }); + } +}; + +// src/api/endpoints/RedirectUrlApi.ts +var basePath9 = "/redirect_urls"; +var RedirectUrlAPI = class extends AbstractAPI { + async getRedirectUrlList() { + return this.request({ + method: "GET", + path: basePath9, + queryParams: { paginated: true } + }); + } + async getRedirectUrl(redirectUrlId) { + this.requireId(redirectUrlId); + return this.request({ + method: "GET", + path: joinPaths(basePath9, redirectUrlId) + }); + } + async createRedirectUrl(params) { + return this.request({ + method: "POST", + path: basePath9, + bodyParams: params + }); + } + async deleteRedirectUrl(redirectUrlId) { + this.requireId(redirectUrlId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath9, redirectUrlId) + }); + } +}; + +// src/api/endpoints/SessionApi.ts +var basePath10 = "/sessions"; +var SessionAPI = class extends AbstractAPI { + async getSessionList(params = {}) { + return this.request({ + method: "GET", + path: basePath10, + queryParams: { ...params, paginated: true } + }); + } + async getSession(sessionId) { + this.requireId(sessionId); + return this.request({ + method: "GET", + path: joinPaths(basePath10, sessionId) + }); + } + async revokeSession(sessionId) { + this.requireId(sessionId); + return this.request({ + method: "POST", + path: joinPaths(basePath10, sessionId, "revoke") + }); + } + async verifySession(sessionId, token) { + this.requireId(sessionId); + return this.request({ + method: "POST", + path: joinPaths(basePath10, sessionId, "verify"), + bodyParams: { token } + }); + } + async getToken(sessionId, template) { + this.requireId(sessionId); + return this.request({ + method: "POST", + path: joinPaths(basePath10, sessionId, "tokens", template || "") + }); + } + async refreshSession(sessionId, params) { + this.requireId(sessionId); + const { suffixed_cookies, ...restParams } = params; + return this.request({ + method: "POST", + path: joinPaths(basePath10, sessionId, "refresh"), + bodyParams: restParams, + queryParams: { suffixed_cookies } + }); + } +}; + +// src/api/endpoints/SignInTokenApi.ts +var basePath11 = "/sign_in_tokens"; +var SignInTokenAPI = class extends AbstractAPI { + async createSignInToken(params) { + return this.request({ + method: "POST", + path: basePath11, + bodyParams: params + }); + } + async revokeSignInToken(signInTokenId) { + this.requireId(signInTokenId); + return this.request({ + method: "POST", + path: joinPaths(basePath11, signInTokenId, "revoke") + }); + } +}; + +// src/util/shared.ts +import { addClerkPrefix, getScriptUrl, getClerkJsMajorVersionOrTag } from "@clerk/shared/url"; +import { retry } from "@clerk/shared/retry"; +import { + isDevelopmentFromSecretKey, + isProductionFromSecretKey, + parsePublishableKey, + getCookieSuffix, + getSuffixedCookieName +} from "@clerk/shared/keys"; +import { deprecated, deprecatedProperty } from "@clerk/shared/deprecated"; +import { buildErrorThrower } from "@clerk/shared/error"; +import { createDevOrStagingUrlCache } from "@clerk/shared/keys"; +var errorThrower = buildErrorThrower({ packageName: "@clerk/backend" }); +var { isDevOrStagingUrl } = createDevOrStagingUrlCache(); + +// src/api/endpoints/UserApi.ts +var basePath12 = "/users"; +var UserAPI = class extends AbstractAPI { + async getUserList(params = {}) { + const { limit, offset, orderBy, ...userCountParams } = params; + const [data, totalCount] = await Promise.all([ + this.request({ + method: "GET", + path: basePath12, + queryParams: params + }), + this.getCount(userCountParams) + ]); + return { data, totalCount }; + } + async getUser(userId) { + this.requireId(userId); + return this.request({ + method: "GET", + path: joinPaths(basePath12, userId) + }); + } + async createUser(params) { + return this.request({ + method: "POST", + path: basePath12, + bodyParams: params + }); + } + async updateUser(userId, params = {}) { + this.requireId(userId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath12, userId), + bodyParams: params + }); + } + async updateUserProfileImage(userId, params) { + this.requireId(userId); + const formData = new runtime.FormData(); + formData.append("file", params?.file); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "profile_image"), + formData + }); + } + async updateUserMetadata(userId, params) { + this.requireId(userId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath12, userId, "metadata"), + bodyParams: params + }); + } + async deleteUser(userId) { + this.requireId(userId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath12, userId) + }); + } + async getCount(params = {}) { + return this.request({ + method: "GET", + path: joinPaths(basePath12, "count"), + queryParams: params + }); + } + async getUserOauthAccessToken(userId, provider) { + this.requireId(userId); + const hasPrefix = provider.startsWith("oauth_"); + const _provider = hasPrefix ? provider : `oauth_${provider}`; + if (hasPrefix) { + deprecated( + "getUserOauthAccessToken(userId, provider)", + "Remove the `oauth_` prefix from the `provider` argument." + ); + } + return this.request({ + method: "GET", + path: joinPaths(basePath12, userId, "oauth_access_tokens", _provider), + queryParams: { paginated: true } + }); + } + async disableUserMFA(userId) { + this.requireId(userId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath12, userId, "mfa") + }); + } + async getOrganizationMembershipList(params) { + const { userId, limit, offset } = params; + this.requireId(userId); + return this.request({ + method: "GET", + path: joinPaths(basePath12, userId, "organization_memberships"), + queryParams: { limit, offset } + }); + } + async verifyPassword(params) { + const { userId, password } = params; + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "verify_password"), + bodyParams: { password } + }); + } + async verifyTOTP(params) { + const { userId, code } = params; + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "verify_totp"), + bodyParams: { code } + }); + } + async banUser(userId) { + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "ban") + }); + } + async unbanUser(userId) { + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "unban") + }); + } + async lockUser(userId) { + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "lock") + }); + } + async unlockUser(userId) { + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "unlock") + }); + } + async deleteUserProfileImage(userId) { + this.requireId(userId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath12, userId, "profile_image") + }); + } +}; + +// src/api/endpoints/SamlConnectionApi.ts +var basePath13 = "/saml_connections"; +var SamlConnectionAPI = class extends AbstractAPI { + async getSamlConnectionList(params = {}) { + return this.request({ + method: "GET", + path: basePath13, + queryParams: params + }); + } + async createSamlConnection(params) { + return this.request({ + method: "POST", + path: basePath13, + bodyParams: params + }); + } + async getSamlConnection(samlConnectionId) { + this.requireId(samlConnectionId); + return this.request({ + method: "GET", + path: joinPaths(basePath13, samlConnectionId) + }); + } + async updateSamlConnection(samlConnectionId, params = {}) { + this.requireId(samlConnectionId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath13, samlConnectionId), + bodyParams: params + }); + } + async deleteSamlConnection(samlConnectionId) { + this.requireId(samlConnectionId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath13, samlConnectionId) + }); + } +}; + +// src/api/endpoints/TestingTokenApi.ts +var basePath14 = "/testing_tokens"; +var TestingTokenAPI = class extends AbstractAPI { + async createTestingToken() { + return this.request({ + method: "POST", + path: basePath14 + }); + } +}; + +// src/api/request.ts +import { ClerkAPIResponseError, parseError } from "@clerk/shared/error"; +import snakecaseKeys from "snakecase-keys"; + +// src/util/optionsAssertions.ts +function assertValidSecretKey(val) { + if (!val || typeof val !== "string") { + throw Error("Missing Clerk Secret Key. Go to https://dashboard.clerk.com and get your key for your instance."); + } +} +function assertValidPublishableKey(val) { + parsePublishableKey(val, { fatal: true }); +} + +// src/api/resources/AccountlessApplication.ts +var AccountlessApplication = class _AccountlessApplication { + constructor(publishableKey, secretKey, claimUrl, apiKeysUrl) { + this.publishableKey = publishableKey; + this.secretKey = secretKey; + this.claimUrl = claimUrl; + this.apiKeysUrl = apiKeysUrl; + } + static fromJSON(data) { + return new _AccountlessApplication(data.publishable_key, data.secret_key, data.claim_url, data.api_keys_url); + } +}; + +// src/api/resources/AllowlistIdentifier.ts +var AllowlistIdentifier = class _AllowlistIdentifier { + constructor(id, identifier, createdAt, updatedAt, invitationId) { + this.id = id; + this.identifier = identifier; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.invitationId = invitationId; + } + static fromJSON(data) { + return new _AllowlistIdentifier(data.id, data.identifier, data.created_at, data.updated_at, data.invitation_id); + } +}; + +// src/api/resources/Session.ts +var SessionActivity = class _SessionActivity { + constructor(id, isMobile, ipAddress, city, country, browserVersion, browserName, deviceType) { + this.id = id; + this.isMobile = isMobile; + this.ipAddress = ipAddress; + this.city = city; + this.country = country; + this.browserVersion = browserVersion; + this.browserName = browserName; + this.deviceType = deviceType; + } + static fromJSON(data) { + return new _SessionActivity( + data.id, + data.is_mobile, + data.ip_address, + data.city, + data.country, + data.browser_version, + data.browser_name, + data.device_type + ); + } +}; +var Session = class _Session { + constructor(id, clientId, userId, status, lastActiveAt, expireAt, abandonAt, createdAt, updatedAt, lastActiveOrganizationId, latestActivity, actor = null) { + this.id = id; + this.clientId = clientId; + this.userId = userId; + this.status = status; + this.lastActiveAt = lastActiveAt; + this.expireAt = expireAt; + this.abandonAt = abandonAt; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.lastActiveOrganizationId = lastActiveOrganizationId; + this.latestActivity = latestActivity; + this.actor = actor; + } + static fromJSON(data) { + return new _Session( + data.id, + data.client_id, + data.user_id, + data.status, + data.last_active_at, + data.expire_at, + data.abandon_at, + data.created_at, + data.updated_at, + data.last_active_organization_id, + data.latest_activity && SessionActivity.fromJSON(data.latest_activity), + data.actor + ); + } +}; + +// src/api/resources/Client.ts +var Client = class _Client { + constructor(id, sessionIds, sessions, signInId, signUpId, lastActiveSessionId, createdAt, updatedAt) { + this.id = id; + this.sessionIds = sessionIds; + this.sessions = sessions; + this.signInId = signInId; + this.signUpId = signUpId; + this.lastActiveSessionId = lastActiveSessionId; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + } + static fromJSON(data) { + return new _Client( + data.id, + data.session_ids, + data.sessions.map((x) => Session.fromJSON(x)), + data.sign_in_id, + data.sign_up_id, + data.last_active_session_id, + data.created_at, + data.updated_at + ); + } +}; + +// src/api/resources/Cookies.ts +var Cookies2 = class _Cookies { + constructor(cookies) { + this.cookies = cookies; + } + static fromJSON(data) { + return new _Cookies(data.cookies); + } +}; + +// src/api/resources/DeletedObject.ts +var DeletedObject = class _DeletedObject { + constructor(object, id, slug, deleted) { + this.object = object; + this.id = id; + this.slug = slug; + this.deleted = deleted; + } + static fromJSON(data) { + return new _DeletedObject(data.object, data.id || null, data.slug || null, data.deleted); + } +}; + +// src/api/resources/Email.ts +var Email = class _Email { + constructor(id, fromEmailName, emailAddressId, toEmailAddress, subject, body, bodyPlain, status, slug, data, deliveredByClerk) { + this.id = id; + this.fromEmailName = fromEmailName; + this.emailAddressId = emailAddressId; + this.toEmailAddress = toEmailAddress; + this.subject = subject; + this.body = body; + this.bodyPlain = bodyPlain; + this.status = status; + this.slug = slug; + this.data = data; + this.deliveredByClerk = deliveredByClerk; + } + static fromJSON(data) { + return new _Email( + data.id, + data.from_email_name, + data.email_address_id, + data.to_email_address, + data.subject, + data.body, + data.body_plain, + data.status, + data.slug, + data.data, + data.delivered_by_clerk + ); + } +}; + +// src/api/resources/IdentificationLink.ts +var IdentificationLink = class _IdentificationLink { + constructor(id, type) { + this.id = id; + this.type = type; + } + static fromJSON(data) { + return new _IdentificationLink(data.id, data.type); + } +}; + +// src/api/resources/Verification.ts +var Verification = class _Verification { + constructor(status, strategy, externalVerificationRedirectURL = null, attempts = null, expireAt = null, nonce = null, message = null) { + this.status = status; + this.strategy = strategy; + this.externalVerificationRedirectURL = externalVerificationRedirectURL; + this.attempts = attempts; + this.expireAt = expireAt; + this.nonce = nonce; + this.message = message; + } + static fromJSON(data) { + return new _Verification( + data.status, + data.strategy, + data.external_verification_redirect_url ? new URL(data.external_verification_redirect_url) : null, + data.attempts, + data.expire_at, + data.nonce + ); + } +}; + +// src/api/resources/EmailAddress.ts +var EmailAddress = class _EmailAddress { + constructor(id, emailAddress, verification, linkedTo) { + this.id = id; + this.emailAddress = emailAddress; + this.verification = verification; + this.linkedTo = linkedTo; + } + static fromJSON(data) { + return new _EmailAddress( + data.id, + data.email_address, + data.verification && Verification.fromJSON(data.verification), + data.linked_to.map((link) => IdentificationLink.fromJSON(link)) + ); + } +}; + +// src/api/resources/ExternalAccount.ts +var ExternalAccount = class _ExternalAccount { + constructor(id, provider, identificationId, externalId, approvedScopes, emailAddress, firstName, lastName, imageUrl, username, publicMetadata = {}, label, verification) { + this.id = id; + this.provider = provider; + this.identificationId = identificationId; + this.externalId = externalId; + this.approvedScopes = approvedScopes; + this.emailAddress = emailAddress; + this.firstName = firstName; + this.lastName = lastName; + this.imageUrl = imageUrl; + this.username = username; + this.publicMetadata = publicMetadata; + this.label = label; + this.verification = verification; + } + static fromJSON(data) { + return new _ExternalAccount( + data.id, + data.provider, + data.identification_id, + data.provider_user_id, + data.approved_scopes, + data.email_address, + data.first_name, + data.last_name, + data.image_url || "", + data.username, + data.public_metadata, + data.label, + data.verification && Verification.fromJSON(data.verification) + ); + } +}; + +// src/api/resources/Invitation.ts +var Invitation = class _Invitation { + constructor(id, emailAddress, publicMetadata, createdAt, updatedAt, status, url, revoked) { + this.id = id; + this.emailAddress = emailAddress; + this.publicMetadata = publicMetadata; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.status = status; + this.url = url; + this.revoked = revoked; + } + static fromJSON(data) { + return new _Invitation( + data.id, + data.email_address, + data.public_metadata, + data.created_at, + data.updated_at, + data.status, + data.url, + data.revoked + ); + } +}; + +// src/api/resources/JSON.ts +var ObjectType = { + AccountlessApplication: "accountless_application", + AllowlistIdentifier: "allowlist_identifier", + Client: "client", + Cookies: "cookies", + Email: "email", + EmailAddress: "email_address", + ExternalAccount: "external_account", + FacebookAccount: "facebook_account", + GoogleAccount: "google_account", + Invitation: "invitation", + OauthAccessToken: "oauth_access_token", + Organization: "organization", + OrganizationDomain: "organization_domain", + OrganizationInvitation: "organization_invitation", + OrganizationMembership: "organization_membership", + PhoneNumber: "phone_number", + RedirectUrl: "redirect_url", + SamlAccount: "saml_account", + Session: "session", + SignInAttempt: "sign_in_attempt", + SignInToken: "sign_in_token", + SignUpAttempt: "sign_up_attempt", + SmsMessage: "sms_message", + User: "user", + Web3Wallet: "web3_wallet", + Token: "token", + TotalCount: "total_count", + TestingToken: "testing_token", + Role: "role", + Permission: "permission" +}; + +// src/api/resources/OauthAccessToken.ts +var OauthAccessToken = class _OauthAccessToken { + constructor(externalAccountId, provider, token, publicMetadata = {}, label, scopes, tokenSecret) { + this.externalAccountId = externalAccountId; + this.provider = provider; + this.token = token; + this.publicMetadata = publicMetadata; + this.label = label; + this.scopes = scopes; + this.tokenSecret = tokenSecret; + } + static fromJSON(data) { + return new _OauthAccessToken( + data.external_account_id, + data.provider, + data.token, + data.public_metadata, + data.label || "", + data.scopes, + data.token_secret + ); + } +}; + +// src/api/resources/Organization.ts +var Organization = class _Organization { + constructor(id, name, slug, imageUrl, hasImage, createdAt, updatedAt, publicMetadata = {}, privateMetadata = {}, maxAllowedMemberships, adminDeleteEnabled, membersCount, createdBy) { + this.id = id; + this.name = name; + this.slug = slug; + this.imageUrl = imageUrl; + this.hasImage = hasImage; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.publicMetadata = publicMetadata; + this.privateMetadata = privateMetadata; + this.maxAllowedMemberships = maxAllowedMemberships; + this.adminDeleteEnabled = adminDeleteEnabled; + this.membersCount = membersCount; + this.createdBy = createdBy; + } + static fromJSON(data) { + return new _Organization( + data.id, + data.name, + data.slug, + data.image_url || "", + data.has_image, + data.created_at, + data.updated_at, + data.public_metadata, + data.private_metadata, + data.max_allowed_memberships, + data.admin_delete_enabled, + data.members_count, + data.created_by + ); + } +}; + +// src/api/resources/OrganizationInvitation.ts +var OrganizationInvitation = class _OrganizationInvitation { + constructor(id, emailAddress, role, organizationId, createdAt, updatedAt, status, publicMetadata = {}, privateMetadata = {}) { + this.id = id; + this.emailAddress = emailAddress; + this.role = role; + this.organizationId = organizationId; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.status = status; + this.publicMetadata = publicMetadata; + this.privateMetadata = privateMetadata; + } + static fromJSON(data) { + return new _OrganizationInvitation( + data.id, + data.email_address, + data.role, + data.organization_id, + data.created_at, + data.updated_at, + data.status, + data.public_metadata, + data.private_metadata + ); + } +}; + +// src/api/resources/OrganizationMembership.ts +var OrganizationMembership = class _OrganizationMembership { + constructor(id, role, permissions, publicMetadata = {}, privateMetadata = {}, createdAt, updatedAt, organization, publicUserData) { + this.id = id; + this.role = role; + this.permissions = permissions; + this.publicMetadata = publicMetadata; + this.privateMetadata = privateMetadata; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.organization = organization; + this.publicUserData = publicUserData; + } + static fromJSON(data) { + return new _OrganizationMembership( + data.id, + data.role, + data.permissions, + data.public_metadata, + data.private_metadata, + data.created_at, + data.updated_at, + Organization.fromJSON(data.organization), + OrganizationMembershipPublicUserData.fromJSON(data.public_user_data) + ); + } +}; +var OrganizationMembershipPublicUserData = class _OrganizationMembershipPublicUserData { + constructor(identifier, firstName, lastName, imageUrl, hasImage, userId) { + this.identifier = identifier; + this.firstName = firstName; + this.lastName = lastName; + this.imageUrl = imageUrl; + this.hasImage = hasImage; + this.userId = userId; + } + static fromJSON(data) { + return new _OrganizationMembershipPublicUserData( + data.identifier, + data.first_name, + data.last_name, + data.image_url, + data.has_image, + data.user_id + ); + } +}; + +// src/api/resources/PhoneNumber.ts +var PhoneNumber = class _PhoneNumber { + constructor(id, phoneNumber, reservedForSecondFactor, defaultSecondFactor, verification, linkedTo) { + this.id = id; + this.phoneNumber = phoneNumber; + this.reservedForSecondFactor = reservedForSecondFactor; + this.defaultSecondFactor = defaultSecondFactor; + this.verification = verification; + this.linkedTo = linkedTo; + } + static fromJSON(data) { + return new _PhoneNumber( + data.id, + data.phone_number, + data.reserved_for_second_factor, + data.default_second_factor, + data.verification && Verification.fromJSON(data.verification), + data.linked_to.map((link) => IdentificationLink.fromJSON(link)) + ); + } +}; + +// src/api/resources/RedirectUrl.ts +var RedirectUrl = class _RedirectUrl { + constructor(id, url, createdAt, updatedAt) { + this.id = id; + this.url = url; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + } + static fromJSON(data) { + return new _RedirectUrl(data.id, data.url, data.created_at, data.updated_at); + } +}; + +// src/api/resources/SignInTokens.ts +var SignInToken = class _SignInToken { + constructor(id, userId, token, status, url, createdAt, updatedAt) { + this.id = id; + this.userId = userId; + this.token = token; + this.status = status; + this.url = url; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + } + static fromJSON(data) { + return new _SignInToken(data.id, data.user_id, data.token, data.status, data.url, data.created_at, data.updated_at); + } +}; + +// src/api/resources/SMSMessage.ts +var SMSMessage = class _SMSMessage { + constructor(id, fromPhoneNumber, toPhoneNumber, message, status, phoneNumberId, data) { + this.id = id; + this.fromPhoneNumber = fromPhoneNumber; + this.toPhoneNumber = toPhoneNumber; + this.message = message; + this.status = status; + this.phoneNumberId = phoneNumberId; + this.data = data; + } + static fromJSON(data) { + return new _SMSMessage( + data.id, + data.from_phone_number, + data.to_phone_number, + data.message, + data.status, + data.phone_number_id, + data.data + ); + } +}; + +// src/api/resources/Token.ts +var Token = class _Token { + constructor(jwt) { + this.jwt = jwt; + } + static fromJSON(data) { + return new _Token(data.jwt); + } +}; + +// src/api/resources/SamlConnection.ts +var SamlAccountConnection = class _SamlAccountConnection { + constructor(id, name, domain, active, provider, syncUserAttributes, allowSubdomains, allowIdpInitiated, createdAt, updatedAt) { + this.id = id; + this.name = name; + this.domain = domain; + this.active = active; + this.provider = provider; + this.syncUserAttributes = syncUserAttributes; + this.allowSubdomains = allowSubdomains; + this.allowIdpInitiated = allowIdpInitiated; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + } + static fromJSON(data) { + return new _SamlAccountConnection( + data.id, + data.name, + data.domain, + data.active, + data.provider, + data.sync_user_attributes, + data.allow_subdomains, + data.allow_idp_initiated, + data.created_at, + data.updated_at + ); + } +}; + +// src/api/resources/SamlAccount.ts +var SamlAccount = class _SamlAccount { + constructor(id, provider, providerUserId, active, emailAddress, firstName, lastName, verification, samlConnection) { + this.id = id; + this.provider = provider; + this.providerUserId = providerUserId; + this.active = active; + this.emailAddress = emailAddress; + this.firstName = firstName; + this.lastName = lastName; + this.verification = verification; + this.samlConnection = samlConnection; + } + static fromJSON(data) { + return new _SamlAccount( + data.id, + data.provider, + data.provider_user_id, + data.active, + data.email_address, + data.first_name, + data.last_name, + data.verification && Verification.fromJSON(data.verification), + data.saml_connection && SamlAccountConnection.fromJSON(data.saml_connection) + ); + } +}; + +// src/api/resources/Web3Wallet.ts +var Web3Wallet = class _Web3Wallet { + constructor(id, web3Wallet, verification) { + this.id = id; + this.web3Wallet = web3Wallet; + this.verification = verification; + } + static fromJSON(data) { + return new _Web3Wallet(data.id, data.web3_wallet, data.verification && Verification.fromJSON(data.verification)); + } +}; + +// src/api/resources/User.ts +var User = class _User { + constructor(id, passwordEnabled, totpEnabled, backupCodeEnabled, twoFactorEnabled, banned, locked, createdAt, updatedAt, imageUrl, hasImage, primaryEmailAddressId, primaryPhoneNumberId, primaryWeb3WalletId, lastSignInAt, externalId, username, firstName, lastName, publicMetadata = {}, privateMetadata = {}, unsafeMetadata = {}, emailAddresses = [], phoneNumbers = [], web3Wallets = [], externalAccounts = [], samlAccounts = [], lastActiveAt, createOrganizationEnabled, createOrganizationsLimit = null, deleteSelfEnabled, legalAcceptedAt) { + this.id = id; + this.passwordEnabled = passwordEnabled; + this.totpEnabled = totpEnabled; + this.backupCodeEnabled = backupCodeEnabled; + this.twoFactorEnabled = twoFactorEnabled; + this.banned = banned; + this.locked = locked; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.imageUrl = imageUrl; + this.hasImage = hasImage; + this.primaryEmailAddressId = primaryEmailAddressId; + this.primaryPhoneNumberId = primaryPhoneNumberId; + this.primaryWeb3WalletId = primaryWeb3WalletId; + this.lastSignInAt = lastSignInAt; + this.externalId = externalId; + this.username = username; + this.firstName = firstName; + this.lastName = lastName; + this.publicMetadata = publicMetadata; + this.privateMetadata = privateMetadata; + this.unsafeMetadata = unsafeMetadata; + this.emailAddresses = emailAddresses; + this.phoneNumbers = phoneNumbers; + this.web3Wallets = web3Wallets; + this.externalAccounts = externalAccounts; + this.samlAccounts = samlAccounts; + this.lastActiveAt = lastActiveAt; + this.createOrganizationEnabled = createOrganizationEnabled; + this.createOrganizationsLimit = createOrganizationsLimit; + this.deleteSelfEnabled = deleteSelfEnabled; + this.legalAcceptedAt = legalAcceptedAt; + this._raw = null; + } + get raw() { + return this._raw; + } + static fromJSON(data) { + const res = new _User( + data.id, + data.password_enabled, + data.totp_enabled, + data.backup_code_enabled, + data.two_factor_enabled, + data.banned, + data.locked, + data.created_at, + data.updated_at, + data.image_url, + data.has_image, + data.primary_email_address_id, + data.primary_phone_number_id, + data.primary_web3_wallet_id, + data.last_sign_in_at, + data.external_id, + data.username, + data.first_name, + data.last_name, + data.public_metadata, + data.private_metadata, + data.unsafe_metadata, + (data.email_addresses || []).map((x) => EmailAddress.fromJSON(x)), + (data.phone_numbers || []).map((x) => PhoneNumber.fromJSON(x)), + (data.web3_wallets || []).map((x) => Web3Wallet.fromJSON(x)), + (data.external_accounts || []).map((x) => ExternalAccount.fromJSON(x)), + (data.saml_accounts || []).map((x) => SamlAccount.fromJSON(x)), + data.last_active_at, + data.create_organization_enabled, + data.create_organizations_limit, + data.delete_self_enabled, + data.legal_accepted_at + ); + res._raw = data; + return res; + } + get primaryEmailAddress() { + return this.emailAddresses.find(({ id }) => id === this.primaryEmailAddressId) ?? null; + } + get primaryPhoneNumber() { + return this.phoneNumbers.find(({ id }) => id === this.primaryPhoneNumberId) ?? null; + } + get primaryWeb3Wallet() { + return this.web3Wallets.find(({ id }) => id === this.primaryWeb3WalletId) ?? null; + } + get fullName() { + return [this.firstName, this.lastName].join(" ").trim() || null; + } +}; + +// src/api/resources/Deserializer.ts +function deserialize(payload) { + let data, totalCount; + if (Array.isArray(payload)) { + const data2 = payload.map((item) => jsonToObject(item)); + return { data: data2 }; + } else if (isPaginated(payload)) { + data = payload.data.map((item) => jsonToObject(item)); + totalCount = payload.total_count; + return { data, totalCount }; + } else { + return { data: jsonToObject(payload) }; + } +} +function isPaginated(payload) { + if (!payload || typeof payload !== "object" || !("data" in payload)) { + return false; + } + return Array.isArray(payload.data) && payload.data !== void 0; +} +function getCount(item) { + return item.total_count; +} +function jsonToObject(item) { + if (typeof item !== "string" && "object" in item && "deleted" in item) { + return DeletedObject.fromJSON(item); + } + switch (item.object) { + case ObjectType.AccountlessApplication: + return AccountlessApplication.fromJSON(item); + case ObjectType.AllowlistIdentifier: + return AllowlistIdentifier.fromJSON(item); + case ObjectType.Client: + return Client.fromJSON(item); + case ObjectType.Cookies: + return Cookies2.fromJSON(item); + case ObjectType.EmailAddress: + return EmailAddress.fromJSON(item); + case ObjectType.Email: + return Email.fromJSON(item); + case ObjectType.Invitation: + return Invitation.fromJSON(item); + case ObjectType.OauthAccessToken: + return OauthAccessToken.fromJSON(item); + case ObjectType.Organization: + return Organization.fromJSON(item); + case ObjectType.OrganizationInvitation: + return OrganizationInvitation.fromJSON(item); + case ObjectType.OrganizationMembership: + return OrganizationMembership.fromJSON(item); + case ObjectType.PhoneNumber: + return PhoneNumber.fromJSON(item); + case ObjectType.RedirectUrl: + return RedirectUrl.fromJSON(item); + case ObjectType.SignInToken: + return SignInToken.fromJSON(item); + case ObjectType.Session: + return Session.fromJSON(item); + case ObjectType.SmsMessage: + return SMSMessage.fromJSON(item); + case ObjectType.Token: + return Token.fromJSON(item); + case ObjectType.TotalCount: + return getCount(item); + case ObjectType.User: + return User.fromJSON(item); + default: + return item; + } +} + +// src/api/request.ts +function buildRequest(options) { + const requestFn = async (requestOptions) => { + const { + secretKey, + requireSecretKey = true, + apiUrl = API_URL, + apiVersion = API_VERSION, + userAgent = USER_AGENT + } = options; + const { path, method, queryParams, headerParams, bodyParams, formData } = requestOptions; + if (requireSecretKey) { + assertValidSecretKey(secretKey); + } + const url = joinPaths(apiUrl, apiVersion, path); + const finalUrl = new URL(url); + if (queryParams) { + const snakecasedQueryParams = snakecaseKeys({ ...queryParams }); + for (const [key, val] of Object.entries(snakecasedQueryParams)) { + if (val) { + [val].flat().forEach((v) => finalUrl.searchParams.append(key, v)); + } + } + } + const headers = { + Authorization: `Bearer ${secretKey}`, + "Clerk-API-Version": SUPPORTED_BAPI_VERSION, + "User-Agent": userAgent, + ...headerParams + }; + let res; + try { + if (formData) { + res = await runtime.fetch(finalUrl.href, { + method, + headers, + body: formData + }); + } else { + headers["Content-Type"] = "application/json"; + const hasBody = method !== "GET" && bodyParams && Object.keys(bodyParams).length > 0; + const body = hasBody ? { body: JSON.stringify(snakecaseKeys(bodyParams, { deep: false })) } : null; + res = await runtime.fetch(finalUrl.href, { + method, + headers, + ...body + }); + } + const isJSONResponse = res?.headers && res.headers?.get(constants.Headers.ContentType) === constants.ContentTypes.Json; + const responseBody = await (isJSONResponse ? res.json() : res.text()); + if (!res.ok) { + return { + data: null, + errors: parseErrors(responseBody), + status: res?.status, + statusText: res?.statusText, + clerkTraceId: getTraceId(responseBody, res?.headers) + }; + } + return { + ...deserialize(responseBody), + errors: null + }; + } catch (err) { + if (err instanceof Error) { + return { + data: null, + errors: [ + { + code: "unexpected_error", + message: err.message || "Unexpected error" + } + ], + clerkTraceId: getTraceId(err, res?.headers) + }; + } + return { + data: null, + errors: parseErrors(err), + status: res?.status, + statusText: res?.statusText, + clerkTraceId: getTraceId(err, res?.headers) + }; + } + }; + return withLegacyRequestReturn(requestFn); +} +function getTraceId(data, headers) { + if (data && typeof data === "object" && "clerk_trace_id" in data && typeof data.clerk_trace_id === "string") { + return data.clerk_trace_id; + } + const cfRay = headers?.get("cf-ray"); + return cfRay || ""; +} +function parseErrors(data) { + if (!!data && typeof data === "object" && "errors" in data) { + const errors = data.errors; + return errors.length > 0 ? errors.map(parseError) : []; + } + return []; +} +function withLegacyRequestReturn(cb) { + return async (...args) => { + const { data, errors, totalCount, status, statusText, clerkTraceId } = await cb(...args); + if (errors) { + const error = new ClerkAPIResponseError(statusText || "", { + data: [], + status, + clerkTraceId + }); + error.errors = errors; + throw error; + } + if (typeof totalCount !== "undefined") { + return { data, totalCount }; + } + return data; + }; +} + +// src/api/factory.ts +function createBackendApiClient(options) { + const request = buildRequest(options); + return { + __experimental_accountlessApplications: new AccountlessApplicationAPI( + buildRequest({ ...options, requireSecretKey: false }) + ), + allowlistIdentifiers: new AllowlistIdentifierAPI(request), + clients: new ClientAPI(request), + emailAddresses: new EmailAddressAPI(request), + invitations: new InvitationAPI(request), + organizations: new OrganizationAPI(request), + phoneNumbers: new PhoneNumberAPI(request), + redirectUrls: new RedirectUrlAPI(request), + sessions: new SessionAPI(request), + signInTokens: new SignInTokenAPI(request), + users: new UserAPI(request), + domains: new DomainAPI(request), + samlConnections: new SamlConnectionAPI(request), + testingTokens: new TestingTokenAPI(request) + }; +} + +// src/tokens/authObjects.ts +import { createCheckAuthorization } from "@clerk/shared/authorization"; +var createDebug = (data) => { + return () => { + const res = { ...data }; + res.secretKey = (res.secretKey || "").substring(0, 7); + res.jwtKey = (res.jwtKey || "").substring(0, 7); + return { ...res }; + }; +}; +function signedInAuthObject(authenticateContext, sessionToken, sessionClaims) { + const { + act: actor, + sid: sessionId, + org_id: orgId, + org_role: orgRole, + org_slug: orgSlug, + org_permissions: orgPermissions, + sub: userId, + fva + } = sessionClaims; + const apiClient = createBackendApiClient(authenticateContext); + const getToken = createGetToken({ + sessionId, + sessionToken, + fetcher: async (...args) => (await apiClient.sessions.getToken(...args)).jwt + }); + const factorVerificationAge = fva ?? null; + return { + actor, + sessionClaims, + sessionId, + userId, + orgId, + orgRole, + orgSlug, + orgPermissions, + factorVerificationAge, + getToken, + has: createCheckAuthorization({ orgId, orgRole, orgPermissions, userId, factorVerificationAge }), + debug: createDebug({ ...authenticateContext, sessionToken }) + }; +} +function signedOutAuthObject(debugData) { + return { + sessionClaims: null, + sessionId: null, + userId: null, + actor: null, + orgId: null, + orgRole: null, + orgSlug: null, + orgPermissions: null, + factorVerificationAge: null, + getToken: () => Promise.resolve(null), + has: () => false, + debug: createDebug(debugData) + }; +} +var makeAuthObjectSerializable = (obj) => { + const { debug, getToken, has, ...rest } = obj; + return rest; +}; +var createGetToken = (params) => { + const { fetcher, sessionToken, sessionId } = params || {}; + return async (options = {}) => { + if (!sessionId) { + return null; + } + if (options.template) { + return fetcher(sessionId, options.template); + } + return sessionToken; + }; +}; + +// src/tokens/authStatus.ts +var AuthStatus = { + SignedIn: "signed-in", + SignedOut: "signed-out", + Handshake: "handshake" +}; +var AuthErrorReason = { + ClientUATWithoutSessionToken: "client-uat-but-no-session-token", + DevBrowserMissing: "dev-browser-missing", + DevBrowserSync: "dev-browser-sync", + PrimaryRespondsToSyncing: "primary-responds-to-syncing", + SatelliteCookieNeedsSyncing: "satellite-needs-syncing", + SessionTokenAndUATMissing: "session-token-and-uat-missing", + SessionTokenMissing: "session-token-missing", + SessionTokenExpired: "session-token-expired", + SessionTokenIATBeforeClientUAT: "session-token-iat-before-client-uat", + SessionTokenNBF: "session-token-nbf", + SessionTokenIatInTheFuture: "session-token-iat-in-the-future", + SessionTokenWithoutClientUAT: "session-token-but-no-client-uat", + ActiveOrganizationMismatch: "active-organization-mismatch", + UnexpectedError: "unexpected-error" +}; +function signedIn(authenticateContext, sessionClaims, headers = new Headers(), token) { + const authObject = signedInAuthObject(authenticateContext, token, sessionClaims); + return { + status: AuthStatus.SignedIn, + reason: null, + message: null, + proxyUrl: authenticateContext.proxyUrl || "", + publishableKey: authenticateContext.publishableKey || "", + isSatellite: authenticateContext.isSatellite || false, + domain: authenticateContext.domain || "", + signInUrl: authenticateContext.signInUrl || "", + signUpUrl: authenticateContext.signUpUrl || "", + afterSignInUrl: authenticateContext.afterSignInUrl || "", + afterSignUpUrl: authenticateContext.afterSignUpUrl || "", + isSignedIn: true, + toAuth: () => authObject, + headers, + token + }; +} +function signedOut(authenticateContext, reason, message = "", headers = new Headers()) { + return withDebugHeaders({ + status: AuthStatus.SignedOut, + reason, + message, + proxyUrl: authenticateContext.proxyUrl || "", + publishableKey: authenticateContext.publishableKey || "", + isSatellite: authenticateContext.isSatellite || false, + domain: authenticateContext.domain || "", + signInUrl: authenticateContext.signInUrl || "", + signUpUrl: authenticateContext.signUpUrl || "", + afterSignInUrl: authenticateContext.afterSignInUrl || "", + afterSignUpUrl: authenticateContext.afterSignUpUrl || "", + isSignedIn: false, + headers, + toAuth: () => signedOutAuthObject({ ...authenticateContext, status: AuthStatus.SignedOut, reason, message }), + token: null + }); +} +function handshake(authenticateContext, reason, message = "", headers) { + return withDebugHeaders({ + status: AuthStatus.Handshake, + reason, + message, + publishableKey: authenticateContext.publishableKey || "", + isSatellite: authenticateContext.isSatellite || false, + domain: authenticateContext.domain || "", + proxyUrl: authenticateContext.proxyUrl || "", + signInUrl: authenticateContext.signInUrl || "", + signUpUrl: authenticateContext.signUpUrl || "", + afterSignInUrl: authenticateContext.afterSignInUrl || "", + afterSignUpUrl: authenticateContext.afterSignUpUrl || "", + isSignedIn: false, + headers, + toAuth: () => null, + token: null + }); +} +var withDebugHeaders = (requestState) => { + const headers = new Headers(requestState.headers || {}); + if (requestState.message) { + try { + headers.set(constants.Headers.AuthMessage, requestState.message); + } catch { + } + } + if (requestState.reason) { + try { + headers.set(constants.Headers.AuthReason, requestState.reason); + } catch { + } + } + if (requestState.status) { + try { + headers.set(constants.Headers.AuthStatus, requestState.status); + } catch { + } + } + requestState.headers = headers; + return requestState; +}; + +// src/tokens/clerkRequest.ts +import { parse } from "cookie"; + +// src/tokens/clerkUrl.ts +var ClerkUrl = class extends URL { + isCrossOrigin(other) { + return this.origin !== new URL(other.toString()).origin; + } +}; +var createClerkUrl = (...args) => { + return new ClerkUrl(...args); +}; + +// src/tokens/clerkRequest.ts +var ClerkRequest = class extends Request { + constructor(input, init) { + const url = typeof input !== "string" && "url" in input ? input.url : String(input); + super(url, init || typeof input === "string" ? void 0 : input); + this.clerkUrl = this.deriveUrlFromHeaders(this); + this.cookies = this.parseCookies(this); + } + toJSON() { + return { + url: this.clerkUrl.href, + method: this.method, + headers: JSON.stringify(Object.fromEntries(this.headers)), + clerkUrl: this.clerkUrl.toString(), + cookies: JSON.stringify(Object.fromEntries(this.cookies)) + }; + } + /** + * Used to fix request.url using the x-forwarded-* headers + * TODO add detailed description of the issues this solves + */ + deriveUrlFromHeaders(req) { + const initialUrl = new URL(req.url); + const forwardedProto = req.headers.get(constants.Headers.ForwardedProto); + const forwardedHost = req.headers.get(constants.Headers.ForwardedHost); + const host = req.headers.get(constants.Headers.Host); + const protocol = initialUrl.protocol; + const resolvedHost = this.getFirstValueFromHeader(forwardedHost) ?? host; + const resolvedProtocol = this.getFirstValueFromHeader(forwardedProto) ?? protocol?.replace(/[:/]/, ""); + const origin = resolvedHost && resolvedProtocol ? `${resolvedProtocol}://${resolvedHost}` : initialUrl.origin; + if (origin === initialUrl.origin) { + return createClerkUrl(initialUrl); + } + return createClerkUrl(initialUrl.pathname + initialUrl.search, origin); + } + getFirstValueFromHeader(value) { + return value?.split(",")[0]; + } + parseCookies(req) { + const cookiesRecord = parse(this.decodeCookieValue(req.headers.get("cookie") || "")); + return new Map(Object.entries(cookiesRecord)); + } + decodeCookieValue(str) { + return str ? str.replace(/(%[0-9A-Z]{2})+/g, decodeURIComponent) : str; + } +}; +var createClerkRequest = (...args) => { + return args[0] instanceof ClerkRequest ? args[0] : new ClerkRequest(...args); +}; + +// src/tokens/keys.ts +var cache = {}; +var lastUpdatedAt = 0; +function getFromCache(kid) { + return cache[kid]; +} +function getCacheValues() { + return Object.values(cache); +} +function setInCache(jwk, shouldExpire = true) { + cache[jwk.kid] = jwk; + lastUpdatedAt = shouldExpire ? Date.now() : -1; +} +var LocalJwkKid = "local"; +var PEM_HEADER = "-----BEGIN PUBLIC KEY-----"; +var PEM_TRAILER = "-----END PUBLIC KEY-----"; +var RSA_PREFIX = "MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA"; +var RSA_SUFFIX = "IDAQAB"; +function loadClerkJWKFromLocal(localKey) { + if (!getFromCache(LocalJwkKid)) { + if (!localKey) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.SetClerkJWTKey, + message: "Missing local JWK.", + reason: TokenVerificationErrorReason.LocalJWKMissing + }); + } + const modulus = localKey.replace(/\r\n|\n|\r/g, "").replace(PEM_HEADER, "").replace(PEM_TRAILER, "").replace(RSA_PREFIX, "").replace(RSA_SUFFIX, "").replace(/\+/g, "-").replace(/\//g, "_"); + setInCache( + { + kid: "local", + kty: "RSA", + alg: "RS256", + n: modulus, + e: "AQAB" + }, + false + // local key never expires in cache + ); + } + return getFromCache(LocalJwkKid); +} +async function loadClerkJWKFromRemote({ + secretKey, + apiUrl = API_URL, + apiVersion = API_VERSION, + kid, + skipJwksCache +}) { + if (skipJwksCache || cacheHasExpired() || !getFromCache(kid)) { + if (!secretKey) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.ContactSupport, + message: "Failed to load JWKS from Clerk Backend or Frontend API.", + reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad + }); + } + const fetcher = () => fetchJWKSFromBAPI(apiUrl, secretKey, apiVersion); + const { keys } = await retry(fetcher); + if (!keys || !keys.length) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.ContactSupport, + message: "The JWKS endpoint did not contain any signing keys. Contact support@clerk.com.", + reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad + }); + } + keys.forEach((key) => setInCache(key)); + } + const jwk = getFromCache(kid); + if (!jwk) { + const cacheValues = getCacheValues(); + const jwkKeys = cacheValues.map((jwk2) => jwk2.kid).sort().join(", "); + throw new TokenVerificationError({ + action: `Go to your Dashboard and validate your secret and public keys are correct. ${TokenVerificationErrorAction.ContactSupport} if the issue persists.`, + message: `Unable to find a signing key in JWKS that matches the kid='${kid}' of the provided session token. Please make sure that the __session cookie or the HTTP authorization header contain a Clerk-generated session JWT. The following kid is available: ${jwkKeys}`, + reason: TokenVerificationErrorReason.JWKKidMismatch + }); + } + return jwk; +} +async function fetchJWKSFromBAPI(apiUrl, key, apiVersion) { + if (!key) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.SetClerkSecretKey, + message: "Missing Clerk Secret Key or API Key. Go to https://dashboard.clerk.com and get your key for your instance.", + reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad + }); + } + const url = new URL(apiUrl); + url.pathname = joinPaths(url.pathname, apiVersion, "/jwks"); + const response = await runtime.fetch(url.href, { + headers: { + Authorization: `Bearer ${key}`, + "Clerk-API-Version": SUPPORTED_BAPI_VERSION, + "Content-Type": "application/json", + "User-Agent": USER_AGENT + } + }); + if (!response.ok) { + const json = await response.json(); + const invalidSecretKeyError = getErrorObjectByCode(json?.errors, TokenVerificationErrorCode.InvalidSecretKey); + if (invalidSecretKeyError) { + const reason = TokenVerificationErrorReason.InvalidSecretKey; + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.ContactSupport, + message: invalidSecretKeyError.message, + reason + }); + } + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.ContactSupport, + message: `Error loading Clerk JWKS from ${url.href} with code=${response.status}`, + reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad + }); + } + return response.json(); +} +function cacheHasExpired() { + if (lastUpdatedAt === -1) { + return false; + } + const isExpired = Date.now() - lastUpdatedAt >= MAX_CACHE_LAST_UPDATED_AT_SECONDS * 1e3; + if (isExpired) { + cache = {}; + } + return isExpired; +} +var getErrorObjectByCode = (errors, code) => { + if (!errors) { + return null; + } + return errors.find((err) => err.code === code); +}; + +// src/tokens/verify.ts +async function verifyToken(token, options) { + const { data: decodedResult, errors } = decodeJwt(token); + if (errors) { + return { errors }; + } + const { header } = decodedResult; + const { kid } = header; + try { + let key; + if (options.jwtKey) { + key = loadClerkJWKFromLocal(options.jwtKey); + } else if (options.secretKey) { + key = await loadClerkJWKFromRemote({ ...options, kid }); + } else { + return { + errors: [ + new TokenVerificationError({ + action: TokenVerificationErrorAction.SetClerkJWTKey, + message: "Failed to resolve JWK during verification.", + reason: TokenVerificationErrorReason.JWKFailedToResolve + }) + ] + }; + } + return await verifyJwt(token, { ...options, key }); + } catch (error) { + return { errors: [error] }; + } +} + +// src/tokens/request.ts +import { match } from "@clerk/shared/pathToRegexp"; + +// src/tokens/authenticateContext.ts +var AuthenticateContext = class { + constructor(cookieSuffix, clerkRequest, options) { + this.cookieSuffix = cookieSuffix; + this.clerkRequest = clerkRequest; + this.initPublishableKeyValues(options); + this.initHeaderValues(); + this.initCookieValues(); + this.initHandshakeValues(); + Object.assign(this, options); + this.clerkUrl = this.clerkRequest.clerkUrl; + } + /** + * Retrieves the session token from either the cookie or the header. + * + * @returns {string | undefined} The session token if available, otherwise undefined. + */ + get sessionToken() { + return this.sessionTokenInCookie || this.sessionTokenInHeader; + } + usesSuffixedCookies() { + const suffixedClientUat = this.getSuffixedCookie(constants.Cookies.ClientUat); + const clientUat = this.getCookie(constants.Cookies.ClientUat); + const suffixedSession = this.getSuffixedCookie(constants.Cookies.Session) || ""; + const session = this.getCookie(constants.Cookies.Session) || ""; + if (session && !this.tokenHasIssuer(session)) { + return false; + } + if (session && !this.tokenBelongsToInstance(session)) { + return true; + } + if (!suffixedClientUat && !suffixedSession) { + return false; + } + const { data: sessionData } = decodeJwt(session); + const sessionIat = sessionData?.payload.iat || 0; + const { data: suffixedSessionData } = decodeJwt(suffixedSession); + const suffixedSessionIat = suffixedSessionData?.payload.iat || 0; + if (suffixedClientUat !== "0" && clientUat !== "0" && sessionIat > suffixedSessionIat) { + return false; + } + if (suffixedClientUat === "0" && clientUat !== "0") { + return false; + } + if (this.instanceType !== "production") { + const isSuffixedSessionExpired = this.sessionExpired(suffixedSessionData); + if (suffixedClientUat !== "0" && clientUat === "0" && isSuffixedSessionExpired) { + return false; + } + } + if (!suffixedClientUat && suffixedSession) { + return false; + } + return true; + } + initPublishableKeyValues(options) { + assertValidPublishableKey(options.publishableKey); + this.publishableKey = options.publishableKey; + const pk = parsePublishableKey(this.publishableKey, { + fatal: true, + proxyUrl: options.proxyUrl, + domain: options.domain + }); + this.instanceType = pk.instanceType; + this.frontendApi = pk.frontendApi; + } + initHeaderValues() { + this.sessionTokenInHeader = this.stripAuthorizationHeader(this.getHeader(constants.Headers.Authorization)); + this.origin = this.getHeader(constants.Headers.Origin); + this.host = this.getHeader(constants.Headers.Host); + this.forwardedHost = this.getHeader(constants.Headers.ForwardedHost); + this.forwardedProto = this.getHeader(constants.Headers.CloudFrontForwardedProto) || this.getHeader(constants.Headers.ForwardedProto); + this.referrer = this.getHeader(constants.Headers.Referrer); + this.userAgent = this.getHeader(constants.Headers.UserAgent); + this.secFetchDest = this.getHeader(constants.Headers.SecFetchDest); + this.accept = this.getHeader(constants.Headers.Accept); + } + initCookieValues() { + this.sessionTokenInCookie = this.getSuffixedOrUnSuffixedCookie(constants.Cookies.Session); + this.refreshTokenInCookie = this.getSuffixedCookie(constants.Cookies.Refresh); + this.clientUat = Number.parseInt(this.getSuffixedOrUnSuffixedCookie(constants.Cookies.ClientUat) || "") || 0; + } + initHandshakeValues() { + this.devBrowserToken = this.getQueryParam(constants.QueryParameters.DevBrowser) || this.getSuffixedOrUnSuffixedCookie(constants.Cookies.DevBrowser); + this.handshakeToken = this.getQueryParam(constants.QueryParameters.Handshake) || this.getCookie(constants.Cookies.Handshake); + this.handshakeRedirectLoopCounter = Number(this.getCookie(constants.Cookies.RedirectCount)) || 0; + } + stripAuthorizationHeader(authValue) { + return authValue?.replace("Bearer ", ""); + } + getQueryParam(name) { + return this.clerkRequest.clerkUrl.searchParams.get(name); + } + getHeader(name) { + return this.clerkRequest.headers.get(name) || void 0; + } + getCookie(name) { + return this.clerkRequest.cookies.get(name) || void 0; + } + getSuffixedCookie(name) { + return this.getCookie(getSuffixedCookieName(name, this.cookieSuffix)) || void 0; + } + getSuffixedOrUnSuffixedCookie(cookieName) { + if (this.usesSuffixedCookies()) { + return this.getSuffixedCookie(cookieName); + } + return this.getCookie(cookieName); + } + tokenHasIssuer(token) { + const { data, errors } = decodeJwt(token); + if (errors) { + return false; + } + return !!data.payload.iss; + } + tokenBelongsToInstance(token) { + if (!token) { + return false; + } + const { data, errors } = decodeJwt(token); + if (errors) { + return false; + } + const tokenIssuer = data.payload.iss.replace(/https?:\/\//gi, ""); + return this.frontendApi === tokenIssuer; + } + sessionExpired(jwt) { + return !!jwt && jwt?.payload.exp <= Date.now() / 1e3 >> 0; + } +}; +var createAuthenticateContext = async (clerkRequest, options) => { + const cookieSuffix = options.publishableKey ? await getCookieSuffix(options.publishableKey, runtime.crypto.subtle) : ""; + return new AuthenticateContext(cookieSuffix, clerkRequest, options); +}; + +// src/tokens/cookie.ts +var getCookieName = (cookieDirective) => { + return cookieDirective.split(";")[0]?.split("=")[0]; +}; +var getCookieValue = (cookieDirective) => { + return cookieDirective.split(";")[0]?.split("=")[1]; +}; + +// src/tokens/handshake.ts +async function verifyHandshakeJwt(token, { key }) { + const { data: decoded, errors } = decodeJwt(token); + if (errors) { + throw errors[0]; + } + const { header, payload } = decoded; + const { typ, alg } = header; + assertHeaderType(typ); + assertHeaderAlgorithm(alg); + const { data: signatureValid, errors: signatureErrors } = await hasValidSignature(decoded, key); + if (signatureErrors) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Error verifying handshake token. ${signatureErrors[0]}` + }); + } + if (!signatureValid) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalidSignature, + message: "Handshake signature is invalid." + }); + } + return payload; +} +async function verifyHandshakeToken(token, options) { + const { secretKey, apiUrl, apiVersion, jwksCacheTtlInMs, jwtKey, skipJwksCache } = options; + const { data, errors } = decodeJwt(token); + if (errors) { + throw errors[0]; + } + const { kid } = data.header; + let key; + if (jwtKey) { + key = loadClerkJWKFromLocal(jwtKey); + } else if (secretKey) { + key = await loadClerkJWKFromRemote({ secretKey, apiUrl, apiVersion, kid, jwksCacheTtlInMs, skipJwksCache }); + } else { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.SetClerkJWTKey, + message: "Failed to resolve JWK during handshake verification.", + reason: TokenVerificationErrorReason.JWKFailedToResolve + }); + } + return await verifyHandshakeJwt(token, { + key + }); +} + +// src/tokens/request.ts +var RefreshTokenErrorReason = { + NonEligibleNoCookie: "non-eligible-no-refresh-cookie", + NonEligibleNonGet: "non-eligible-non-get", + InvalidSessionToken: "invalid-session-token", + MissingApiClient: "missing-api-client", + MissingSessionToken: "missing-session-token", + MissingRefreshToken: "missing-refresh-token", + ExpiredSessionTokenDecodeFailed: "expired-session-token-decode-failed", + ExpiredSessionTokenMissingSidClaim: "expired-session-token-missing-sid-claim", + FetchError: "fetch-error", + UnexpectedSDKError: "unexpected-sdk-error", + UnexpectedBAPIError: "unexpected-bapi-error" +}; +function assertSignInUrlExists(signInUrl, key) { + if (!signInUrl && isDevelopmentFromSecretKey(key)) { + throw new Error(`Missing signInUrl. Pass a signInUrl for dev instances if an app is satellite`); + } +} +function assertProxyUrlOrDomain(proxyUrlOrDomain) { + if (!proxyUrlOrDomain) { + throw new Error(`Missing domain and proxyUrl. A satellite application needs to specify a domain or a proxyUrl`); + } +} +function assertSignInUrlFormatAndOrigin(_signInUrl, origin) { + let signInUrl; + try { + signInUrl = new URL(_signInUrl); + } catch { + throw new Error(`The signInUrl needs to have a absolute url format.`); + } + if (signInUrl.origin === origin) { + throw new Error(`The signInUrl needs to be on a different origin than your satellite application.`); + } +} +function isRequestEligibleForHandshake(authenticateContext) { + const { accept, secFetchDest } = authenticateContext; + if (secFetchDest === "document" || secFetchDest === "iframe") { + return true; + } + if (!secFetchDest && accept?.startsWith("text/html")) { + return true; + } + return false; +} +function isRequestEligibleForRefresh(err, authenticateContext, request) { + return err.reason === TokenVerificationErrorReason.TokenExpired && !!authenticateContext.refreshTokenInCookie && request.method === "GET"; +} +async function authenticateRequest(request, options) { + const authenticateContext = await createAuthenticateContext(createClerkRequest(request), options); + assertValidSecretKey(authenticateContext.secretKey); + if (authenticateContext.isSatellite) { + assertSignInUrlExists(authenticateContext.signInUrl, authenticateContext.secretKey); + if (authenticateContext.signInUrl && authenticateContext.origin) { + assertSignInUrlFormatAndOrigin(authenticateContext.signInUrl, authenticateContext.origin); + } + assertProxyUrlOrDomain(authenticateContext.proxyUrl || authenticateContext.domain); + } + const organizationSyncTargetMatchers = computeOrganizationSyncTargetMatchers(options.organizationSyncOptions); + function removeDevBrowserFromURL(url) { + const updatedURL = new URL(url); + updatedURL.searchParams.delete(constants.QueryParameters.DevBrowser); + updatedURL.searchParams.delete(constants.QueryParameters.LegacyDevBrowser); + return updatedURL; + } + function buildRedirectToHandshake({ handshakeReason }) { + const redirectUrl = removeDevBrowserFromURL(authenticateContext.clerkUrl); + const frontendApiNoProtocol = authenticateContext.frontendApi.replace(/http(s)?:\/\//, ""); + const url = new URL(`https://${frontendApiNoProtocol}/v1/client/handshake`); + url.searchParams.append("redirect_url", redirectUrl?.href || ""); + url.searchParams.append( + constants.QueryParameters.SuffixedCookies, + authenticateContext.usesSuffixedCookies().toString() + ); + url.searchParams.append(constants.QueryParameters.HandshakeReason, handshakeReason); + if (authenticateContext.instanceType === "development" && authenticateContext.devBrowserToken) { + url.searchParams.append(constants.QueryParameters.DevBrowser, authenticateContext.devBrowserToken); + } + const toActivate = getOrganizationSyncTarget( + authenticateContext.clerkUrl, + options.organizationSyncOptions, + organizationSyncTargetMatchers + ); + if (toActivate) { + const params = getOrganizationSyncQueryParams(toActivate); + params.forEach((value, key) => { + url.searchParams.append(key, value); + }); + } + return new Headers({ [constants.Headers.Location]: url.href }); + } + async function resolveHandshake() { + const headers = new Headers({ + "Access-Control-Allow-Origin": "null", + "Access-Control-Allow-Credentials": "true" + }); + const handshakePayload = await verifyHandshakeToken(authenticateContext.handshakeToken, authenticateContext); + const cookiesToSet = handshakePayload.handshake; + let sessionToken = ""; + cookiesToSet.forEach((x) => { + headers.append("Set-Cookie", x); + if (getCookieName(x).startsWith(constants.Cookies.Session)) { + sessionToken = getCookieValue(x); + } + }); + if (authenticateContext.instanceType === "development") { + const newUrl = new URL(authenticateContext.clerkUrl); + newUrl.searchParams.delete(constants.QueryParameters.Handshake); + newUrl.searchParams.delete(constants.QueryParameters.HandshakeHelp); + headers.append(constants.Headers.Location, newUrl.toString()); + headers.set(constants.Headers.CacheControl, "no-store"); + } + if (sessionToken === "") { + return signedOut(authenticateContext, AuthErrorReason.SessionTokenMissing, "", headers); + } + const { data, errors: [error] = [] } = await verifyToken(sessionToken, authenticateContext); + if (data) { + return signedIn(authenticateContext, data, headers, sessionToken); + } + if (authenticateContext.instanceType === "development" && (error?.reason === TokenVerificationErrorReason.TokenExpired || error?.reason === TokenVerificationErrorReason.TokenNotActiveYet || error?.reason === TokenVerificationErrorReason.TokenIatInTheFuture)) { + error.tokenCarrier = "cookie"; + console.error( + `Clerk: Clock skew detected. This usually means that your system clock is inaccurate. Clerk will attempt to account for the clock skew in development. + +To resolve this issue, make sure your system's clock is set to the correct time (e.g. turn off and on automatic time synchronization). + +--- + +${error.getFullMessage()}` + ); + const { data: retryResult, errors: [retryError] = [] } = await verifyToken(sessionToken, { + ...authenticateContext, + clockSkewInMs: 864e5 + }); + if (retryResult) { + return signedIn(authenticateContext, retryResult, headers, sessionToken); + } + throw new Error(retryError?.message || "Clerk: Handshake retry failed."); + } + throw new Error(error?.message || "Clerk: Handshake failed."); + } + async function refreshToken(authenticateContext2) { + if (!options.apiClient) { + return { + data: null, + error: { + message: "An apiClient is needed to perform token refresh.", + cause: { reason: RefreshTokenErrorReason.MissingApiClient } + } + }; + } + const { sessionToken: expiredSessionToken, refreshTokenInCookie: refreshToken2 } = authenticateContext2; + if (!expiredSessionToken) { + return { + data: null, + error: { + message: "Session token must be provided.", + cause: { reason: RefreshTokenErrorReason.MissingSessionToken } + } + }; + } + if (!refreshToken2) { + return { + data: null, + error: { + message: "Refresh token must be provided.", + cause: { reason: RefreshTokenErrorReason.MissingRefreshToken } + } + }; + } + const { data: decodeResult, errors: decodedErrors } = decodeJwt(expiredSessionToken); + if (!decodeResult || decodedErrors) { + return { + data: null, + error: { + message: "Unable to decode the expired session token.", + cause: { reason: RefreshTokenErrorReason.ExpiredSessionTokenDecodeFailed, errors: decodedErrors } + } + }; + } + if (!decodeResult?.payload?.sid) { + return { + data: null, + error: { + message: "Expired session token is missing the `sid` claim.", + cause: { reason: RefreshTokenErrorReason.ExpiredSessionTokenMissingSidClaim } + } + }; + } + try { + const response = await options.apiClient.sessions.refreshSession(decodeResult.payload.sid, { + format: "cookie", + suffixed_cookies: authenticateContext2.usesSuffixedCookies(), + expired_token: expiredSessionToken || "", + refresh_token: refreshToken2 || "", + request_origin: authenticateContext2.clerkUrl.origin, + // The refresh endpoint expects headers as Record, so we need to transform it. + request_headers: Object.fromEntries(Array.from(request.headers.entries()).map(([k, v]) => [k, [v]])) + }); + return { data: response.cookies, error: null }; + } catch (err) { + if (err?.errors?.length) { + if (err.errors[0].code === "unexpected_error") { + return { + data: null, + error: { + message: `Fetch unexpected error`, + cause: { reason: RefreshTokenErrorReason.FetchError, errors: err.errors } + } + }; + } + return { + data: null, + error: { + message: err.errors[0].code, + cause: { reason: err.errors[0].code, errors: err.errors } + } + }; + } else { + return { + data: null, + error: { + message: `Unexpected Server/BAPI error`, + cause: { reason: RefreshTokenErrorReason.UnexpectedBAPIError, errors: [err] } + } + }; + } + } + } + async function attemptRefresh(authenticateContext2) { + const { data: cookiesToSet, error } = await refreshToken(authenticateContext2); + if (!cookiesToSet || cookiesToSet.length === 0) { + return { data: null, error }; + } + const headers = new Headers(); + let sessionToken = ""; + cookiesToSet.forEach((x) => { + headers.append("Set-Cookie", x); + if (getCookieName(x).startsWith(constants.Cookies.Session)) { + sessionToken = getCookieValue(x); + } + }); + const { data: jwtPayload, errors } = await verifyToken(sessionToken, authenticateContext2); + if (errors) { + return { + data: null, + error: { + message: `Clerk: unable to verify refreshed session token.`, + cause: { reason: RefreshTokenErrorReason.InvalidSessionToken, errors } + } + }; + } + return { data: { jwtPayload, sessionToken, headers }, error: null }; + } + function handleMaybeHandshakeStatus(authenticateContext2, reason, message, headers) { + if (isRequestEligibleForHandshake(authenticateContext2)) { + const handshakeHeaders = headers ?? buildRedirectToHandshake({ handshakeReason: reason }); + if (handshakeHeaders.get(constants.Headers.Location)) { + handshakeHeaders.set(constants.Headers.CacheControl, "no-store"); + } + const isRedirectLoop = setHandshakeInfiniteRedirectionLoopHeaders(handshakeHeaders); + if (isRedirectLoop) { + const msg = `Clerk: Refreshing the session token resulted in an infinite redirect loop. This usually means that your Clerk instance keys do not match - make sure to copy the correct publishable and secret keys from the Clerk dashboard.`; + console.log(msg); + return signedOut(authenticateContext2, reason, message); + } + return handshake(authenticateContext2, reason, message, handshakeHeaders); + } + return signedOut(authenticateContext2, reason, message); + } + function handleMaybeOrganizationSyncHandshake(authenticateContext2, auth) { + const organizationSyncTarget = getOrganizationSyncTarget( + authenticateContext2.clerkUrl, + options.organizationSyncOptions, + organizationSyncTargetMatchers + ); + if (!organizationSyncTarget) { + return null; + } + let mustActivate = false; + if (organizationSyncTarget.type === "organization") { + if (organizationSyncTarget.organizationSlug && organizationSyncTarget.organizationSlug !== auth.orgSlug) { + mustActivate = true; + } + if (organizationSyncTarget.organizationId && organizationSyncTarget.organizationId !== auth.orgId) { + mustActivate = true; + } + } + if (organizationSyncTarget.type === "personalAccount" && auth.orgId) { + mustActivate = true; + } + if (!mustActivate) { + return null; + } + if (authenticateContext2.handshakeRedirectLoopCounter > 0) { + console.warn( + "Clerk: Organization activation handshake loop detected. This is likely due to an invalid organization ID or slug. Skipping organization activation." + ); + return null; + } + const handshakeState = handleMaybeHandshakeStatus( + authenticateContext2, + AuthErrorReason.ActiveOrganizationMismatch, + "" + ); + if (handshakeState.status !== "handshake") { + return null; + } + return handshakeState; + } + async function authenticateRequestWithTokenInHeader() { + const { sessionTokenInHeader } = authenticateContext; + try { + const { data, errors } = await verifyToken(sessionTokenInHeader, authenticateContext); + if (errors) { + throw errors[0]; + } + return signedIn(authenticateContext, data, void 0, sessionTokenInHeader); + } catch (err) { + return handleError(err, "header"); + } + } + function setHandshakeInfiniteRedirectionLoopHeaders(headers) { + if (authenticateContext.handshakeRedirectLoopCounter === 3) { + return true; + } + const newCounterValue = authenticateContext.handshakeRedirectLoopCounter + 1; + const cookieName = constants.Cookies.RedirectCount; + headers.append("Set-Cookie", `${cookieName}=${newCounterValue}; SameSite=Lax; HttpOnly; Max-Age=3`); + return false; + } + function handleHandshakeTokenVerificationErrorInDevelopment(error) { + if (error.reason === TokenVerificationErrorReason.TokenInvalidSignature) { + const msg = `Clerk: Handshake token verification failed due to an invalid signature. If you have switched Clerk keys locally, clear your cookies and try again.`; + throw new Error(msg); + } + throw new Error(`Clerk: Handshake token verification failed: ${error.getFullMessage()}.`); + } + async function authenticateRequestWithTokenInCookie() { + const hasActiveClient = authenticateContext.clientUat; + const hasSessionToken = !!authenticateContext.sessionTokenInCookie; + const hasDevBrowserToken = !!authenticateContext.devBrowserToken; + if (authenticateContext.handshakeToken) { + try { + return await resolveHandshake(); + } catch (error) { + if (error instanceof TokenVerificationError && authenticateContext.instanceType === "development") { + handleHandshakeTokenVerificationErrorInDevelopment(error); + } else { + console.error("Clerk: unable to resolve handshake:", error); + } + } + } + if (authenticateContext.instanceType === "development" && authenticateContext.clerkUrl.searchParams.has(constants.QueryParameters.DevBrowser)) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.DevBrowserSync, ""); + } + const isRequestEligibleForMultiDomainSync = authenticateContext.isSatellite && authenticateContext.secFetchDest === "document"; + if (authenticateContext.instanceType === "production" && isRequestEligibleForMultiDomainSync) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SatelliteCookieNeedsSyncing, ""); + } + if (authenticateContext.instanceType === "development" && isRequestEligibleForMultiDomainSync && !authenticateContext.clerkUrl.searchParams.has(constants.QueryParameters.ClerkSynced)) { + const redirectURL = new URL(authenticateContext.signInUrl); + redirectURL.searchParams.append( + constants.QueryParameters.ClerkRedirectUrl, + authenticateContext.clerkUrl.toString() + ); + const headers = new Headers({ [constants.Headers.Location]: redirectURL.toString() }); + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SatelliteCookieNeedsSyncing, "", headers); + } + const redirectUrl = new URL(authenticateContext.clerkUrl).searchParams.get( + constants.QueryParameters.ClerkRedirectUrl + ); + if (authenticateContext.instanceType === "development" && !authenticateContext.isSatellite && redirectUrl) { + const redirectBackToSatelliteUrl = new URL(redirectUrl); + if (authenticateContext.devBrowserToken) { + redirectBackToSatelliteUrl.searchParams.append( + constants.QueryParameters.DevBrowser, + authenticateContext.devBrowserToken + ); + } + redirectBackToSatelliteUrl.searchParams.append(constants.QueryParameters.ClerkSynced, "true"); + const headers = new Headers({ [constants.Headers.Location]: redirectBackToSatelliteUrl.toString() }); + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.PrimaryRespondsToSyncing, "", headers); + } + if (authenticateContext.instanceType === "development" && !hasDevBrowserToken) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.DevBrowserMissing, ""); + } + if (!hasActiveClient && !hasSessionToken) { + return signedOut(authenticateContext, AuthErrorReason.SessionTokenAndUATMissing, ""); + } + if (!hasActiveClient && hasSessionToken) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SessionTokenWithoutClientUAT, ""); + } + if (hasActiveClient && !hasSessionToken) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.ClientUATWithoutSessionToken, ""); + } + const { data: decodeResult, errors: decodedErrors } = decodeJwt(authenticateContext.sessionTokenInCookie); + if (decodedErrors) { + return handleError(decodedErrors[0], "cookie"); + } + if (decodeResult.payload.iat < authenticateContext.clientUat) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SessionTokenIATBeforeClientUAT, ""); + } + try { + const { data, errors } = await verifyToken(authenticateContext.sessionTokenInCookie, authenticateContext); + if (errors) { + throw errors[0]; + } + const signedInRequestState = signedIn( + authenticateContext, + data, + void 0, + authenticateContext.sessionTokenInCookie + ); + const handshakeRequestState = handleMaybeOrganizationSyncHandshake( + authenticateContext, + signedInRequestState.toAuth() + ); + if (handshakeRequestState) { + return handshakeRequestState; + } + return signedInRequestState; + } catch (err) { + return handleError(err, "cookie"); + } + return signedOut(authenticateContext, AuthErrorReason.UnexpectedError); + } + async function handleError(err, tokenCarrier) { + if (!(err instanceof TokenVerificationError)) { + return signedOut(authenticateContext, AuthErrorReason.UnexpectedError); + } + let refreshError; + if (isRequestEligibleForRefresh(err, authenticateContext, request)) { + const { data, error } = await attemptRefresh(authenticateContext); + if (data) { + return signedIn(authenticateContext, data.jwtPayload, data.headers, data.sessionToken); + } + if (error?.cause?.reason) { + refreshError = error.cause.reason; + } else { + refreshError = RefreshTokenErrorReason.UnexpectedSDKError; + } + } else { + if (request.method !== "GET") { + refreshError = RefreshTokenErrorReason.NonEligibleNonGet; + } else if (!authenticateContext.refreshTokenInCookie) { + refreshError = RefreshTokenErrorReason.NonEligibleNoCookie; + } else { + refreshError = null; + } + } + err.tokenCarrier = tokenCarrier; + const reasonToHandshake = [ + TokenVerificationErrorReason.TokenExpired, + TokenVerificationErrorReason.TokenNotActiveYet, + TokenVerificationErrorReason.TokenIatInTheFuture + ].includes(err.reason); + if (reasonToHandshake) { + return handleMaybeHandshakeStatus( + authenticateContext, + convertTokenVerificationErrorReasonToAuthErrorReason({ tokenError: err.reason, refreshError }), + err.getFullMessage() + ); + } + return signedOut(authenticateContext, err.reason, err.getFullMessage()); + } + if (authenticateContext.sessionTokenInHeader) { + return authenticateRequestWithTokenInHeader(); + } + return authenticateRequestWithTokenInCookie(); +} +var debugRequestState = (params) => { + const { isSignedIn, proxyUrl, reason, message, publishableKey, isSatellite, domain } = params; + return { isSignedIn, proxyUrl, reason, message, publishableKey, isSatellite, domain }; +}; +function computeOrganizationSyncTargetMatchers(options) { + let personalAccountMatcher = null; + if (options?.personalAccountPatterns) { + try { + personalAccountMatcher = match(options.personalAccountPatterns); + } catch (e) { + throw new Error(`Invalid personal account pattern "${options.personalAccountPatterns}": "${e}"`); + } + } + let organizationMatcher = null; + if (options?.organizationPatterns) { + try { + organizationMatcher = match(options.organizationPatterns); + } catch (e) { + throw new Error(`Clerk: Invalid organization pattern "${options.organizationPatterns}": "${e}"`); + } + } + return { + OrganizationMatcher: organizationMatcher, + PersonalAccountMatcher: personalAccountMatcher + }; +} +function getOrganizationSyncTarget(url, options, matchers) { + if (!options) { + return null; + } + if (matchers.OrganizationMatcher) { + let orgResult; + try { + orgResult = matchers.OrganizationMatcher(url.pathname); + } catch (e) { + console.error(`Clerk: Failed to apply organization pattern "${options.organizationPatterns}" to a path`, e); + return null; + } + if (orgResult && "params" in orgResult) { + const params = orgResult.params; + if ("id" in params && typeof params.id === "string") { + return { type: "organization", organizationId: params.id }; + } + if ("slug" in params && typeof params.slug === "string") { + return { type: "organization", organizationSlug: params.slug }; + } + console.warn( + "Clerk: Detected an organization pattern match, but no organization ID or slug was found in the URL. Does the pattern include `:id` or `:slug`?" + ); + } + } + if (matchers.PersonalAccountMatcher) { + let personalResult; + try { + personalResult = matchers.PersonalAccountMatcher(url.pathname); + } catch (e) { + console.error(`Failed to apply personal account pattern "${options.personalAccountPatterns}" to a path`, e); + return null; + } + if (personalResult) { + return { type: "personalAccount" }; + } + } + return null; +} +function getOrganizationSyncQueryParams(toActivate) { + const ret = /* @__PURE__ */ new Map(); + if (toActivate.type === "personalAccount") { + ret.set("organization_id", ""); + } + if (toActivate.type === "organization") { + if (toActivate.organizationId) { + ret.set("organization_id", toActivate.organizationId); + } + if (toActivate.organizationSlug) { + ret.set("organization_id", toActivate.organizationSlug); + } + } + return ret; +} +var convertTokenVerificationErrorReasonToAuthErrorReason = ({ + tokenError, + refreshError +}) => { + switch (tokenError) { + case TokenVerificationErrorReason.TokenExpired: + return `${AuthErrorReason.SessionTokenExpired}-refresh-${refreshError}`; + case TokenVerificationErrorReason.TokenNotActiveYet: + return AuthErrorReason.SessionTokenNBF; + case TokenVerificationErrorReason.TokenIatInTheFuture: + return AuthErrorReason.SessionTokenIatInTheFuture; + default: + return AuthErrorReason.UnexpectedError; + } +}; + +// src/util/mergePreDefinedOptions.ts +function mergePreDefinedOptions(preDefinedOptions, options) { + return Object.keys(preDefinedOptions).reduce( + (obj, key) => { + return { ...obj, [key]: options[key] || obj[key] }; + }, + { ...preDefinedOptions } + ); +} + +// src/tokens/factory.ts +var defaultOptions = { + secretKey: "", + jwtKey: "", + apiUrl: void 0, + apiVersion: void 0, + proxyUrl: "", + publishableKey: "", + isSatellite: false, + domain: "", + audience: "" +}; +function createAuthenticateRequest(params) { + const buildTimeOptions = mergePreDefinedOptions(defaultOptions, params.options); + const apiClient = params.apiClient; + const authenticateRequest2 = (request, options = {}) => { + const { apiUrl, apiVersion } = buildTimeOptions; + const runTimeOptions = mergePreDefinedOptions(buildTimeOptions, options); + return authenticateRequest(request, { + ...options, + ...runTimeOptions, + // We should add all the omitted props from options here (eg apiUrl / apiVersion) + // to avoid runtime options override them. + apiUrl, + apiVersion, + apiClient + }); + }; + return { + authenticateRequest: authenticateRequest2, + debugRequestState + }; +} + +export { + errorThrower, + parsePublishableKey, + constants, + createBackendApiClient, + signedInAuthObject, + signedOutAuthObject, + makeAuthObjectSerializable, + AuthStatus, + createClerkRequest, + verifyToken, + debugRequestState, + createAuthenticateRequest +}; +//# sourceMappingURL=chunk-XYKMBJDY.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/chunk-XYKMBJDY.mjs.map b/backend/node_modules/@clerk/backend/dist/chunk-XYKMBJDY.mjs.map new file mode 100644 index 000000000..281e4f929 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/chunk-XYKMBJDY.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/constants.ts","../src/util/path.ts","../src/api/endpoints/AbstractApi.ts","../src/api/endpoints/AccountlessApplicationsAPI.ts","../src/api/endpoints/AllowlistIdentifierApi.ts","../src/api/endpoints/ClientApi.ts","../src/api/endpoints/DomainApi.ts","../src/api/endpoints/EmailAddressApi.ts","../src/api/endpoints/InvitationApi.ts","../src/api/endpoints/OrganizationApi.ts","../src/api/endpoints/PhoneNumberApi.ts","../src/api/endpoints/RedirectUrlApi.ts","../src/api/endpoints/SessionApi.ts","../src/api/endpoints/SignInTokenApi.ts","../src/util/shared.ts","../src/api/endpoints/UserApi.ts","../src/api/endpoints/SamlConnectionApi.ts","../src/api/endpoints/TestingTokenApi.ts","../src/api/request.ts","../src/util/optionsAssertions.ts","../src/api/resources/AccountlessApplication.ts","../src/api/resources/AllowlistIdentifier.ts","../src/api/resources/Session.ts","../src/api/resources/Client.ts","../src/api/resources/Cookies.ts","../src/api/resources/DeletedObject.ts","../src/api/resources/Email.ts","../src/api/resources/IdentificationLink.ts","../src/api/resources/Verification.ts","../src/api/resources/EmailAddress.ts","../src/api/resources/ExternalAccount.ts","../src/api/resources/Invitation.ts","../src/api/resources/JSON.ts","../src/api/resources/OauthAccessToken.ts","../src/api/resources/Organization.ts","../src/api/resources/OrganizationInvitation.ts","../src/api/resources/OrganizationMembership.ts","../src/api/resources/PhoneNumber.ts","../src/api/resources/RedirectUrl.ts","../src/api/resources/SignInTokens.ts","../src/api/resources/SMSMessage.ts","../src/api/resources/Token.ts","../src/api/resources/SamlConnection.ts","../src/api/resources/SamlAccount.ts","../src/api/resources/Web3Wallet.ts","../src/api/resources/User.ts","../src/api/resources/Deserializer.ts","../src/api/factory.ts","../src/tokens/authObjects.ts","../src/tokens/authStatus.ts","../src/tokens/clerkRequest.ts","../src/tokens/clerkUrl.ts","../src/tokens/keys.ts","../src/tokens/verify.ts","../src/tokens/request.ts","../src/tokens/authenticateContext.ts","../src/tokens/cookie.ts","../src/tokens/handshake.ts","../src/util/mergePreDefinedOptions.ts","../src/tokens/factory.ts"],"sourcesContent":["export const API_URL = 'https://api.clerk.com';\nexport const API_VERSION = 'v1';\n\nexport const USER_AGENT = `${PACKAGE_NAME}@${PACKAGE_VERSION}`;\nexport const MAX_CACHE_LAST_UPDATED_AT_SECONDS = 5 * 60;\nexport const SUPPORTED_BAPI_VERSION = '2024-10-01';\n\nconst Attributes = {\n AuthToken: '__clerkAuthToken',\n AuthSignature: '__clerkAuthSignature',\n AuthStatus: '__clerkAuthStatus',\n AuthReason: '__clerkAuthReason',\n AuthMessage: '__clerkAuthMessage',\n ClerkUrl: '__clerkUrl',\n} as const;\n\nconst Cookies = {\n Session: '__session',\n Refresh: '__refresh',\n ClientUat: '__client_uat',\n Handshake: '__clerk_handshake',\n DevBrowser: '__clerk_db_jwt',\n RedirectCount: '__clerk_redirect_count',\n} as const;\n\nconst QueryParameters = {\n ClerkSynced: '__clerk_synced',\n SuffixedCookies: 'suffixed_cookies',\n ClerkRedirectUrl: '__clerk_redirect_url',\n // use the reference to Cookies to indicate that it's the same value\n DevBrowser: Cookies.DevBrowser,\n Handshake: Cookies.Handshake,\n HandshakeHelp: '__clerk_help',\n LegacyDevBrowser: '__dev_session',\n HandshakeReason: '__clerk_hs_reason',\n} as const;\n\nconst Headers = {\n AuthToken: 'x-clerk-auth-token',\n AuthSignature: 'x-clerk-auth-signature',\n AuthStatus: 'x-clerk-auth-status',\n AuthReason: 'x-clerk-auth-reason',\n AuthMessage: 'x-clerk-auth-message',\n ClerkUrl: 'x-clerk-clerk-url',\n EnableDebug: 'x-clerk-debug',\n ClerkRequestData: 'x-clerk-request-data',\n ClerkRedirectTo: 'x-clerk-redirect-to',\n CloudFrontForwardedProto: 'cloudfront-forwarded-proto',\n Authorization: 'authorization',\n ForwardedPort: 'x-forwarded-port',\n ForwardedProto: 'x-forwarded-proto',\n ForwardedHost: 'x-forwarded-host',\n Accept: 'accept',\n Referrer: 'referer',\n UserAgent: 'user-agent',\n Origin: 'origin',\n Host: 'host',\n ContentType: 'content-type',\n SecFetchDest: 'sec-fetch-dest',\n Location: 'location',\n CacheControl: 'cache-control',\n} as const;\n\nconst ContentTypes = {\n Json: 'application/json',\n} as const;\n\n/**\n * @internal\n */\nexport const constants = {\n Attributes,\n Cookies,\n Headers,\n ContentTypes,\n QueryParameters,\n} as const;\n\nexport type Constants = typeof constants;\n","const SEPARATOR = '/';\nconst MULTIPLE_SEPARATOR_REGEX = new RegExp('(? p)\n .join(SEPARATOR)\n .replace(MULTIPLE_SEPARATOR_REGEX, SEPARATOR);\n}\n","import type { RequestFunction } from '../request';\n\nexport abstract class AbstractAPI {\n constructor(protected request: RequestFunction) {}\n\n protected requireId(id: string) {\n if (!id) {\n throw new Error('A valid resource ID is required.');\n }\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { AccountlessApplication } from '../resources/AccountlessApplication';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/accountless_applications';\n\nexport class AccountlessApplicationAPI extends AbstractAPI {\n public async createAccountlessApplication() {\n return this.request({\n method: 'POST',\n path: basePath,\n });\n }\n\n public async completeAccountlessApplicationOnboarding() {\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, 'complete'),\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { AllowlistIdentifier } from '../resources/AllowlistIdentifier';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/allowlist_identifiers';\n\ntype AllowlistIdentifierCreateParams = {\n identifier: string;\n notify: boolean;\n};\n\nexport class AllowlistIdentifierAPI extends AbstractAPI {\n public async getAllowlistIdentifierList() {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: { paginated: true },\n });\n }\n\n public async createAllowlistIdentifier(params: AllowlistIdentifierCreateParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async deleteAllowlistIdentifier(allowlistIdentifierId: string) {\n this.requireId(allowlistIdentifierId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, allowlistIdentifierId),\n });\n }\n}\n","import type { ClerkPaginationRequest } from '@clerk/types';\n\nimport { joinPaths } from '../../util/path';\nimport type { Client } from '../resources/Client';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/clients';\n\nexport class ClientAPI extends AbstractAPI {\n public async getClientList(params: ClerkPaginationRequest = {}) {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: { ...params, paginated: true },\n });\n }\n\n public async getClient(clientId: string) {\n this.requireId(clientId);\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, clientId),\n });\n }\n\n public verifyClient(token: string) {\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, 'verify'),\n bodyParams: { token },\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { DeletedObject } from '../resources/DeletedObject';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/domains';\n\nexport class DomainAPI extends AbstractAPI {\n public async deleteDomain(id: string) {\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, id),\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { DeletedObject, EmailAddress } from '../resources';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/email_addresses';\n\ntype CreateEmailAddressParams = {\n userId: string;\n emailAddress: string;\n verified?: boolean;\n primary?: boolean;\n};\n\ntype UpdateEmailAddressParams = {\n verified?: boolean;\n primary?: boolean;\n};\n\nexport class EmailAddressAPI extends AbstractAPI {\n public async getEmailAddress(emailAddressId: string) {\n this.requireId(emailAddressId);\n\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, emailAddressId),\n });\n }\n\n public async createEmailAddress(params: CreateEmailAddressParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async updateEmailAddress(emailAddressId: string, params: UpdateEmailAddressParams = {}) {\n this.requireId(emailAddressId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, emailAddressId),\n bodyParams: params,\n });\n }\n\n public async deleteEmailAddress(emailAddressId: string) {\n this.requireId(emailAddressId);\n\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, emailAddressId),\n });\n }\n}\n","import type { ClerkPaginationRequest } from '@clerk/types';\n\nimport { joinPaths } from '../../util/path';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport type { Invitation } from '../resources/Invitation';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/invitations';\n\ntype CreateParams = {\n emailAddress: string;\n redirectUrl?: string;\n publicMetadata?: UserPublicMetadata;\n notify?: boolean;\n ignoreExisting?: boolean;\n};\n\ntype GetInvitationListParams = ClerkPaginationRequest<{\n /**\n * Filters invitations based on their status(accepted, pending, revoked).\n *\n * @example\n * Get all revoked invitations\n * ```ts\n * import { createClerkClient } from '@clerk/backend';\n * const clerkClient = createClerkClient(...)\n * await clerkClient.invitations.getInvitationList({ status: 'revoked' })\n * ```\n */\n status?: 'accepted' | 'pending' | 'revoked';\n /**\n * Filters invitations based on `email_address` or `id`.\n *\n * @example\n * Get all invitations for a specific email address\n * ```ts\n * import { createClerkClient } from '@clerk/backend';\n * const clerkClient = createClerkClient(...)\n * await clerkClient.invitations.getInvitationList({ query: 'user@example.com' })\n * ```\n */\n query?: string;\n}>;\n\nexport class InvitationAPI extends AbstractAPI {\n public async getInvitationList(params: GetInvitationListParams = {}) {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: { ...params, paginated: true },\n });\n }\n\n public async createInvitation(params: CreateParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async revokeInvitation(invitationId: string) {\n this.requireId(invitationId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, invitationId, 'revoke'),\n });\n }\n}\n","import type { ClerkPaginationRequest, OrganizationEnrollmentMode } from '@clerk/types';\n\nimport { runtime } from '../../runtime';\nimport { joinPaths } from '../../util/path';\nimport type {\n Organization,\n OrganizationDomain,\n OrganizationInvitation,\n OrganizationInvitationStatus,\n OrganizationMembership,\n} from '../resources';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport type { OrganizationMembershipRole } from '../resources/Enums';\nimport { AbstractAPI } from './AbstractApi';\nimport type { WithSign } from './util-types';\n\nconst basePath = '/organizations';\n\ntype MetadataParams = {\n publicMetadata?: TPublic;\n privateMetadata?: TPrivate;\n};\n\ntype GetOrganizationListParams = ClerkPaginationRequest<{\n includeMembersCount?: boolean;\n query?: string;\n orderBy?: WithSign<'name' | 'created_at' | 'members_count'>;\n organizationId?: string[];\n}>;\n\ntype CreateParams = {\n name: string;\n slug?: string;\n /* The User id for the user creating the organization. The user will become an administrator for the organization. */\n createdBy?: string;\n maxAllowedMemberships?: number;\n} & MetadataParams;\n\ntype GetOrganizationParams = ({ organizationId: string } | { slug: string }) & {\n includeMembersCount?: boolean;\n};\n\ntype UpdateParams = {\n name?: string;\n slug?: string;\n maxAllowedMemberships?: number;\n} & MetadataParams;\n\ntype UpdateLogoParams = {\n file: Blob | File;\n uploaderUserId?: string;\n};\n\ntype UpdateMetadataParams = MetadataParams;\n\ntype GetOrganizationMembershipListParams = ClerkPaginationRequest<{\n organizationId: string;\n orderBy?: WithSign<'phone_number' | 'email_address' | 'created_at' | 'first_name' | 'last_name' | 'username'>;\n}>;\n\ntype CreateOrganizationMembershipParams = {\n organizationId: string;\n userId: string;\n role: OrganizationMembershipRole;\n};\n\ntype UpdateOrganizationMembershipParams = CreateOrganizationMembershipParams;\n\ntype UpdateOrganizationMembershipMetadataParams = {\n organizationId: string;\n userId: string;\n} & MetadataParams;\n\ntype DeleteOrganizationMembershipParams = {\n organizationId: string;\n userId: string;\n};\n\ntype CreateOrganizationInvitationParams = {\n organizationId: string;\n inviterUserId: string;\n emailAddress: string;\n role: OrganizationMembershipRole;\n redirectUrl?: string;\n publicMetadata?: OrganizationInvitationPublicMetadata;\n};\n\ntype GetOrganizationInvitationListParams = ClerkPaginationRequest<{\n organizationId: string;\n status?: OrganizationInvitationStatus[];\n}>;\n\ntype GetOrganizationInvitationParams = {\n organizationId: string;\n invitationId: string;\n};\n\ntype RevokeOrganizationInvitationParams = {\n organizationId: string;\n invitationId: string;\n requestingUserId: string;\n};\n\ntype GetOrganizationDomainListParams = {\n organizationId: string;\n limit?: number;\n offset?: number;\n};\n\ntype CreateOrganizationDomainParams = {\n organizationId: string;\n name: string;\n enrollmentMode: OrganizationEnrollmentMode;\n verified?: boolean;\n};\n\ntype UpdateOrganizationDomainParams = {\n organizationId: string;\n domainId: string;\n} & Partial;\n\ntype DeleteOrganizationDomainParams = {\n organizationId: string;\n domainId: string;\n};\n\nexport class OrganizationAPI extends AbstractAPI {\n public async getOrganizationList(params?: GetOrganizationListParams) {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: params,\n });\n }\n\n public async createOrganization(params: CreateParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async getOrganization(params: GetOrganizationParams) {\n const { includeMembersCount } = params;\n const organizationIdOrSlug = 'organizationId' in params ? params.organizationId : params.slug;\n this.requireId(organizationIdOrSlug);\n\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, organizationIdOrSlug),\n queryParams: {\n includeMembersCount,\n },\n });\n }\n\n public async updateOrganization(organizationId: string, params: UpdateParams) {\n this.requireId(organizationId);\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, organizationId),\n bodyParams: params,\n });\n }\n\n public async updateOrganizationLogo(organizationId: string, params: UpdateLogoParams) {\n this.requireId(organizationId);\n\n const formData = new runtime.FormData();\n formData.append('file', params?.file);\n if (params?.uploaderUserId) {\n formData.append('uploader_user_id', params?.uploaderUserId);\n }\n\n return this.request({\n method: 'PUT',\n path: joinPaths(basePath, organizationId, 'logo'),\n formData,\n });\n }\n\n public async deleteOrganizationLogo(organizationId: string) {\n this.requireId(organizationId);\n\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, organizationId, 'logo'),\n });\n }\n\n public async updateOrganizationMetadata(organizationId: string, params: UpdateMetadataParams) {\n this.requireId(organizationId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, organizationId, 'metadata'),\n bodyParams: params,\n });\n }\n\n public async deleteOrganization(organizationId: string) {\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, organizationId),\n });\n }\n\n public async getOrganizationMembershipList(params: GetOrganizationMembershipListParams) {\n const { organizationId, ...queryParams } = params;\n this.requireId(organizationId);\n\n return this.request>({\n method: 'GET',\n path: joinPaths(basePath, organizationId, 'memberships'),\n queryParams,\n });\n }\n\n public async createOrganizationMembership(params: CreateOrganizationMembershipParams) {\n const { organizationId, ...bodyParams } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, organizationId, 'memberships'),\n bodyParams,\n });\n }\n\n public async updateOrganizationMembership(params: UpdateOrganizationMembershipParams) {\n const { organizationId, userId, ...bodyParams } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, organizationId, 'memberships', userId),\n bodyParams,\n });\n }\n\n public async updateOrganizationMembershipMetadata(params: UpdateOrganizationMembershipMetadataParams) {\n const { organizationId, userId, ...bodyParams } = params;\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, organizationId, 'memberships', userId, 'metadata'),\n bodyParams,\n });\n }\n\n public async deleteOrganizationMembership(params: DeleteOrganizationMembershipParams) {\n const { organizationId, userId } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, organizationId, 'memberships', userId),\n });\n }\n\n public async getOrganizationInvitationList(params: GetOrganizationInvitationListParams) {\n const { organizationId, ...queryParams } = params;\n this.requireId(organizationId);\n\n return this.request>({\n method: 'GET',\n path: joinPaths(basePath, organizationId, 'invitations'),\n queryParams,\n });\n }\n\n public async createOrganizationInvitation(params: CreateOrganizationInvitationParams) {\n const { organizationId, ...bodyParams } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, organizationId, 'invitations'),\n bodyParams,\n });\n }\n\n public async getOrganizationInvitation(params: GetOrganizationInvitationParams) {\n const { organizationId, invitationId } = params;\n this.requireId(organizationId);\n this.requireId(invitationId);\n\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, organizationId, 'invitations', invitationId),\n });\n }\n\n public async revokeOrganizationInvitation(params: RevokeOrganizationInvitationParams) {\n const { organizationId, invitationId, ...bodyParams } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, organizationId, 'invitations', invitationId, 'revoke'),\n bodyParams,\n });\n }\n\n public async getOrganizationDomainList(params: GetOrganizationDomainListParams) {\n const { organizationId, ...queryParams } = params;\n this.requireId(organizationId);\n\n return this.request>({\n method: 'GET',\n path: joinPaths(basePath, organizationId, 'domains'),\n queryParams,\n });\n }\n\n public async createOrganizationDomain(params: CreateOrganizationDomainParams) {\n const { organizationId, ...bodyParams } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, organizationId, 'domains'),\n bodyParams: {\n ...bodyParams,\n verified: bodyParams.verified ?? true,\n },\n });\n }\n\n public async updateOrganizationDomain(params: UpdateOrganizationDomainParams) {\n const { organizationId, domainId, ...bodyParams } = params;\n this.requireId(organizationId);\n this.requireId(domainId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, organizationId, 'domains', domainId),\n bodyParams,\n });\n }\n\n public async deleteOrganizationDomain(params: DeleteOrganizationDomainParams) {\n const { organizationId, domainId } = params;\n this.requireId(organizationId);\n this.requireId(domainId);\n\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, organizationId, 'domains', domainId),\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { DeletedObject, PhoneNumber } from '../resources';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/phone_numbers';\n\ntype CreatePhoneNumberParams = {\n userId: string;\n phoneNumber: string;\n verified?: boolean;\n primary?: boolean;\n reservedForSecondFactor?: boolean;\n};\n\ntype UpdatePhoneNumberParams = {\n verified?: boolean;\n primary?: boolean;\n reservedForSecondFactor?: boolean;\n};\n\nexport class PhoneNumberAPI extends AbstractAPI {\n public async getPhoneNumber(phoneNumberId: string) {\n this.requireId(phoneNumberId);\n\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, phoneNumberId),\n });\n }\n\n public async createPhoneNumber(params: CreatePhoneNumberParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async updatePhoneNumber(phoneNumberId: string, params: UpdatePhoneNumberParams = {}) {\n this.requireId(phoneNumberId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, phoneNumberId),\n bodyParams: params,\n });\n }\n\n public async deletePhoneNumber(phoneNumberId: string) {\n this.requireId(phoneNumberId);\n\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, phoneNumberId),\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport type { RedirectUrl } from '../resources/RedirectUrl';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/redirect_urls';\n\ntype CreateRedirectUrlParams = {\n url: string;\n};\n\nexport class RedirectUrlAPI extends AbstractAPI {\n public async getRedirectUrlList() {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: { paginated: true },\n });\n }\n\n public async getRedirectUrl(redirectUrlId: string) {\n this.requireId(redirectUrlId);\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, redirectUrlId),\n });\n }\n\n public async createRedirectUrl(params: CreateRedirectUrlParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async deleteRedirectUrl(redirectUrlId: string) {\n this.requireId(redirectUrlId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, redirectUrlId),\n });\n }\n}\n","import type { ClerkPaginationRequest, SessionStatus } from '@clerk/types';\n\nimport { joinPaths } from '../../util/path';\nimport type { Cookies } from '../resources/Cookies';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport type { Session } from '../resources/Session';\nimport type { Token } from '../resources/Token';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/sessions';\n\ntype SessionListParams = ClerkPaginationRequest<{\n clientId?: string;\n userId?: string;\n status?: SessionStatus;\n}>;\n\ntype RefreshTokenParams = {\n expired_token: string;\n refresh_token: string;\n request_origin: string;\n request_originating_ip?: string;\n request_headers?: Record;\n suffixed_cookies?: boolean;\n format?: 'token' | 'cookie';\n};\n\nexport class SessionAPI extends AbstractAPI {\n public async getSessionList(params: SessionListParams = {}) {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: { ...params, paginated: true },\n });\n }\n\n public async getSession(sessionId: string) {\n this.requireId(sessionId);\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, sessionId),\n });\n }\n\n public async revokeSession(sessionId: string) {\n this.requireId(sessionId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, sessionId, 'revoke'),\n });\n }\n\n public async verifySession(sessionId: string, token: string) {\n this.requireId(sessionId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, sessionId, 'verify'),\n bodyParams: { token },\n });\n }\n\n public async getToken(sessionId: string, template: string) {\n this.requireId(sessionId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, sessionId, 'tokens', template || ''),\n });\n }\n\n public async refreshSession(sessionId: string, params: RefreshTokenParams & { format: 'token' }): Promise;\n public async refreshSession(sessionId: string, params: RefreshTokenParams & { format: 'cookie' }): Promise;\n public async refreshSession(sessionId: string, params: RefreshTokenParams): Promise;\n public async refreshSession(sessionId: string, params: RefreshTokenParams): Promise {\n this.requireId(sessionId);\n const { suffixed_cookies, ...restParams } = params;\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, sessionId, 'refresh'),\n bodyParams: restParams,\n queryParams: { suffixed_cookies },\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { SignInToken } from '../resources/SignInTokens';\nimport { AbstractAPI } from './AbstractApi';\n\ntype CreateSignInTokensParams = {\n userId: string;\n expiresInSeconds: number;\n};\n\nconst basePath = '/sign_in_tokens';\n\nexport class SignInTokenAPI extends AbstractAPI {\n public async createSignInToken(params: CreateSignInTokensParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async revokeSignInToken(signInTokenId: string) {\n this.requireId(signInTokenId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, signInTokenId, 'revoke'),\n });\n }\n}\n","export { addClerkPrefix, getScriptUrl, getClerkJsMajorVersionOrTag } from '@clerk/shared/url';\nexport { retry } from '@clerk/shared/retry';\nexport {\n isDevelopmentFromSecretKey,\n isProductionFromSecretKey,\n parsePublishableKey,\n getCookieSuffix,\n getSuffixedCookieName,\n} from '@clerk/shared/keys';\nexport { deprecated, deprecatedProperty } from '@clerk/shared/deprecated';\n\nimport { buildErrorThrower } from '@clerk/shared/error';\nimport { createDevOrStagingUrlCache } from '@clerk/shared/keys';\n// TODO: replace packageName with `${PACKAGE_NAME}@${PACKAGE_VERSION}` from tsup.config.ts\nexport const errorThrower = buildErrorThrower({ packageName: '@clerk/backend' });\n\nexport const { isDevOrStagingUrl } = createDevOrStagingUrlCache();\n","import type { ClerkPaginationRequest, OAuthProvider } from '@clerk/types';\n\nimport { runtime } from '../../runtime';\nimport { joinPaths } from '../../util/path';\nimport { deprecated } from '../../util/shared';\nimport type { OauthAccessToken, OrganizationMembership, User } from '../resources';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport { AbstractAPI } from './AbstractApi';\nimport type { WithSign } from './util-types';\n\nconst basePath = '/users';\n\ntype UserCountParams = {\n emailAddress?: string[];\n phoneNumber?: string[];\n username?: string[];\n web3Wallet?: string[];\n query?: string;\n userId?: string[];\n externalId?: string[];\n};\n\ntype UserListParams = ClerkPaginationRequest<\n UserCountParams & {\n orderBy?: WithSign<\n | 'created_at'\n | 'updated_at'\n | 'email_address'\n | 'web3wallet'\n | 'first_name'\n | 'last_name'\n | 'phone_number'\n | 'username'\n | 'last_active_at'\n | 'last_sign_in_at'\n >;\n last_active_at_since?: number;\n organizationId?: string[];\n }\n>;\n\ntype UserMetadataParams = {\n publicMetadata?: UserPublicMetadata;\n privateMetadata?: UserPrivateMetadata;\n unsafeMetadata?: UserUnsafeMetadata;\n};\n\ntype PasswordHasher =\n | 'argon2i'\n | 'argon2id'\n | 'awscognito'\n | 'bcrypt'\n | 'bcrypt_sha256_django'\n | 'md5'\n | 'pbkdf2_sha256'\n | 'pbkdf2_sha256_django'\n | 'pbkdf2_sha1'\n | 'phpass'\n | 'scrypt_firebase'\n | 'scrypt_werkzeug'\n | 'sha256';\n\ntype UserPasswordHashingParams = {\n passwordDigest: string;\n passwordHasher: PasswordHasher;\n};\n\ntype CreateUserParams = {\n externalId?: string;\n emailAddress?: string[];\n phoneNumber?: string[];\n username?: string;\n password?: string;\n firstName?: string;\n lastName?: string;\n skipPasswordChecks?: boolean;\n skipPasswordRequirement?: boolean;\n skipLegalChecks?: boolean;\n legalAcceptedAt?: Date;\n totpSecret?: string;\n backupCodes?: string[];\n createdAt?: Date;\n} & UserMetadataParams &\n (UserPasswordHashingParams | object);\n\ntype UpdateUserParams = {\n firstName?: string;\n lastName?: string;\n username?: string;\n password?: string;\n skipPasswordChecks?: boolean;\n signOutOfOtherSessions?: boolean;\n primaryEmailAddressID?: string;\n primaryPhoneNumberID?: string;\n primaryWeb3WalletID?: string;\n profileImageID?: string;\n totpSecret?: string;\n backupCodes?: string[];\n externalId?: string;\n createdAt?: Date;\n skipLegalChecks?: boolean;\n legalAcceptedAt?: Date;\n deleteSelfEnabled?: boolean;\n createOrganizationEnabled?: boolean;\n createOrganizationsLimit?: number;\n} & UserMetadataParams &\n (UserPasswordHashingParams | object);\n\ntype GetOrganizationMembershipListParams = ClerkPaginationRequest<{\n userId: string;\n}>;\n\ntype VerifyPasswordParams = {\n userId: string;\n password: string;\n};\n\ntype VerifyTOTPParams = {\n userId: string;\n code: string;\n};\n\nexport class UserAPI extends AbstractAPI {\n public async getUserList(params: UserListParams = {}) {\n const { limit, offset, orderBy, ...userCountParams } = params;\n // TODO(dimkl): Temporary change to populate totalCount using a 2nd BAPI call to /users/count endpoint\n // until we update the /users endpoint to be paginated in a next BAPI version.\n // In some edge cases the data.length != totalCount due to a creation of a user between the 2 api responses\n const [data, totalCount] = await Promise.all([\n this.request({\n method: 'GET',\n path: basePath,\n queryParams: params,\n }),\n this.getCount(userCountParams),\n ]);\n return { data, totalCount } as PaginatedResourceResponse;\n }\n\n public async getUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, userId),\n });\n }\n\n public async createUser(params: CreateUserParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async updateUser(userId: string, params: UpdateUserParams = {}) {\n this.requireId(userId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, userId),\n bodyParams: params,\n });\n }\n\n public async updateUserProfileImage(userId: string, params: { file: Blob | File }) {\n this.requireId(userId);\n\n const formData = new runtime.FormData();\n formData.append('file', params?.file);\n\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, userId, 'profile_image'),\n formData,\n });\n }\n\n public async updateUserMetadata(userId: string, params: UserMetadataParams) {\n this.requireId(userId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, userId, 'metadata'),\n bodyParams: params,\n });\n }\n\n public async deleteUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, userId),\n });\n }\n\n public async getCount(params: UserCountParams = {}) {\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, 'count'),\n queryParams: params,\n });\n }\n\n /** @deprecated Please use getUserOauthAccessToken without the `oauth_` provider prefix . */\n public async getUserOauthAccessToken(\n userId: string,\n provider: `oauth_${OAuthProvider}`,\n ): Promise>;\n public async getUserOauthAccessToken(\n userId: string,\n provider: OAuthProvider,\n ): Promise>;\n public async getUserOauthAccessToken(userId: string, provider: `oauth_${OAuthProvider}` | OAuthProvider) {\n this.requireId(userId);\n const hasPrefix = provider.startsWith('oauth_');\n const _provider = hasPrefix ? provider : `oauth_${provider}`;\n\n if (hasPrefix) {\n deprecated(\n 'getUserOauthAccessToken(userId, provider)',\n 'Remove the `oauth_` prefix from the `provider` argument.',\n );\n }\n\n return this.request>({\n method: 'GET',\n path: joinPaths(basePath, userId, 'oauth_access_tokens', _provider),\n queryParams: { paginated: true },\n });\n }\n\n public async disableUserMFA(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, userId, 'mfa'),\n });\n }\n\n public async getOrganizationMembershipList(params: GetOrganizationMembershipListParams) {\n const { userId, limit, offset } = params;\n this.requireId(userId);\n\n return this.request>({\n method: 'GET',\n path: joinPaths(basePath, userId, 'organization_memberships'),\n queryParams: { limit, offset },\n });\n }\n\n public async verifyPassword(params: VerifyPasswordParams) {\n const { userId, password } = params;\n this.requireId(userId);\n\n return this.request<{ verified: true }>({\n method: 'POST',\n path: joinPaths(basePath, userId, 'verify_password'),\n bodyParams: { password },\n });\n }\n\n public async verifyTOTP(params: VerifyTOTPParams) {\n const { userId, code } = params;\n this.requireId(userId);\n\n return this.request<{ verified: true; code_type: 'totp' }>({\n method: 'POST',\n path: joinPaths(basePath, userId, 'verify_totp'),\n bodyParams: { code },\n });\n }\n\n public async banUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, userId, 'ban'),\n });\n }\n\n public async unbanUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, userId, 'unban'),\n });\n }\n\n public async lockUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, userId, 'lock'),\n });\n }\n\n public async unlockUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, userId, 'unlock'),\n });\n }\n\n public async deleteUserProfileImage(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, userId, 'profile_image'),\n });\n }\n}\n","import type { SamlIdpSlug } from '@clerk/types';\n\nimport { joinPaths } from '../../util/path';\nimport type { SamlConnection } from '../resources';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/saml_connections';\n\ntype SamlConnectionListParams = {\n limit?: number;\n offset?: number;\n};\ntype CreateSamlConnectionParams = {\n name: string;\n provider: SamlIdpSlug;\n domain: string;\n organizationId?: string;\n idpEntityId?: string;\n idpSsoUrl?: string;\n idpCertificate?: string;\n idpMetadataUrl?: string;\n idpMetadata?: string;\n attributeMapping?: {\n emailAddress?: string;\n firstName?: string;\n lastName?: string;\n userId?: string;\n };\n};\n\ntype UpdateSamlConnectionParams = {\n name?: string;\n provider?: SamlIdpSlug;\n domain?: string;\n organizationId?: string;\n idpEntityId?: string;\n idpSsoUrl?: string;\n idpCertificate?: string;\n idpMetadataUrl?: string;\n idpMetadata?: string;\n attributeMapping?: {\n emailAddress?: string;\n firstName?: string;\n lastName?: string;\n userId?: string;\n };\n active?: boolean;\n syncUserAttributes?: boolean;\n allowSubdomains?: boolean;\n allowIdpInitiated?: boolean;\n};\n\nexport class SamlConnectionAPI extends AbstractAPI {\n public async getSamlConnectionList(params: SamlConnectionListParams = {}) {\n return this.request({\n method: 'GET',\n path: basePath,\n queryParams: params,\n });\n }\n\n public async createSamlConnection(params: CreateSamlConnectionParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async getSamlConnection(samlConnectionId: string) {\n this.requireId(samlConnectionId);\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, samlConnectionId),\n });\n }\n\n public async updateSamlConnection(samlConnectionId: string, params: UpdateSamlConnectionParams = {}) {\n this.requireId(samlConnectionId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, samlConnectionId),\n bodyParams: params,\n });\n }\n public async deleteSamlConnection(samlConnectionId: string) {\n this.requireId(samlConnectionId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, samlConnectionId),\n });\n }\n}\n","import type { TestingToken } from '../resources/TestingToken';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/testing_tokens';\n\nexport class TestingTokenAPI extends AbstractAPI {\n public async createTestingToken() {\n return this.request({\n method: 'POST',\n path: basePath,\n });\n }\n}\n","import { ClerkAPIResponseError, parseError } from '@clerk/shared/error';\nimport type { ClerkAPIError, ClerkAPIErrorJSON } from '@clerk/types';\nimport snakecaseKeys from 'snakecase-keys';\n\nimport { API_URL, API_VERSION, constants, SUPPORTED_BAPI_VERSION, USER_AGENT } from '../constants';\nimport { runtime } from '../runtime';\nimport { assertValidSecretKey } from '../util/optionsAssertions';\nimport { joinPaths } from '../util/path';\nimport { deserialize } from './resources/Deserializer';\n\nexport type ClerkBackendApiRequestOptions = {\n method: 'GET' | 'POST' | 'PATCH' | 'DELETE' | 'PUT';\n queryParams?: Record;\n headerParams?: Record;\n bodyParams?: Record;\n formData?: FormData;\n} & (\n | {\n url: string;\n path?: string;\n }\n | {\n url?: string;\n path: string;\n }\n);\n\nexport type ClerkBackendApiResponse =\n | {\n data: T;\n errors: null;\n totalCount?: number;\n }\n | {\n data: null;\n errors: ClerkAPIError[];\n totalCount?: never;\n clerkTraceId?: string;\n status?: number;\n statusText?: string;\n };\n\nexport type RequestFunction = ReturnType;\n\ntype BuildRequestOptions = {\n /* Secret Key */\n secretKey?: string;\n /* Backend API URL */\n apiUrl?: string;\n /* Backend API version */\n apiVersion?: string;\n /* Library/SDK name */\n userAgent?: string;\n /**\n * Allow requests without specifying a secret key. In most cases this should be set to `false`.\n * Defaults to `true`.\n */\n requireSecretKey?: boolean;\n};\nexport function buildRequest(options: BuildRequestOptions) {\n const requestFn = async (requestOptions: ClerkBackendApiRequestOptions): Promise> => {\n const {\n secretKey,\n requireSecretKey = true,\n apiUrl = API_URL,\n apiVersion = API_VERSION,\n userAgent = USER_AGENT,\n } = options;\n const { path, method, queryParams, headerParams, bodyParams, formData } = requestOptions;\n\n if (requireSecretKey) {\n assertValidSecretKey(secretKey);\n }\n\n const url = joinPaths(apiUrl, apiVersion, path);\n\n // Build final URL with search parameters\n const finalUrl = new URL(url);\n\n if (queryParams) {\n // Snakecase query parameters\n const snakecasedQueryParams = snakecaseKeys({ ...queryParams });\n\n // Support array values for queryParams such as { foo: [42, 43] }\n for (const [key, val] of Object.entries(snakecasedQueryParams)) {\n if (val) {\n [val].flat().forEach(v => finalUrl.searchParams.append(key, v as string));\n }\n }\n }\n\n // Build headers\n const headers: Record = {\n Authorization: `Bearer ${secretKey}`,\n 'Clerk-API-Version': SUPPORTED_BAPI_VERSION,\n 'User-Agent': userAgent,\n ...headerParams,\n };\n\n let res: Response | undefined;\n try {\n if (formData) {\n res = await runtime.fetch(finalUrl.href, {\n method,\n headers,\n body: formData,\n });\n } else {\n // Enforce application/json for all non form-data requests\n headers['Content-Type'] = 'application/json';\n // Build body\n const hasBody = method !== 'GET' && bodyParams && Object.keys(bodyParams).length > 0;\n const body = hasBody ? { body: JSON.stringify(snakecaseKeys(bodyParams, { deep: false })) } : null;\n\n res = await runtime.fetch(finalUrl.href, {\n method,\n headers,\n ...body,\n });\n }\n\n // TODO: Parse JSON or Text response based on a response header\n const isJSONResponse =\n res?.headers && res.headers?.get(constants.Headers.ContentType) === constants.ContentTypes.Json;\n const responseBody = await (isJSONResponse ? res.json() : res.text());\n\n if (!res.ok) {\n return {\n data: null,\n errors: parseErrors(responseBody),\n status: res?.status,\n statusText: res?.statusText,\n clerkTraceId: getTraceId(responseBody, res?.headers),\n };\n }\n\n return {\n ...deserialize(responseBody),\n errors: null,\n };\n } catch (err) {\n if (err instanceof Error) {\n return {\n data: null,\n errors: [\n {\n code: 'unexpected_error',\n message: err.message || 'Unexpected error',\n },\n ],\n clerkTraceId: getTraceId(err, res?.headers),\n };\n }\n\n return {\n data: null,\n errors: parseErrors(err),\n status: res?.status,\n statusText: res?.statusText,\n clerkTraceId: getTraceId(err, res?.headers),\n };\n }\n };\n\n return withLegacyRequestReturn(requestFn);\n}\n\n// Returns either clerk_trace_id if present in response json, otherwise defaults to CF-Ray header\n// If the request failed before receiving a response, returns undefined\nfunction getTraceId(data: unknown, headers?: Headers): string {\n if (data && typeof data === 'object' && 'clerk_trace_id' in data && typeof data.clerk_trace_id === 'string') {\n return data.clerk_trace_id;\n }\n\n const cfRay = headers?.get('cf-ray');\n return cfRay || '';\n}\n\nfunction parseErrors(data: unknown): ClerkAPIError[] {\n if (!!data && typeof data === 'object' && 'errors' in data) {\n const errors = data.errors as ClerkAPIErrorJSON[];\n return errors.length > 0 ? errors.map(parseError) : [];\n }\n return [];\n}\n\ntype LegacyRequestFunction = (requestOptions: ClerkBackendApiRequestOptions) => Promise;\n\n// TODO(dimkl): Will be probably be dropped in next major version\nfunction withLegacyRequestReturn(cb: any): LegacyRequestFunction {\n return async (...args) => {\n // @ts-ignore\n const { data, errors, totalCount, status, statusText, clerkTraceId } = await cb(...args);\n if (errors) {\n // instead of passing `data: errors`, we have set the `error.errors` because\n // the errors returned from callback is already parsed and passing them as `data`\n // will not be able to assign them to the instance\n const error = new ClerkAPIResponseError(statusText || '', {\n data: [],\n status,\n clerkTraceId,\n });\n error.errors = errors;\n throw error;\n }\n\n if (typeof totalCount !== 'undefined') {\n return { data, totalCount };\n }\n\n return data;\n };\n}\n","import { parsePublishableKey } from './shared';\n\nexport function assertValidSecretKey(val: unknown): asserts val is string {\n if (!val || typeof val !== 'string') {\n throw Error('Missing Clerk Secret Key. Go to https://dashboard.clerk.com and get your key for your instance.');\n }\n\n //TODO: Check if the key is invalid and throw error\n}\n\nexport function assertValidPublishableKey(val: unknown): asserts val is string {\n parsePublishableKey(val as string | undefined, { fatal: true });\n}\n","import type { AccountlessApplicationJSON } from './JSON';\n\nexport class AccountlessApplication {\n constructor(\n readonly publishableKey: string,\n readonly secretKey: string,\n readonly claimUrl: string,\n readonly apiKeysUrl: string,\n ) {}\n\n static fromJSON(data: AccountlessApplicationJSON): AccountlessApplication {\n return new AccountlessApplication(data.publishable_key, data.secret_key, data.claim_url, data.api_keys_url);\n }\n}\n","import type { AllowlistIdentifierJSON } from './JSON';\n\nexport class AllowlistIdentifier {\n constructor(\n readonly id: string,\n readonly identifier: string,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly invitationId?: string,\n ) {}\n\n static fromJSON(data: AllowlistIdentifierJSON): AllowlistIdentifier {\n return new AllowlistIdentifier(data.id, data.identifier, data.created_at, data.updated_at, data.invitation_id);\n }\n}\n","import type { SessionActivityJSON, SessionJSON } from './JSON';\n\nexport class SessionActivity {\n constructor(\n readonly id: string,\n readonly isMobile: boolean,\n readonly ipAddress?: string,\n readonly city?: string,\n readonly country?: string,\n readonly browserVersion?: string,\n readonly browserName?: string,\n readonly deviceType?: string,\n ) {}\n\n static fromJSON(data: SessionActivityJSON): SessionActivity {\n return new SessionActivity(\n data.id,\n data.is_mobile,\n data.ip_address,\n data.city,\n data.country,\n data.browser_version,\n data.browser_name,\n data.device_type,\n );\n }\n}\n\nexport class Session {\n constructor(\n readonly id: string,\n readonly clientId: string,\n readonly userId: string,\n readonly status: string,\n readonly lastActiveAt: number,\n readonly expireAt: number,\n readonly abandonAt: number,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly lastActiveOrganizationId?: string,\n readonly latestActivity?: SessionActivity,\n readonly actor: Record | null = null,\n ) {}\n\n static fromJSON(data: SessionJSON): Session {\n return new Session(\n data.id,\n data.client_id,\n data.user_id,\n data.status,\n data.last_active_at,\n data.expire_at,\n data.abandon_at,\n data.created_at,\n data.updated_at,\n data.last_active_organization_id,\n data.latest_activity && SessionActivity.fromJSON(data.latest_activity),\n data.actor,\n );\n }\n}\n","import type { ClientJSON } from './JSON';\nimport { Session } from './Session';\n\nexport class Client {\n constructor(\n readonly id: string,\n readonly sessionIds: string[],\n readonly sessions: Session[],\n readonly signInId: string | null,\n readonly signUpId: string | null,\n readonly lastActiveSessionId: string | null,\n readonly createdAt: number,\n readonly updatedAt: number,\n ) {}\n\n static fromJSON(data: ClientJSON): Client {\n return new Client(\n data.id,\n data.session_ids,\n data.sessions.map(x => Session.fromJSON(x)),\n data.sign_in_id,\n data.sign_up_id,\n data.last_active_session_id,\n data.created_at,\n data.updated_at,\n );\n }\n}\n","import type { CookiesJSON } from './JSON';\n\nexport class Cookies {\n constructor(readonly cookies: string[]) {}\n\n static fromJSON(data: CookiesJSON): Cookies {\n return new Cookies(data.cookies);\n }\n}\n","import type { DeletedObjectJSON } from './JSON';\n\nexport class DeletedObject {\n constructor(\n readonly object: string,\n readonly id: string | null,\n readonly slug: string | null,\n readonly deleted: boolean,\n ) {}\n\n static fromJSON(data: DeletedObjectJSON) {\n return new DeletedObject(data.object, data.id || null, data.slug || null, data.deleted);\n }\n}\n","import type { EmailJSON } from './JSON';\n\nexport class Email {\n constructor(\n readonly id: string,\n readonly fromEmailName: string,\n readonly emailAddressId: string | null,\n readonly toEmailAddress?: string,\n readonly subject?: string,\n readonly body?: string,\n readonly bodyPlain?: string | null,\n readonly status?: string,\n readonly slug?: string | null,\n readonly data?: Record | null,\n readonly deliveredByClerk?: boolean,\n ) {}\n\n static fromJSON(data: EmailJSON): Email {\n return new Email(\n data.id,\n data.from_email_name,\n data.email_address_id,\n data.to_email_address,\n data.subject,\n data.body,\n data.body_plain,\n data.status,\n data.slug,\n data.data,\n data.delivered_by_clerk,\n );\n }\n}\n","import type { IdentificationLinkJSON } from './JSON';\n\nexport class IdentificationLink {\n constructor(\n readonly id: string,\n readonly type: string,\n ) {}\n\n static fromJSON(data: IdentificationLinkJSON): IdentificationLink {\n return new IdentificationLink(data.id, data.type);\n }\n}\n","import type { OrganizationDomainVerificationJSON, VerificationJSON } from './JSON';\n\nexport class Verification {\n constructor(\n readonly status: string,\n readonly strategy: string,\n readonly externalVerificationRedirectURL: URL | null = null,\n readonly attempts: number | null = null,\n readonly expireAt: number | null = null,\n readonly nonce: string | null = null,\n readonly message: string | null = null,\n ) {}\n\n static fromJSON(data: VerificationJSON): Verification {\n return new Verification(\n data.status,\n data.strategy,\n data.external_verification_redirect_url ? new URL(data.external_verification_redirect_url) : null,\n data.attempts,\n data.expire_at,\n data.nonce,\n );\n }\n}\n\nexport class OrganizationDomainVerification {\n constructor(\n readonly status: string,\n readonly strategy: string,\n readonly attempts: number | null = null,\n readonly expireAt: number | null = null,\n ) {}\n\n static fromJSON(data: OrganizationDomainVerificationJSON): OrganizationDomainVerification {\n return new OrganizationDomainVerification(data.status, data.strategy, data.attempts, data.expires_at);\n }\n}\n","import { IdentificationLink } from './IdentificationLink';\nimport type { EmailAddressJSON } from './JSON';\nimport { Verification } from './Verification';\n\nexport class EmailAddress {\n constructor(\n readonly id: string,\n readonly emailAddress: string,\n readonly verification: Verification | null,\n readonly linkedTo: IdentificationLink[],\n ) {}\n\n static fromJSON(data: EmailAddressJSON): EmailAddress {\n return new EmailAddress(\n data.id,\n data.email_address,\n data.verification && Verification.fromJSON(data.verification),\n data.linked_to.map(link => IdentificationLink.fromJSON(link)),\n );\n }\n}\n","import type { ExternalAccountJSON } from './JSON';\nimport { Verification } from './Verification';\n\nexport class ExternalAccount {\n constructor(\n readonly id: string,\n readonly provider: string,\n readonly identificationId: string,\n readonly externalId: string,\n readonly approvedScopes: string,\n readonly emailAddress: string,\n readonly firstName: string,\n readonly lastName: string,\n readonly imageUrl: string,\n readonly username: string | null,\n readonly publicMetadata: Record | null = {},\n readonly label: string | null,\n readonly verification: Verification | null,\n ) {}\n\n static fromJSON(data: ExternalAccountJSON): ExternalAccount {\n return new ExternalAccount(\n data.id,\n data.provider,\n data.identification_id,\n data.provider_user_id,\n data.approved_scopes,\n data.email_address,\n data.first_name,\n data.last_name,\n data.image_url || '',\n data.username,\n data.public_metadata,\n data.label,\n data.verification && Verification.fromJSON(data.verification),\n );\n }\n}\n","import type { InvitationStatus } from './Enums';\nimport type { InvitationJSON } from './JSON';\n\nexport class Invitation {\n constructor(\n readonly id: string,\n readonly emailAddress: string,\n readonly publicMetadata: Record | null,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly status: InvitationStatus,\n readonly url?: string,\n readonly revoked?: boolean,\n ) {}\n\n static fromJSON(data: InvitationJSON): Invitation {\n return new Invitation(\n data.id,\n data.email_address,\n data.public_metadata,\n data.created_at,\n data.updated_at,\n data.status,\n data.url,\n data.revoked,\n );\n }\n}\n","import type {\n InvitationStatus,\n OrganizationDomainVerificationStatus,\n OrganizationDomainVerificationStrategy,\n OrganizationEnrollmentMode,\n OrganizationInvitationStatus,\n OrganizationMembershipRole,\n SignInStatus,\n SignUpStatus,\n} from './Enums';\n\nexport const ObjectType = {\n AccountlessApplication: 'accountless_application',\n AllowlistIdentifier: 'allowlist_identifier',\n Client: 'client',\n Cookies: 'cookies',\n Email: 'email',\n EmailAddress: 'email_address',\n ExternalAccount: 'external_account',\n FacebookAccount: 'facebook_account',\n GoogleAccount: 'google_account',\n Invitation: 'invitation',\n OauthAccessToken: 'oauth_access_token',\n Organization: 'organization',\n OrganizationDomain: 'organization_domain',\n OrganizationInvitation: 'organization_invitation',\n OrganizationMembership: 'organization_membership',\n PhoneNumber: 'phone_number',\n RedirectUrl: 'redirect_url',\n SamlAccount: 'saml_account',\n Session: 'session',\n SignInAttempt: 'sign_in_attempt',\n SignInToken: 'sign_in_token',\n SignUpAttempt: 'sign_up_attempt',\n SmsMessage: 'sms_message',\n User: 'user',\n Web3Wallet: 'web3_wallet',\n Token: 'token',\n TotalCount: 'total_count',\n TestingToken: 'testing_token',\n Role: 'role',\n Permission: 'permission',\n} as const;\n\nexport type ObjectType = (typeof ObjectType)[keyof typeof ObjectType];\n\nexport interface ClerkResourceJSON {\n object: ObjectType;\n id: string;\n}\n\nexport interface CookiesJSON {\n object: typeof ObjectType.Cookies;\n cookies: string[];\n}\n\nexport interface TokenJSON {\n object: typeof ObjectType.Token;\n jwt: string;\n}\n\nexport interface AccountlessApplicationJSON extends ClerkResourceJSON {\n object: typeof ObjectType.AccountlessApplication;\n publishable_key: string;\n secret_key: string;\n claim_url: string;\n api_keys_url: string;\n}\n\nexport interface AllowlistIdentifierJSON extends ClerkResourceJSON {\n object: typeof ObjectType.AllowlistIdentifier;\n identifier: string;\n created_at: number;\n updated_at: number;\n invitation_id?: string;\n}\n\nexport interface ClientJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Client;\n session_ids: string[];\n sessions: SessionJSON[];\n sign_in_id: string | null;\n sign_up_id: string | null;\n last_active_session_id: string | null;\n created_at: number;\n updated_at: number;\n}\n\nexport interface EmailJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Email;\n slug?: string | null;\n from_email_name: string;\n to_email_address?: string;\n email_address_id: string | null;\n user_id?: string | null;\n subject?: string;\n body?: string;\n body_plain?: string | null;\n status?: string;\n data?: Record | null;\n delivered_by_clerk: boolean;\n}\n\nexport interface EmailAddressJSON extends ClerkResourceJSON {\n object: typeof ObjectType.EmailAddress;\n email_address: string;\n verification: VerificationJSON | null;\n linked_to: IdentificationLinkJSON[];\n}\n\nexport interface ExternalAccountJSON extends ClerkResourceJSON {\n object: typeof ObjectType.ExternalAccount;\n provider: string;\n identification_id: string;\n provider_user_id: string;\n approved_scopes: string;\n email_address: string;\n first_name: string;\n last_name: string;\n image_url?: string;\n username: string | null;\n public_metadata?: Record | null;\n label: string | null;\n verification: VerificationJSON | null;\n}\n\nexport interface SamlAccountJSON extends ClerkResourceJSON {\n object: typeof ObjectType.SamlAccount;\n provider: string;\n provider_user_id: string | null;\n active: boolean;\n email_address: string;\n first_name: string;\n last_name: string;\n verification: VerificationJSON | null;\n saml_connection: SamlAccountConnectionJSON | null;\n}\n\nexport interface IdentificationLinkJSON extends ClerkResourceJSON {\n type: string;\n}\n\nexport interface InvitationJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Invitation;\n email_address: string;\n public_metadata: Record | null;\n revoked?: boolean;\n status: InvitationStatus;\n url?: string;\n created_at: number;\n updated_at: number;\n}\n\nexport interface OauthAccessTokenJSON {\n external_account_id: string;\n object: typeof ObjectType.OauthAccessToken;\n token: string;\n provider: string;\n public_metadata: Record;\n label: string | null;\n // Only set in OAuth 2.0 tokens\n scopes?: string[];\n // Only set in OAuth 1.0 tokens\n token_secret?: string;\n}\n\nexport interface OrganizationJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Organization;\n name: string;\n slug: string;\n image_url?: string;\n has_image: boolean;\n members_count?: number;\n pending_invitations_count?: number;\n max_allowed_memberships: number;\n admin_delete_enabled: boolean;\n public_metadata: OrganizationPublicMetadata | null;\n private_metadata?: OrganizationPrivateMetadata;\n created_by?: string;\n created_at: number;\n updated_at: number;\n}\n\nexport interface OrganizationDomainJSON extends ClerkResourceJSON {\n object: typeof ObjectType.OrganizationDomain;\n id: string;\n name: string;\n organization_id: string;\n enrollment_mode: OrganizationEnrollmentMode;\n verification: OrganizationDomainVerificationJSON | null;\n affiliation_email_address: string | null;\n created_at: number;\n updated_at: number;\n total_pending_invitations: number;\n total_pending_suggestions: number;\n}\n\nexport interface OrganizationDomainVerificationJSON {\n status: OrganizationDomainVerificationStatus;\n strategy: OrganizationDomainVerificationStrategy;\n attempts: number;\n expires_at: number;\n}\n\nexport interface OrganizationInvitationJSON extends ClerkResourceJSON {\n email_address: string;\n role: OrganizationMembershipRole;\n organization_id: string;\n public_organization_data?: PublicOrganizationDataJSON | null;\n status?: OrganizationInvitationStatus;\n public_metadata: OrganizationInvitationPublicMetadata;\n private_metadata: OrganizationInvitationPrivateMetadata;\n created_at: number;\n updated_at: number;\n}\n\nexport interface PublicOrganizationDataJSON extends ClerkResourceJSON {\n name: string;\n slug: string;\n image_url?: string;\n has_image: boolean;\n}\n\nexport interface OrganizationMembershipJSON extends ClerkResourceJSON {\n object: typeof ObjectType.OrganizationMembership;\n public_metadata: OrganizationMembershipPublicMetadata;\n private_metadata?: OrganizationMembershipPrivateMetadata;\n role: OrganizationMembershipRole;\n permissions: string[];\n created_at: number;\n updated_at: number;\n organization: OrganizationJSON;\n public_user_data: OrganizationMembershipPublicUserDataJSON;\n}\n\nexport interface OrganizationMembershipPublicUserDataJSON {\n identifier: string;\n first_name: string | null;\n last_name: string | null;\n image_url: string;\n has_image: boolean;\n user_id: string;\n}\n\nexport interface PhoneNumberJSON extends ClerkResourceJSON {\n object: typeof ObjectType.PhoneNumber;\n phone_number: string;\n reserved_for_second_factor: boolean;\n default_second_factor: boolean;\n reserved: boolean;\n verification: VerificationJSON | null;\n linked_to: IdentificationLinkJSON[];\n backup_codes: string[];\n}\n\nexport interface RedirectUrlJSON extends ClerkResourceJSON {\n object: typeof ObjectType.RedirectUrl;\n url: string;\n created_at: number;\n updated_at: number;\n}\n\nexport interface SessionActivityJSON extends ClerkResourceJSON {\n id: string;\n device_type?: string;\n is_mobile: boolean;\n browser_name?: string;\n browser_version?: string;\n ip_address?: string;\n city?: string;\n country?: string;\n}\n\nexport interface SessionJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Session;\n client_id: string;\n user_id: string;\n status: string;\n last_active_organization_id?: string;\n actor: Record | null;\n latest_activity?: SessionActivityJSON;\n last_active_at: number;\n expire_at: number;\n abandon_at: number;\n created_at: number;\n updated_at: number;\n}\n\nexport interface SignInJSON extends ClerkResourceJSON {\n object: typeof ObjectType.SignInToken;\n status: SignInStatus;\n identifier: string;\n created_session_id: string | null;\n}\n\nexport interface SignInTokenJSON extends ClerkResourceJSON {\n object: typeof ObjectType.SignInToken;\n user_id: string;\n token: string;\n status: 'pending' | 'accepted' | 'revoked';\n url: string;\n created_at: number;\n updated_at: number;\n}\n\nexport interface SignUpJSON extends ClerkResourceJSON {\n object: typeof ObjectType.SignUpAttempt;\n status: SignUpStatus;\n username: string | null;\n email_address: string | null;\n phone_number: string | null;\n web3_wallet: string | null;\n web3_wallet_verification: VerificationJSON | null;\n external_account: any;\n has_password: boolean;\n name_full: string | null;\n created_session_id: string | null;\n created_user_id: string | null;\n abandon_at: number | null;\n}\n\nexport interface SMSMessageJSON extends ClerkResourceJSON {\n object: typeof ObjectType.SmsMessage;\n from_phone_number: string;\n to_phone_number: string;\n phone_number_id: string | null;\n user_id?: string;\n message: string;\n status: string;\n slug?: string | null;\n data?: Record | null;\n delivered_by_clerk: boolean;\n}\n\nexport interface UserJSON extends ClerkResourceJSON {\n object: typeof ObjectType.User;\n username: string | null;\n first_name: string | null;\n last_name: string | null;\n image_url: string;\n has_image: boolean;\n primary_email_address_id: string | null;\n primary_phone_number_id: string | null;\n primary_web3_wallet_id: string | null;\n password_enabled: boolean;\n two_factor_enabled: boolean;\n totp_enabled: boolean;\n backup_code_enabled: boolean;\n email_addresses: EmailAddressJSON[];\n phone_numbers: PhoneNumberJSON[];\n web3_wallets: Web3WalletJSON[];\n organization_memberships: OrganizationMembershipJSON[] | null;\n external_accounts: ExternalAccountJSON[];\n saml_accounts: SamlAccountJSON[];\n password_last_updated_at: number | null;\n public_metadata: UserPublicMetadata;\n private_metadata: UserPrivateMetadata;\n unsafe_metadata: UserUnsafeMetadata;\n external_id: string | null;\n last_sign_in_at: number | null;\n banned: boolean;\n locked: boolean;\n lockout_expires_in_seconds: number | null;\n verification_attempts_remaining: number | null;\n created_at: number;\n updated_at: number;\n last_active_at: number | null;\n create_organization_enabled: boolean;\n create_organizations_limit: number | null;\n delete_self_enabled: boolean;\n legal_accepted_at: number | null;\n}\n\nexport interface VerificationJSON extends ClerkResourceJSON {\n status: string;\n strategy: string;\n attempts: number | null;\n expire_at: number | null;\n verified_at_client?: string;\n external_verification_redirect_url?: string | null;\n nonce?: string | null;\n message?: string | null;\n}\n\nexport interface Web3WalletJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Web3Wallet;\n web3_wallet: string;\n verification: VerificationJSON | null;\n}\n\nexport interface DeletedObjectJSON {\n object: string;\n id?: string;\n slug?: string;\n deleted: boolean;\n}\n\nexport interface PaginatedResponseJSON {\n data: object[];\n total_count?: number;\n}\n\nexport interface SamlConnectionJSON extends ClerkResourceJSON {\n name: string;\n domain: string;\n organization_id: string | null;\n idp_entity_id: string;\n idp_sso_url: string;\n idp_certificate: string;\n idp_metadata_url: string;\n idp_metadata: string;\n acs_url: string;\n sp_entity_id: string;\n sp_metadata_url: string;\n active: boolean;\n provider: string;\n user_count: number;\n sync_user_attributes: boolean;\n allow_subdomains: boolean;\n allow_idp_initiated: boolean;\n created_at: number;\n updated_at: number;\n attribute_mapping: AttributeMappingJSON;\n}\n\nexport interface AttributeMappingJSON {\n user_id: string;\n email_address: string;\n first_name: string;\n last_name: string;\n}\n\nexport interface TestingTokenJSON {\n object: typeof ObjectType.TestingToken;\n token: string;\n expires_at: number;\n}\n\nexport interface RoleJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Role;\n key: string;\n name: string;\n description: string;\n permissions: PermissionJSON[];\n is_creator_eligible: boolean;\n created_at: number;\n updated_at: number;\n}\n\nexport interface PermissionJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Permission;\n key: string;\n name: string;\n description: string;\n created_at: number;\n updated_at: number;\n}\n\nexport interface SamlAccountConnectionJSON extends ClerkResourceJSON {\n id: string;\n name: string;\n domain: string;\n active: boolean;\n provider: string;\n sync_user_attributes: boolean;\n allow_subdomains: boolean;\n allow_idp_initiated: boolean;\n disable_additional_identifications: boolean;\n created_at: number;\n updated_at: number;\n}\n","import type { OauthAccessTokenJSON } from './JSON';\n\nexport class OauthAccessToken {\n constructor(\n readonly externalAccountId: string,\n readonly provider: string,\n readonly token: string,\n readonly publicMetadata: Record = {},\n readonly label: string,\n readonly scopes?: string[],\n readonly tokenSecret?: string,\n ) {}\n\n static fromJSON(data: OauthAccessTokenJSON) {\n return new OauthAccessToken(\n data.external_account_id,\n data.provider,\n data.token,\n data.public_metadata,\n data.label || '',\n data.scopes,\n data.token_secret,\n );\n }\n}\n","import type { OrganizationJSON } from './JSON';\n\nexport class Organization {\n constructor(\n readonly id: string,\n readonly name: string,\n readonly slug: string | null,\n readonly imageUrl: string,\n readonly hasImage: boolean,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly publicMetadata: OrganizationPublicMetadata | null = {},\n readonly privateMetadata: OrganizationPrivateMetadata = {},\n readonly maxAllowedMemberships: number,\n readonly adminDeleteEnabled: boolean,\n readonly membersCount?: number,\n readonly createdBy?: string,\n ) {}\n\n static fromJSON(data: OrganizationJSON): Organization {\n return new Organization(\n data.id,\n data.name,\n data.slug,\n data.image_url || '',\n data.has_image,\n data.created_at,\n data.updated_at,\n data.public_metadata,\n data.private_metadata,\n data.max_allowed_memberships,\n data.admin_delete_enabled,\n data.members_count,\n data.created_by,\n );\n }\n}\n","import type { OrganizationInvitationStatus, OrganizationMembershipRole } from './Enums';\nimport type { OrganizationInvitationJSON } from './JSON';\n\nexport class OrganizationInvitation {\n constructor(\n readonly id: string,\n readonly emailAddress: string,\n readonly role: OrganizationMembershipRole,\n readonly organizationId: string,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly status?: OrganizationInvitationStatus,\n readonly publicMetadata: OrganizationInvitationPublicMetadata = {},\n readonly privateMetadata: OrganizationInvitationPrivateMetadata = {},\n ) {}\n\n static fromJSON(data: OrganizationInvitationJSON) {\n return new OrganizationInvitation(\n data.id,\n data.email_address,\n data.role,\n data.organization_id,\n data.created_at,\n data.updated_at,\n data.status,\n data.public_metadata,\n data.private_metadata,\n );\n }\n}\n","import { Organization } from '../resources';\nimport type { OrganizationMembershipRole } from './Enums';\nimport type { OrganizationMembershipJSON, OrganizationMembershipPublicUserDataJSON } from './JSON';\n\nexport class OrganizationMembership {\n constructor(\n readonly id: string,\n readonly role: OrganizationMembershipRole,\n readonly permissions: string[],\n readonly publicMetadata: OrganizationMembershipPublicMetadata = {},\n readonly privateMetadata: OrganizationMembershipPrivateMetadata = {},\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly organization: Organization,\n readonly publicUserData?: OrganizationMembershipPublicUserData | null,\n ) {}\n\n static fromJSON(data: OrganizationMembershipJSON) {\n return new OrganizationMembership(\n data.id,\n data.role,\n data.permissions,\n data.public_metadata,\n data.private_metadata,\n data.created_at,\n data.updated_at,\n Organization.fromJSON(data.organization),\n OrganizationMembershipPublicUserData.fromJSON(data.public_user_data),\n );\n }\n}\n\nexport class OrganizationMembershipPublicUserData {\n constructor(\n readonly identifier: string,\n readonly firstName: string | null,\n readonly lastName: string | null,\n readonly imageUrl: string,\n readonly hasImage: boolean,\n readonly userId: string,\n ) {}\n\n static fromJSON(data: OrganizationMembershipPublicUserDataJSON) {\n return new OrganizationMembershipPublicUserData(\n data.identifier,\n data.first_name,\n data.last_name,\n data.image_url,\n data.has_image,\n data.user_id,\n );\n }\n}\n","import { IdentificationLink } from './IdentificationLink';\nimport type { PhoneNumberJSON } from './JSON';\nimport { Verification } from './Verification';\n\nexport class PhoneNumber {\n constructor(\n readonly id: string,\n readonly phoneNumber: string,\n readonly reservedForSecondFactor: boolean,\n readonly defaultSecondFactor: boolean,\n readonly verification: Verification | null,\n readonly linkedTo: IdentificationLink[],\n ) {}\n\n static fromJSON(data: PhoneNumberJSON): PhoneNumber {\n return new PhoneNumber(\n data.id,\n data.phone_number,\n data.reserved_for_second_factor,\n data.default_second_factor,\n data.verification && Verification.fromJSON(data.verification),\n data.linked_to.map(link => IdentificationLink.fromJSON(link)),\n );\n }\n}\n","import type { RedirectUrlJSON } from './JSON';\n\nexport class RedirectUrl {\n constructor(\n readonly id: string,\n readonly url: string,\n readonly createdAt: number,\n readonly updatedAt: number,\n ) {}\n\n static fromJSON(data: RedirectUrlJSON): RedirectUrl {\n return new RedirectUrl(data.id, data.url, data.created_at, data.updated_at);\n }\n}\n","import type { SignInTokenJSON } from './JSON';\n\nexport class SignInToken {\n constructor(\n readonly id: string,\n readonly userId: string,\n readonly token: string,\n readonly status: string,\n readonly url: string,\n readonly createdAt: number,\n readonly updatedAt: number,\n ) {}\n\n static fromJSON(data: SignInTokenJSON): SignInToken {\n return new SignInToken(data.id, data.user_id, data.token, data.status, data.url, data.created_at, data.updated_at);\n }\n}\n","import type { SMSMessageJSON } from './JSON';\n\nexport class SMSMessage {\n constructor(\n readonly id: string,\n readonly fromPhoneNumber: string,\n readonly toPhoneNumber: string,\n readonly message: string,\n readonly status: string,\n readonly phoneNumberId: string | null,\n readonly data?: Record | null,\n ) {}\n\n static fromJSON(data: SMSMessageJSON): SMSMessage {\n return new SMSMessage(\n data.id,\n data.from_phone_number,\n data.to_phone_number,\n data.message,\n data.status,\n data.phone_number_id,\n data.data,\n );\n }\n}\n","import type { TokenJSON } from './JSON';\n\nexport class Token {\n constructor(readonly jwt: string) {}\n\n static fromJSON(data: TokenJSON): Token {\n return new Token(data.jwt);\n }\n}\n","import type { AttributeMappingJSON, SamlAccountConnectionJSON, SamlConnectionJSON } from './JSON';\n\nexport class SamlConnection {\n constructor(\n readonly id: string,\n readonly name: string,\n readonly domain: string,\n readonly organizationId: string | null,\n readonly idpEntityId: string | null,\n readonly idpSsoUrl: string | null,\n readonly idpCertificate: string | null,\n readonly idpMetadataUrl: string | null,\n readonly idpMetadata: string | null,\n readonly acsUrl: string,\n readonly spEntityId: string,\n readonly spMetadataUrl: string,\n readonly active: boolean,\n readonly provider: string,\n readonly userCount: number,\n readonly syncUserAttributes: boolean,\n readonly allowSubdomains: boolean,\n readonly allowIdpInitiated: boolean,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly attributeMapping: AttributeMapping,\n ) {}\n static fromJSON(data: SamlConnectionJSON): SamlConnection {\n return new SamlConnection(\n data.id,\n data.name,\n data.domain,\n data.organization_id,\n data.idp_entity_id,\n data.idp_sso_url,\n data.idp_certificate,\n data.idp_metadata_url,\n data.idp_metadata,\n data.acs_url,\n data.sp_entity_id,\n data.sp_metadata_url,\n data.active,\n data.provider,\n data.user_count,\n data.sync_user_attributes,\n data.allow_subdomains,\n data.allow_idp_initiated,\n data.created_at,\n data.updated_at,\n data.attribute_mapping && AttributeMapping.fromJSON(data.attribute_mapping),\n );\n }\n}\n\nexport class SamlAccountConnection {\n constructor(\n readonly id: string,\n readonly name: string,\n readonly domain: string,\n readonly active: boolean,\n readonly provider: string,\n readonly syncUserAttributes: boolean,\n readonly allowSubdomains: boolean,\n readonly allowIdpInitiated: boolean,\n readonly createdAt: number,\n readonly updatedAt: number,\n ) {}\n static fromJSON(data: SamlAccountConnectionJSON): SamlAccountConnection {\n return new SamlAccountConnection(\n data.id,\n data.name,\n data.domain,\n data.active,\n data.provider,\n data.sync_user_attributes,\n data.allow_subdomains,\n data.allow_idp_initiated,\n data.created_at,\n data.updated_at,\n );\n }\n}\n\nclass AttributeMapping {\n constructor(\n readonly userId: string,\n readonly emailAddress: string,\n readonly firstName: string,\n readonly lastName: string,\n ) {}\n\n static fromJSON(data: AttributeMappingJSON): AttributeMapping {\n return new AttributeMapping(data.user_id, data.email_address, data.first_name, data.last_name);\n }\n}\n","import type { SamlAccountJSON } from './JSON';\nimport { SamlAccountConnection } from './SamlConnection';\nimport { Verification } from './Verification';\n\nexport class SamlAccount {\n constructor(\n readonly id: string,\n readonly provider: string,\n readonly providerUserId: string | null,\n readonly active: boolean,\n readonly emailAddress: string,\n readonly firstName: string,\n readonly lastName: string,\n readonly verification: Verification | null,\n readonly samlConnection: SamlAccountConnection | null,\n ) {}\n\n static fromJSON(data: SamlAccountJSON): SamlAccount {\n return new SamlAccount(\n data.id,\n data.provider,\n data.provider_user_id,\n data.active,\n data.email_address,\n data.first_name,\n data.last_name,\n data.verification && Verification.fromJSON(data.verification),\n data.saml_connection && SamlAccountConnection.fromJSON(data.saml_connection),\n );\n }\n}\n","import type { Web3WalletJSON } from './JSON';\nimport { Verification } from './Verification';\n\nexport class Web3Wallet {\n constructor(\n readonly id: string,\n readonly web3Wallet: string,\n readonly verification: Verification | null,\n ) {}\n\n static fromJSON(data: Web3WalletJSON): Web3Wallet {\n return new Web3Wallet(data.id, data.web3_wallet, data.verification && Verification.fromJSON(data.verification));\n }\n}\n","import { EmailAddress } from './EmailAddress';\nimport { ExternalAccount } from './ExternalAccount';\nimport type { ExternalAccountJSON, SamlAccountJSON, UserJSON } from './JSON';\nimport { PhoneNumber } from './PhoneNumber';\nimport { SamlAccount } from './SamlAccount';\nimport { Web3Wallet } from './Web3Wallet';\n\nexport class User {\n private _raw: UserJSON | null = null;\n\n public get raw(): UserJSON | null {\n return this._raw;\n }\n\n constructor(\n readonly id: string,\n readonly passwordEnabled: boolean,\n readonly totpEnabled: boolean,\n readonly backupCodeEnabled: boolean,\n readonly twoFactorEnabled: boolean,\n readonly banned: boolean,\n readonly locked: boolean,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly imageUrl: string,\n readonly hasImage: boolean,\n readonly primaryEmailAddressId: string | null,\n readonly primaryPhoneNumberId: string | null,\n readonly primaryWeb3WalletId: string | null,\n readonly lastSignInAt: number | null,\n readonly externalId: string | null,\n readonly username: string | null,\n readonly firstName: string | null,\n readonly lastName: string | null,\n readonly publicMetadata: UserPublicMetadata = {},\n readonly privateMetadata: UserPrivateMetadata = {},\n readonly unsafeMetadata: UserUnsafeMetadata = {},\n readonly emailAddresses: EmailAddress[] = [],\n readonly phoneNumbers: PhoneNumber[] = [],\n readonly web3Wallets: Web3Wallet[] = [],\n readonly externalAccounts: ExternalAccount[] = [],\n readonly samlAccounts: SamlAccount[] = [],\n readonly lastActiveAt: number | null,\n readonly createOrganizationEnabled: boolean,\n readonly createOrganizationsLimit: number | null = null,\n readonly deleteSelfEnabled: boolean,\n readonly legalAcceptedAt: number | null,\n ) {}\n\n static fromJSON(data: UserJSON): User {\n const res = new User(\n data.id,\n data.password_enabled,\n data.totp_enabled,\n data.backup_code_enabled,\n data.two_factor_enabled,\n data.banned,\n data.locked,\n data.created_at,\n data.updated_at,\n data.image_url,\n data.has_image,\n data.primary_email_address_id,\n data.primary_phone_number_id,\n data.primary_web3_wallet_id,\n data.last_sign_in_at,\n data.external_id,\n data.username,\n data.first_name,\n data.last_name,\n data.public_metadata,\n data.private_metadata,\n data.unsafe_metadata,\n (data.email_addresses || []).map(x => EmailAddress.fromJSON(x)),\n (data.phone_numbers || []).map(x => PhoneNumber.fromJSON(x)),\n (data.web3_wallets || []).map(x => Web3Wallet.fromJSON(x)),\n (data.external_accounts || []).map((x: ExternalAccountJSON) => ExternalAccount.fromJSON(x)),\n (data.saml_accounts || []).map((x: SamlAccountJSON) => SamlAccount.fromJSON(x)),\n data.last_active_at,\n data.create_organization_enabled,\n data.create_organizations_limit,\n data.delete_self_enabled,\n data.legal_accepted_at,\n );\n res._raw = data;\n return res;\n }\n\n get primaryEmailAddress() {\n return this.emailAddresses.find(({ id }) => id === this.primaryEmailAddressId) ?? null;\n }\n\n get primaryPhoneNumber() {\n return this.phoneNumbers.find(({ id }) => id === this.primaryPhoneNumberId) ?? null;\n }\n\n get primaryWeb3Wallet() {\n return this.web3Wallets.find(({ id }) => id === this.primaryWeb3WalletId) ?? null;\n }\n\n get fullName() {\n return [this.firstName, this.lastName].join(' ').trim() || null;\n }\n}\n","import {\n AllowlistIdentifier,\n Client,\n Cookies,\n DeletedObject,\n Email,\n EmailAddress,\n Invitation,\n OauthAccessToken,\n Organization,\n OrganizationInvitation,\n OrganizationMembership,\n PhoneNumber,\n RedirectUrl,\n Session,\n SignInToken,\n SMSMessage,\n Token,\n User,\n} from '.';\nimport { AccountlessApplication } from './AccountlessApplication';\nimport type { PaginatedResponseJSON } from './JSON';\nimport { ObjectType } from './JSON';\n\ntype ResourceResponse = {\n data: T;\n};\n\nexport type PaginatedResourceResponse = ResourceResponse & {\n totalCount: number;\n};\n\nexport function deserialize(payload: unknown): PaginatedResourceResponse | ResourceResponse {\n let data, totalCount: number | undefined;\n\n if (Array.isArray(payload)) {\n const data = payload.map(item => jsonToObject(item)) as U;\n return { data };\n } else if (isPaginated(payload)) {\n data = payload.data.map(item => jsonToObject(item)) as U;\n totalCount = payload.total_count;\n\n return { data, totalCount };\n } else {\n return { data: jsonToObject(payload) };\n }\n}\n\nfunction isPaginated(payload: unknown): payload is PaginatedResponseJSON {\n if (!payload || typeof payload !== 'object' || !('data' in payload)) {\n return false;\n }\n\n return Array.isArray(payload.data) && payload.data !== undefined;\n}\n\nfunction getCount(item: PaginatedResponseJSON) {\n return item.total_count;\n}\n\n// TODO: Revise response deserialization\nfunction jsonToObject(item: any): any {\n // Special case: DeletedObject\n // TODO: Improve this check\n if (typeof item !== 'string' && 'object' in item && 'deleted' in item) {\n return DeletedObject.fromJSON(item);\n }\n\n switch (item.object) {\n case ObjectType.AccountlessApplication:\n return AccountlessApplication.fromJSON(item);\n case ObjectType.AllowlistIdentifier:\n return AllowlistIdentifier.fromJSON(item);\n case ObjectType.Client:\n return Client.fromJSON(item);\n case ObjectType.Cookies:\n return Cookies.fromJSON(item);\n case ObjectType.EmailAddress:\n return EmailAddress.fromJSON(item);\n case ObjectType.Email:\n return Email.fromJSON(item);\n case ObjectType.Invitation:\n return Invitation.fromJSON(item);\n case ObjectType.OauthAccessToken:\n return OauthAccessToken.fromJSON(item);\n case ObjectType.Organization:\n return Organization.fromJSON(item);\n case ObjectType.OrganizationInvitation:\n return OrganizationInvitation.fromJSON(item);\n case ObjectType.OrganizationMembership:\n return OrganizationMembership.fromJSON(item);\n case ObjectType.PhoneNumber:\n return PhoneNumber.fromJSON(item);\n case ObjectType.RedirectUrl:\n return RedirectUrl.fromJSON(item);\n case ObjectType.SignInToken:\n return SignInToken.fromJSON(item);\n case ObjectType.Session:\n return Session.fromJSON(item);\n case ObjectType.SmsMessage:\n return SMSMessage.fromJSON(item);\n case ObjectType.Token:\n return Token.fromJSON(item);\n case ObjectType.TotalCount:\n return getCount(item);\n case ObjectType.User:\n return User.fromJSON(item);\n default:\n return item;\n }\n}\n","import {\n AccountlessApplicationAPI,\n AllowlistIdentifierAPI,\n ClientAPI,\n DomainAPI,\n EmailAddressAPI,\n InvitationAPI,\n OrganizationAPI,\n PhoneNumberAPI,\n RedirectUrlAPI,\n SamlConnectionAPI,\n SessionAPI,\n SignInTokenAPI,\n TestingTokenAPI,\n UserAPI,\n} from './endpoints';\nimport { buildRequest } from './request';\n\nexport type CreateBackendApiOptions = Parameters[0];\n\nexport type ApiClient = ReturnType;\n\nexport function createBackendApiClient(options: CreateBackendApiOptions) {\n const request = buildRequest(options);\n\n return {\n __experimental_accountlessApplications: new AccountlessApplicationAPI(\n buildRequest({ ...options, requireSecretKey: false }),\n ),\n allowlistIdentifiers: new AllowlistIdentifierAPI(request),\n clients: new ClientAPI(request),\n emailAddresses: new EmailAddressAPI(request),\n invitations: new InvitationAPI(request),\n organizations: new OrganizationAPI(request),\n phoneNumbers: new PhoneNumberAPI(request),\n redirectUrls: new RedirectUrlAPI(request),\n sessions: new SessionAPI(request),\n signInTokens: new SignInTokenAPI(request),\n users: new UserAPI(request),\n domains: new DomainAPI(request),\n samlConnections: new SamlConnectionAPI(request),\n testingTokens: new TestingTokenAPI(request),\n };\n}\n","import { createCheckAuthorization } from '@clerk/shared/authorization';\nimport type {\n ActClaim,\n CheckAuthorizationFromSessionClaims,\n JwtPayload,\n OrganizationCustomPermissionKey,\n OrganizationCustomRoleKey,\n ServerGetToken,\n ServerGetTokenOptions,\n} from '@clerk/types';\n\nimport type { CreateBackendApiOptions } from '../api';\nimport { createBackendApiClient } from '../api';\nimport type { AuthenticateContext } from './authenticateContext';\n\ntype AuthObjectDebugData = Record;\ntype AuthObjectDebug = () => AuthObjectDebugData;\n\n/**\n * @internal\n */\nexport type SignedInAuthObjectOptions = CreateBackendApiOptions & {\n token: string;\n};\n\n/**\n * @internal\n */\nexport type SignedInAuthObject = {\n sessionClaims: JwtPayload;\n sessionId: string;\n actor: ActClaim | undefined;\n userId: string;\n orgId: string | undefined;\n orgRole: OrganizationCustomRoleKey | undefined;\n orgSlug: string | undefined;\n orgPermissions: OrganizationCustomPermissionKey[] | undefined;\n /**\n * Factor Verification Age\n * Each item represents the minutes that have passed since the last time a first or second factor were verified.\n * [fistFactorAge, secondFactorAge]\n */\n factorVerificationAge: [firstFactorAge: number, secondFactorAge: number] | null;\n getToken: ServerGetToken;\n has: CheckAuthorizationFromSessionClaims;\n debug: AuthObjectDebug;\n};\n\n/**\n * @internal\n */\nexport type SignedOutAuthObject = {\n sessionClaims: null;\n sessionId: null;\n actor: null;\n userId: null;\n orgId: null;\n orgRole: null;\n orgSlug: null;\n orgPermissions: null;\n /**\n * Factor Verification Age\n * Each item represents the minutes that have passed since the last time a first or second factor were verified.\n * [fistFactorAge, secondFactorAge]\n */\n factorVerificationAge: null;\n getToken: ServerGetToken;\n has: CheckAuthorizationFromSessionClaims;\n debug: AuthObjectDebug;\n};\n\n/**\n * @internal\n */\nexport type AuthObject = SignedInAuthObject | SignedOutAuthObject;\n\nconst createDebug = (data: AuthObjectDebugData | undefined) => {\n return () => {\n const res = { ...data };\n res.secretKey = (res.secretKey || '').substring(0, 7);\n res.jwtKey = (res.jwtKey || '').substring(0, 7);\n return { ...res };\n };\n};\n\n/**\n * @internal\n */\nexport function signedInAuthObject(\n authenticateContext: AuthenticateContext,\n sessionToken: string,\n sessionClaims: JwtPayload,\n): SignedInAuthObject {\n const {\n act: actor,\n sid: sessionId,\n org_id: orgId,\n org_role: orgRole,\n org_slug: orgSlug,\n org_permissions: orgPermissions,\n sub: userId,\n fva,\n } = sessionClaims;\n const apiClient = createBackendApiClient(authenticateContext);\n const getToken = createGetToken({\n sessionId,\n sessionToken,\n fetcher: async (...args) => (await apiClient.sessions.getToken(...args)).jwt,\n });\n\n // fva can be undefined for instances that have not opt-in\n const factorVerificationAge = fva ?? null;\n\n return {\n actor,\n sessionClaims,\n sessionId,\n userId,\n orgId,\n orgRole,\n orgSlug,\n orgPermissions,\n factorVerificationAge,\n getToken,\n has: createCheckAuthorization({ orgId, orgRole, orgPermissions, userId, factorVerificationAge }),\n debug: createDebug({ ...authenticateContext, sessionToken }),\n };\n}\n\n/**\n * @internal\n */\nexport function signedOutAuthObject(debugData?: AuthObjectDebugData): SignedOutAuthObject {\n return {\n sessionClaims: null,\n sessionId: null,\n userId: null,\n actor: null,\n orgId: null,\n orgRole: null,\n orgSlug: null,\n orgPermissions: null,\n factorVerificationAge: null,\n getToken: () => Promise.resolve(null),\n has: () => false,\n debug: createDebug(debugData),\n };\n}\n\n/**\n * Auth objects moving through the server -> client boundary need to be serializable\n * as we need to ensure that they can be transferred via the network as pure strings.\n * Some frameworks like Remix or Next (/pages dir only) handle this serialization by simply\n * ignoring any non-serializable keys, however Nextjs /app directory is stricter and\n * throws an error if a non-serializable value is found.\n * @internal\n */\nexport const makeAuthObjectSerializable = >(obj: T): T => {\n // remove any non-serializable props from the returned object\n\n const { debug, getToken, has, ...rest } = obj as unknown as AuthObject;\n return rest as unknown as T;\n};\n\ntype TokenFetcher = (sessionId: string, template: string) => Promise;\n\ntype CreateGetToken = (params: { sessionId: string; sessionToken: string; fetcher: TokenFetcher }) => ServerGetToken;\n\nconst createGetToken: CreateGetToken = params => {\n const { fetcher, sessionToken, sessionId } = params || {};\n\n return async (options: ServerGetTokenOptions = {}) => {\n if (!sessionId) {\n return null;\n }\n\n if (options.template) {\n return fetcher(sessionId, options.template);\n }\n\n return sessionToken;\n };\n};\n","import type { JwtPayload } from '@clerk/types';\n\nimport { constants } from '../constants';\nimport type { TokenVerificationErrorReason } from '../errors';\nimport type { AuthenticateContext } from './authenticateContext';\nimport type { SignedInAuthObject, SignedOutAuthObject } from './authObjects';\nimport { signedInAuthObject, signedOutAuthObject } from './authObjects';\n\nexport const AuthStatus = {\n SignedIn: 'signed-in',\n SignedOut: 'signed-out',\n Handshake: 'handshake',\n} as const;\n\nexport type AuthStatus = (typeof AuthStatus)[keyof typeof AuthStatus];\n\nexport type SignedInState = {\n status: typeof AuthStatus.SignedIn;\n reason: null;\n message: null;\n proxyUrl?: string;\n publishableKey: string;\n isSatellite: boolean;\n domain: string;\n signInUrl: string;\n signUpUrl: string;\n afterSignInUrl: string;\n afterSignUpUrl: string;\n isSignedIn: true;\n toAuth: () => SignedInAuthObject;\n headers: Headers;\n token: string;\n};\n\nexport type SignedOutState = {\n status: typeof AuthStatus.SignedOut;\n message: string;\n reason: AuthReason;\n proxyUrl?: string;\n publishableKey: string;\n isSatellite: boolean;\n domain: string;\n signInUrl: string;\n signUpUrl: string;\n afterSignInUrl: string;\n afterSignUpUrl: string;\n isSignedIn: false;\n toAuth: () => SignedOutAuthObject;\n headers: Headers;\n token: null;\n};\n\nexport type HandshakeState = Omit & {\n status: typeof AuthStatus.Handshake;\n headers: Headers;\n toAuth: () => null;\n};\n\nexport const AuthErrorReason = {\n ClientUATWithoutSessionToken: 'client-uat-but-no-session-token',\n DevBrowserMissing: 'dev-browser-missing',\n DevBrowserSync: 'dev-browser-sync',\n PrimaryRespondsToSyncing: 'primary-responds-to-syncing',\n SatelliteCookieNeedsSyncing: 'satellite-needs-syncing',\n SessionTokenAndUATMissing: 'session-token-and-uat-missing',\n SessionTokenMissing: 'session-token-missing',\n SessionTokenExpired: 'session-token-expired',\n SessionTokenIATBeforeClientUAT: 'session-token-iat-before-client-uat',\n SessionTokenNBF: 'session-token-nbf',\n SessionTokenIatInTheFuture: 'session-token-iat-in-the-future',\n SessionTokenWithoutClientUAT: 'session-token-but-no-client-uat',\n ActiveOrganizationMismatch: 'active-organization-mismatch',\n UnexpectedError: 'unexpected-error',\n} as const;\n\nexport type AuthErrorReason = (typeof AuthErrorReason)[keyof typeof AuthErrorReason];\n\nexport type AuthReason = AuthErrorReason | TokenVerificationErrorReason;\n\nexport type RequestState = SignedInState | SignedOutState | HandshakeState;\n\nexport function signedIn(\n authenticateContext: AuthenticateContext,\n sessionClaims: JwtPayload,\n headers: Headers = new Headers(),\n token: string,\n): SignedInState {\n const authObject = signedInAuthObject(authenticateContext, token, sessionClaims);\n return {\n status: AuthStatus.SignedIn,\n reason: null,\n message: null,\n proxyUrl: authenticateContext.proxyUrl || '',\n publishableKey: authenticateContext.publishableKey || '',\n isSatellite: authenticateContext.isSatellite || false,\n domain: authenticateContext.domain || '',\n signInUrl: authenticateContext.signInUrl || '',\n signUpUrl: authenticateContext.signUpUrl || '',\n afterSignInUrl: authenticateContext.afterSignInUrl || '',\n afterSignUpUrl: authenticateContext.afterSignUpUrl || '',\n isSignedIn: true,\n toAuth: () => authObject,\n headers,\n token,\n };\n}\n\nexport function signedOut(\n authenticateContext: AuthenticateContext,\n reason: AuthReason,\n message = '',\n headers: Headers = new Headers(),\n): SignedOutState {\n return withDebugHeaders({\n status: AuthStatus.SignedOut,\n reason,\n message,\n proxyUrl: authenticateContext.proxyUrl || '',\n publishableKey: authenticateContext.publishableKey || '',\n isSatellite: authenticateContext.isSatellite || false,\n domain: authenticateContext.domain || '',\n signInUrl: authenticateContext.signInUrl || '',\n signUpUrl: authenticateContext.signUpUrl || '',\n afterSignInUrl: authenticateContext.afterSignInUrl || '',\n afterSignUpUrl: authenticateContext.afterSignUpUrl || '',\n isSignedIn: false,\n headers,\n toAuth: () => signedOutAuthObject({ ...authenticateContext, status: AuthStatus.SignedOut, reason, message }),\n token: null,\n });\n}\n\nexport function handshake(\n authenticateContext: AuthenticateContext,\n reason: AuthReason,\n message = '',\n headers: Headers,\n): HandshakeState {\n return withDebugHeaders({\n status: AuthStatus.Handshake,\n reason,\n message,\n publishableKey: authenticateContext.publishableKey || '',\n isSatellite: authenticateContext.isSatellite || false,\n domain: authenticateContext.domain || '',\n proxyUrl: authenticateContext.proxyUrl || '',\n signInUrl: authenticateContext.signInUrl || '',\n signUpUrl: authenticateContext.signUpUrl || '',\n afterSignInUrl: authenticateContext.afterSignInUrl || '',\n afterSignUpUrl: authenticateContext.afterSignUpUrl || '',\n isSignedIn: false,\n headers,\n toAuth: () => null,\n token: null,\n });\n}\n\nconst withDebugHeaders = (requestState: T): T => {\n const headers = new Headers(requestState.headers || {});\n\n if (requestState.message) {\n try {\n headers.set(constants.Headers.AuthMessage, requestState.message);\n } catch {\n // headers.set can throw if unicode strings are passed to it. In this case, simply do nothing\n }\n }\n\n if (requestState.reason) {\n try {\n headers.set(constants.Headers.AuthReason, requestState.reason);\n } catch {\n /* empty */\n }\n }\n\n if (requestState.status) {\n try {\n headers.set(constants.Headers.AuthStatus, requestState.status);\n } catch {\n /* empty */\n }\n }\n\n requestState.headers = headers;\n\n return requestState;\n};\n","import { parse } from 'cookie';\n\nimport { constants } from '../constants';\nimport type { ClerkUrl } from './clerkUrl';\nimport { createClerkUrl } from './clerkUrl';\n\n/**\n * A class that extends the native Request class,\n * adds cookies helpers and a normalised clerkUrl that is constructed by using the values found\n * in req.headers so it is able to work reliably when the app is running behind a proxy server.\n */\nclass ClerkRequest extends Request {\n readonly clerkUrl: ClerkUrl;\n readonly cookies: Map;\n\n public constructor(input: ClerkRequest | Request | RequestInfo, init?: RequestInit) {\n // The usual way to duplicate a request object is to\n // pass the original request object to the Request constructor\n // both as the `input` and `init` parameters, eg: super(req, req)\n // However, this fails in certain environments like Vercel Edge Runtime\n // when a framework like Remix polyfills the global Request object.\n // This happens because `undici` performs the following instanceof check\n // which, instead of testing against the global Request object, tests against\n // the Request class defined in the same file (local Request class).\n // For more details, please refer to:\n // https://github.com/nodejs/undici/issues/2155\n // https://github.com/nodejs/undici/blob/7153a1c78d51840bbe16576ce353e481c3934701/lib/fetch/request.js#L854\n const url = typeof input !== 'string' && 'url' in input ? input.url : String(input);\n super(url, init || typeof input === 'string' ? undefined : input);\n this.clerkUrl = this.deriveUrlFromHeaders(this);\n this.cookies = this.parseCookies(this);\n }\n\n public toJSON() {\n return {\n url: this.clerkUrl.href,\n method: this.method,\n headers: JSON.stringify(Object.fromEntries(this.headers)),\n clerkUrl: this.clerkUrl.toString(),\n cookies: JSON.stringify(Object.fromEntries(this.cookies)),\n };\n }\n\n /**\n * Used to fix request.url using the x-forwarded-* headers\n * TODO add detailed description of the issues this solves\n */\n private deriveUrlFromHeaders(req: Request) {\n const initialUrl = new URL(req.url);\n const forwardedProto = req.headers.get(constants.Headers.ForwardedProto);\n const forwardedHost = req.headers.get(constants.Headers.ForwardedHost);\n const host = req.headers.get(constants.Headers.Host);\n const protocol = initialUrl.protocol;\n\n const resolvedHost = this.getFirstValueFromHeader(forwardedHost) ?? host;\n const resolvedProtocol = this.getFirstValueFromHeader(forwardedProto) ?? protocol?.replace(/[:/]/, '');\n const origin = resolvedHost && resolvedProtocol ? `${resolvedProtocol}://${resolvedHost}` : initialUrl.origin;\n\n if (origin === initialUrl.origin) {\n return createClerkUrl(initialUrl);\n }\n return createClerkUrl(initialUrl.pathname + initialUrl.search, origin);\n }\n\n private getFirstValueFromHeader(value?: string | null) {\n return value?.split(',')[0];\n }\n\n private parseCookies(req: Request) {\n const cookiesRecord = parse(this.decodeCookieValue(req.headers.get('cookie') || ''));\n return new Map(Object.entries(cookiesRecord));\n }\n\n private decodeCookieValue(str: string) {\n return str ? str.replace(/(%[0-9A-Z]{2})+/g, decodeURIComponent) : str;\n }\n}\n\nexport const createClerkRequest = (...args: ConstructorParameters): ClerkRequest => {\n return args[0] instanceof ClerkRequest ? args[0] : new ClerkRequest(...args);\n};\n\nexport type { ClerkRequest };\n","class ClerkUrl extends URL {\n public isCrossOrigin(other: URL | string) {\n return this.origin !== new URL(other.toString()).origin;\n }\n}\n\nexport type WithClerkUrl = T & {\n /**\n * When a NextJs app is hosted on a platform different from Vercel\n * or inside a container (Netlify, Fly.io, AWS Amplify, docker etc),\n * req.url is always set to `localhost:3000` instead of the actual host of the app.\n *\n * The `authMiddleware` uses the value of the available req.headers in order to construct\n * and use the correct url internally. This url is then exposed as `experimental_clerkUrl`,\n * intended to be used within `beforeAuth` and `afterAuth` if needed.\n */\n clerkUrl: ClerkUrl;\n};\n\nexport const createClerkUrl = (...args: ConstructorParameters): ClerkUrl => {\n return new ClerkUrl(...args);\n};\n\nexport type { ClerkUrl };\n","import {\n API_URL,\n API_VERSION,\n MAX_CACHE_LAST_UPDATED_AT_SECONDS,\n SUPPORTED_BAPI_VERSION,\n USER_AGENT,\n} from '../constants';\nimport {\n TokenVerificationError,\n TokenVerificationErrorAction,\n TokenVerificationErrorCode,\n TokenVerificationErrorReason,\n} from '../errors';\nimport { runtime } from '../runtime';\nimport { joinPaths } from '../util/path';\nimport { retry } from '../util/shared';\n\ntype JsonWebKeyWithKid = JsonWebKey & { kid: string };\n\ntype JsonWebKeyCache = Record;\n\nlet cache: JsonWebKeyCache = {};\nlet lastUpdatedAt = 0;\n\nfunction getFromCache(kid: string) {\n return cache[kid];\n}\n\nfunction getCacheValues() {\n return Object.values(cache);\n}\n\nfunction setInCache(jwk: JsonWebKeyWithKid, shouldExpire = true) {\n cache[jwk.kid] = jwk;\n lastUpdatedAt = shouldExpire ? Date.now() : -1;\n}\n\nconst LocalJwkKid = 'local';\nconst PEM_HEADER = '-----BEGIN PUBLIC KEY-----';\nconst PEM_TRAILER = '-----END PUBLIC KEY-----';\nconst RSA_PREFIX = 'MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA';\nconst RSA_SUFFIX = 'IDAQAB';\n\n/**\n *\n * Loads a local PEM key usually from process.env and transform it to JsonWebKey format.\n * The result is also cached on the module level to avoid unnecessary computations in subsequent invocations.\n *\n * @param {string} localKey\n * @returns {JsonWebKey} key\n */\nexport function loadClerkJWKFromLocal(localKey?: string): JsonWebKey {\n if (!getFromCache(LocalJwkKid)) {\n if (!localKey) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.SetClerkJWTKey,\n message: 'Missing local JWK.',\n reason: TokenVerificationErrorReason.LocalJWKMissing,\n });\n }\n\n const modulus = localKey\n .replace(/\\r\\n|\\n|\\r/g, '')\n .replace(PEM_HEADER, '')\n .replace(PEM_TRAILER, '')\n .replace(RSA_PREFIX, '')\n .replace(RSA_SUFFIX, '')\n .replace(/\\+/g, '-')\n .replace(/\\//g, '_');\n\n // JWK https://datatracker.ietf.org/doc/html/rfc7517\n setInCache(\n {\n kid: 'local',\n kty: 'RSA',\n alg: 'RS256',\n n: modulus,\n e: 'AQAB',\n },\n false, // local key never expires in cache\n );\n }\n\n return getFromCache(LocalJwkKid);\n}\n\nexport type LoadClerkJWKFromRemoteOptions = {\n /**\n * @internal\n */\n kid: string;\n /**\n * @deprecated This cache TTL is deprecated and will be removed in the next major version. Specifying a cache TTL is now a no-op.\n */\n jwksCacheTtlInMs?: number;\n /**\n * A flag to skip ignore cache and always fetch JWKS before each jwt verification.\n */\n skipJwksCache?: boolean;\n /**\n * The Clerk Secret Key from the [**API keys**](https://dashboard.clerk.com/last-active?path=api-keys) page in the Clerk Dashboard.\n */\n secretKey?: string;\n /**\n * The [Clerk Backend API](https://clerk.com/docs/reference/backend-api) endpoint. Defaults to `'https://api.clerk.com'`.\n */\n apiUrl?: string;\n /**\n * The version passed to the Clerk API. Defaults to `'v1'`.\n */\n apiVersion?: string;\n};\n\n/**\n *\n * Loads a key from JWKS retrieved from the well-known Frontend API endpoint of the issuer.\n * The result is also cached on the module level to avoid network requests in subsequent invocations.\n * The cache lasts up to 5 minutes.\n *\n * @param {Object} options\n * @param {string} options.kid - The id of the key that the JWT was signed with\n * @param {string} options.alg - The algorithm of the JWT\n * @returns {JsonWebKey} key\n */\nexport async function loadClerkJWKFromRemote({\n secretKey,\n apiUrl = API_URL,\n apiVersion = API_VERSION,\n kid,\n skipJwksCache,\n}: LoadClerkJWKFromRemoteOptions): Promise {\n if (skipJwksCache || cacheHasExpired() || !getFromCache(kid)) {\n if (!secretKey) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.ContactSupport,\n message: 'Failed to load JWKS from Clerk Backend or Frontend API.',\n reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad,\n });\n }\n const fetcher = () => fetchJWKSFromBAPI(apiUrl, secretKey, apiVersion) as Promise<{ keys: JsonWebKeyWithKid[] }>;\n const { keys } = await retry(fetcher);\n\n if (!keys || !keys.length) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.ContactSupport,\n message: 'The JWKS endpoint did not contain any signing keys. Contact support@clerk.com.',\n reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad,\n });\n }\n\n keys.forEach(key => setInCache(key));\n }\n\n const jwk = getFromCache(kid);\n\n if (!jwk) {\n const cacheValues = getCacheValues();\n const jwkKeys = cacheValues\n .map(jwk => jwk.kid)\n .sort()\n .join(', ');\n\n throw new TokenVerificationError({\n action: `Go to your Dashboard and validate your secret and public keys are correct. ${TokenVerificationErrorAction.ContactSupport} if the issue persists.`,\n message: `Unable to find a signing key in JWKS that matches the kid='${kid}' of the provided session token. Please make sure that the __session cookie or the HTTP authorization header contain a Clerk-generated session JWT. The following kid is available: ${jwkKeys}`,\n reason: TokenVerificationErrorReason.JWKKidMismatch,\n });\n }\n\n return jwk;\n}\n\nasync function fetchJWKSFromBAPI(apiUrl: string, key: string, apiVersion: string) {\n if (!key) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.SetClerkSecretKey,\n message:\n 'Missing Clerk Secret Key or API Key. Go to https://dashboard.clerk.com and get your key for your instance.',\n reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad,\n });\n }\n\n const url = new URL(apiUrl);\n url.pathname = joinPaths(url.pathname, apiVersion, '/jwks');\n\n const response = await runtime.fetch(url.href, {\n headers: {\n Authorization: `Bearer ${key}`,\n 'Clerk-API-Version': SUPPORTED_BAPI_VERSION,\n 'Content-Type': 'application/json',\n 'User-Agent': USER_AGENT,\n },\n });\n\n if (!response.ok) {\n const json = await response.json();\n const invalidSecretKeyError = getErrorObjectByCode(json?.errors, TokenVerificationErrorCode.InvalidSecretKey);\n\n if (invalidSecretKeyError) {\n const reason = TokenVerificationErrorReason.InvalidSecretKey;\n\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.ContactSupport,\n message: invalidSecretKeyError.message,\n reason,\n });\n }\n\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.ContactSupport,\n message: `Error loading Clerk JWKS from ${url.href} with code=${response.status}`,\n reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad,\n });\n }\n\n return response.json();\n}\n\nfunction cacheHasExpired() {\n // If lastUpdatedAt is -1, it means that we're using a local JWKS and it never expires\n if (lastUpdatedAt === -1) {\n return false;\n }\n\n // If the cache has expired, clear the value so we don't attempt to make decisions based on stale data\n const isExpired = Date.now() - lastUpdatedAt >= MAX_CACHE_LAST_UPDATED_AT_SECONDS * 1000;\n\n if (isExpired) {\n cache = {};\n }\n\n return isExpired;\n}\n\ntype ErrorFields = {\n message: string;\n long_message: string;\n code: string;\n};\n\nconst getErrorObjectByCode = (errors: ErrorFields[], code: string) => {\n if (!errors) {\n return null;\n }\n\n return errors.find((err: ErrorFields) => err.code === code);\n};\n","import type { JwtPayload } from '@clerk/types';\n\nimport { TokenVerificationError, TokenVerificationErrorAction, TokenVerificationErrorReason } from '../errors';\nimport type { VerifyJwtOptions } from '../jwt';\nimport type { JwtReturnType } from '../jwt/types';\nimport { decodeJwt, verifyJwt } from '../jwt/verifyJwt';\nimport type { LoadClerkJWKFromRemoteOptions } from './keys';\nimport { loadClerkJWKFromLocal, loadClerkJWKFromRemote } from './keys';\n\nexport type VerifyTokenOptions = Omit &\n Omit & {\n /**\n * Used to verify the session token in a networkless manner. Supply the PEM public key from the **[**API keys**](https://dashboard.clerk.com/last-active?path=api-keys) page -> Show JWT public key -> PEM Public Key** section in the Clerk Dashboard. **It's recommended to use [the environment variable](https://clerk.com/docs/deployments/clerk-environment-variables) instead.** For more information, refer to [Manual JWT verification](https://clerk.com/docs/backend-requests/handling/manual-jwt).\n */\n jwtKey?: string;\n };\n\nexport async function verifyToken(\n token: string,\n options: VerifyTokenOptions,\n): Promise> {\n const { data: decodedResult, errors } = decodeJwt(token);\n if (errors) {\n return { errors };\n }\n\n const { header } = decodedResult;\n const { kid } = header;\n\n try {\n let key;\n\n if (options.jwtKey) {\n key = loadClerkJWKFromLocal(options.jwtKey);\n } else if (options.secretKey) {\n // Fetch JWKS from Backend API using the key\n key = await loadClerkJWKFromRemote({ ...options, kid });\n } else {\n return {\n errors: [\n new TokenVerificationError({\n action: TokenVerificationErrorAction.SetClerkJWTKey,\n message: 'Failed to resolve JWK during verification.',\n reason: TokenVerificationErrorReason.JWKFailedToResolve,\n }),\n ],\n };\n }\n\n return await verifyJwt(token, { ...options, key });\n } catch (error) {\n return { errors: [error as TokenVerificationError] };\n }\n}\n","import type { Match, MatchFunction } from '@clerk/shared/pathToRegexp';\nimport { match } from '@clerk/shared/pathToRegexp';\nimport type { JwtPayload } from '@clerk/types';\n\nimport { constants } from '../constants';\nimport type { TokenCarrier } from '../errors';\nimport { TokenVerificationError, TokenVerificationErrorReason } from '../errors';\nimport { decodeJwt } from '../jwt/verifyJwt';\nimport { assertValidSecretKey } from '../util/optionsAssertions';\nimport { isDevelopmentFromSecretKey } from '../util/shared';\nimport type { AuthenticateContext } from './authenticateContext';\nimport { createAuthenticateContext } from './authenticateContext';\nimport type { SignedInAuthObject } from './authObjects';\nimport type { HandshakeState, RequestState, SignedInState, SignedOutState } from './authStatus';\nimport { AuthErrorReason, handshake, signedIn, signedOut } from './authStatus';\nimport { createClerkRequest } from './clerkRequest';\nimport { getCookieName, getCookieValue } from './cookie';\nimport { verifyHandshakeToken } from './handshake';\nimport type { AuthenticateRequestOptions, OrganizationSyncOptions } from './types';\nimport { verifyToken } from './verify';\n\nexport const RefreshTokenErrorReason = {\n NonEligibleNoCookie: 'non-eligible-no-refresh-cookie',\n NonEligibleNonGet: 'non-eligible-non-get',\n InvalidSessionToken: 'invalid-session-token',\n MissingApiClient: 'missing-api-client',\n MissingSessionToken: 'missing-session-token',\n MissingRefreshToken: 'missing-refresh-token',\n ExpiredSessionTokenDecodeFailed: 'expired-session-token-decode-failed',\n ExpiredSessionTokenMissingSidClaim: 'expired-session-token-missing-sid-claim',\n FetchError: 'fetch-error',\n UnexpectedSDKError: 'unexpected-sdk-error',\n UnexpectedBAPIError: 'unexpected-bapi-error',\n} as const;\n\nfunction assertSignInUrlExists(signInUrl: string | undefined, key: string): asserts signInUrl is string {\n if (!signInUrl && isDevelopmentFromSecretKey(key)) {\n throw new Error(`Missing signInUrl. Pass a signInUrl for dev instances if an app is satellite`);\n }\n}\n\nfunction assertProxyUrlOrDomain(proxyUrlOrDomain: string | undefined) {\n if (!proxyUrlOrDomain) {\n throw new Error(`Missing domain and proxyUrl. A satellite application needs to specify a domain or a proxyUrl`);\n }\n}\n\nfunction assertSignInUrlFormatAndOrigin(_signInUrl: string, origin: string) {\n let signInUrl: URL;\n try {\n signInUrl = new URL(_signInUrl);\n } catch {\n throw new Error(`The signInUrl needs to have a absolute url format.`);\n }\n\n if (signInUrl.origin === origin) {\n throw new Error(`The signInUrl needs to be on a different origin than your satellite application.`);\n }\n}\n\n/**\n * Currently, a request is only eligible for a handshake if we can say it's *probably* a request for a document, not a fetch or some other exotic request.\n * This heuristic should give us a reliable enough signal for browsers that support `Sec-Fetch-Dest` and for those that don't.\n */\nfunction isRequestEligibleForHandshake(authenticateContext: { secFetchDest?: string; accept?: string }) {\n const { accept, secFetchDest } = authenticateContext;\n\n // NOTE: we could also check sec-fetch-mode === navigate here, but according to the spec, sec-fetch-dest: document should indicate that the request is the data of a user navigation.\n // Also, we check for 'iframe' because it's the value set when a doc request is made by an iframe.\n if (secFetchDest === 'document' || secFetchDest === 'iframe') {\n return true;\n }\n\n if (!secFetchDest && accept?.startsWith('text/html')) {\n return true;\n }\n\n return false;\n}\n\nfunction isRequestEligibleForRefresh(\n err: TokenVerificationError,\n authenticateContext: { refreshTokenInCookie?: string },\n request: Request,\n) {\n return (\n err.reason === TokenVerificationErrorReason.TokenExpired &&\n !!authenticateContext.refreshTokenInCookie &&\n request.method === 'GET'\n );\n}\n\nexport async function authenticateRequest(\n request: Request,\n options: AuthenticateRequestOptions,\n): Promise {\n const authenticateContext = await createAuthenticateContext(createClerkRequest(request), options);\n assertValidSecretKey(authenticateContext.secretKey);\n\n if (authenticateContext.isSatellite) {\n assertSignInUrlExists(authenticateContext.signInUrl, authenticateContext.secretKey);\n if (authenticateContext.signInUrl && authenticateContext.origin) {\n assertSignInUrlFormatAndOrigin(authenticateContext.signInUrl, authenticateContext.origin);\n }\n assertProxyUrlOrDomain(authenticateContext.proxyUrl || authenticateContext.domain);\n }\n\n // NOTE(izaak): compute regex matchers early for efficiency - they can be used multiple times.\n const organizationSyncTargetMatchers = computeOrganizationSyncTargetMatchers(options.organizationSyncOptions);\n\n function removeDevBrowserFromURL(url: URL) {\n const updatedURL = new URL(url);\n\n updatedURL.searchParams.delete(constants.QueryParameters.DevBrowser);\n // Remove legacy dev browser query param key to support local app with v5 using AP with v4\n updatedURL.searchParams.delete(constants.QueryParameters.LegacyDevBrowser);\n\n return updatedURL;\n }\n\n function buildRedirectToHandshake({ handshakeReason }: { handshakeReason: string }) {\n const redirectUrl = removeDevBrowserFromURL(authenticateContext.clerkUrl);\n const frontendApiNoProtocol = authenticateContext.frontendApi.replace(/http(s)?:\\/\\//, '');\n\n const url = new URL(`https://${frontendApiNoProtocol}/v1/client/handshake`);\n url.searchParams.append('redirect_url', redirectUrl?.href || '');\n url.searchParams.append(\n constants.QueryParameters.SuffixedCookies,\n authenticateContext.usesSuffixedCookies().toString(),\n );\n url.searchParams.append(constants.QueryParameters.HandshakeReason, handshakeReason);\n\n if (authenticateContext.instanceType === 'development' && authenticateContext.devBrowserToken) {\n url.searchParams.append(constants.QueryParameters.DevBrowser, authenticateContext.devBrowserToken);\n }\n\n const toActivate = getOrganizationSyncTarget(\n authenticateContext.clerkUrl,\n options.organizationSyncOptions,\n organizationSyncTargetMatchers,\n );\n if (toActivate) {\n const params = getOrganizationSyncQueryParams(toActivate);\n\n params.forEach((value, key) => {\n url.searchParams.append(key, value);\n });\n }\n\n return new Headers({ [constants.Headers.Location]: url.href });\n }\n\n async function resolveHandshake() {\n const headers = new Headers({\n 'Access-Control-Allow-Origin': 'null',\n 'Access-Control-Allow-Credentials': 'true',\n });\n\n const handshakePayload = await verifyHandshakeToken(authenticateContext.handshakeToken!, authenticateContext);\n const cookiesToSet = handshakePayload.handshake;\n\n let sessionToken = '';\n cookiesToSet.forEach((x: string) => {\n headers.append('Set-Cookie', x);\n if (getCookieName(x).startsWith(constants.Cookies.Session)) {\n sessionToken = getCookieValue(x);\n }\n });\n\n if (authenticateContext.instanceType === 'development') {\n const newUrl = new URL(authenticateContext.clerkUrl);\n newUrl.searchParams.delete(constants.QueryParameters.Handshake);\n newUrl.searchParams.delete(constants.QueryParameters.HandshakeHelp);\n headers.append(constants.Headers.Location, newUrl.toString());\n headers.set(constants.Headers.CacheControl, 'no-store');\n }\n\n if (sessionToken === '') {\n return signedOut(authenticateContext, AuthErrorReason.SessionTokenMissing, '', headers);\n }\n\n const { data, errors: [error] = [] } = await verifyToken(sessionToken, authenticateContext);\n if (data) {\n return signedIn(authenticateContext, data, headers, sessionToken);\n }\n\n if (\n authenticateContext.instanceType === 'development' &&\n (error?.reason === TokenVerificationErrorReason.TokenExpired ||\n error?.reason === TokenVerificationErrorReason.TokenNotActiveYet ||\n error?.reason === TokenVerificationErrorReason.TokenIatInTheFuture)\n ) {\n error.tokenCarrier = 'cookie';\n // This probably means we're dealing with clock skew\n console.error(\n `Clerk: Clock skew detected. This usually means that your system clock is inaccurate. Clerk will attempt to account for the clock skew in development.\n\nTo resolve this issue, make sure your system's clock is set to the correct time (e.g. turn off and on automatic time synchronization).\n\n---\n\n${error.getFullMessage()}`,\n );\n\n // Retry with a generous clock skew allowance (1 day)\n const { data: retryResult, errors: [retryError] = [] } = await verifyToken(sessionToken, {\n ...authenticateContext,\n clockSkewInMs: 86_400_000,\n });\n if (retryResult) {\n return signedIn(authenticateContext, retryResult, headers, sessionToken);\n }\n\n throw new Error(retryError?.message || 'Clerk: Handshake retry failed.');\n }\n\n throw new Error(error?.message || 'Clerk: Handshake failed.');\n }\n\n async function refreshToken(\n authenticateContext: AuthenticateContext,\n ): Promise<{ data: string[]; error: null } | { data: null; error: any }> {\n // To perform a token refresh, apiClient must be defined.\n if (!options.apiClient) {\n return {\n data: null,\n error: {\n message: 'An apiClient is needed to perform token refresh.',\n cause: { reason: RefreshTokenErrorReason.MissingApiClient },\n },\n };\n }\n const { sessionToken: expiredSessionToken, refreshTokenInCookie: refreshToken } = authenticateContext;\n if (!expiredSessionToken) {\n return {\n data: null,\n error: {\n message: 'Session token must be provided.',\n cause: { reason: RefreshTokenErrorReason.MissingSessionToken },\n },\n };\n }\n if (!refreshToken) {\n return {\n data: null,\n error: {\n message: 'Refresh token must be provided.',\n cause: { reason: RefreshTokenErrorReason.MissingRefreshToken },\n },\n };\n }\n // The token refresh endpoint requires a sessionId, so we decode that from the expired token.\n const { data: decodeResult, errors: decodedErrors } = decodeJwt(expiredSessionToken);\n if (!decodeResult || decodedErrors) {\n return {\n data: null,\n error: {\n message: 'Unable to decode the expired session token.',\n cause: { reason: RefreshTokenErrorReason.ExpiredSessionTokenDecodeFailed, errors: decodedErrors },\n },\n };\n }\n\n if (!decodeResult?.payload?.sid) {\n return {\n data: null,\n error: {\n message: 'Expired session token is missing the `sid` claim.',\n cause: { reason: RefreshTokenErrorReason.ExpiredSessionTokenMissingSidClaim },\n },\n };\n }\n\n try {\n // Perform the actual token refresh.\n const response = await options.apiClient.sessions.refreshSession(decodeResult.payload.sid, {\n format: 'cookie',\n suffixed_cookies: authenticateContext.usesSuffixedCookies(),\n expired_token: expiredSessionToken || '',\n refresh_token: refreshToken || '',\n request_origin: authenticateContext.clerkUrl.origin,\n // The refresh endpoint expects headers as Record, so we need to transform it.\n request_headers: Object.fromEntries(Array.from(request.headers.entries()).map(([k, v]) => [k, [v]])),\n });\n return { data: response.cookies, error: null };\n } catch (err: any) {\n if (err?.errors?.length) {\n if (err.errors[0].code === 'unexpected_error') {\n return {\n data: null,\n error: {\n message: `Fetch unexpected error`,\n cause: { reason: RefreshTokenErrorReason.FetchError, errors: err.errors },\n },\n };\n }\n return {\n data: null,\n error: {\n message: err.errors[0].code,\n cause: { reason: err.errors[0].code, errors: err.errors },\n },\n };\n } else {\n return {\n data: null,\n error: {\n message: `Unexpected Server/BAPI error`,\n cause: { reason: RefreshTokenErrorReason.UnexpectedBAPIError, errors: [err] },\n },\n };\n }\n }\n }\n\n async function attemptRefresh(\n authenticateContext: AuthenticateContext,\n ): Promise<\n | { data: { jwtPayload: JwtPayload; sessionToken: string; headers: Headers }; error: null }\n | { data: null; error: any }\n > {\n const { data: cookiesToSet, error } = await refreshToken(authenticateContext);\n if (!cookiesToSet || cookiesToSet.length === 0) {\n return { data: null, error };\n }\n\n const headers = new Headers();\n let sessionToken = '';\n cookiesToSet.forEach((x: string) => {\n headers.append('Set-Cookie', x);\n if (getCookieName(x).startsWith(constants.Cookies.Session)) {\n sessionToken = getCookieValue(x);\n }\n });\n\n // Since we're going to return a signedIn response, we need to decode the data from the new sessionToken.\n const { data: jwtPayload, errors } = await verifyToken(sessionToken, authenticateContext);\n if (errors) {\n return {\n data: null,\n error: {\n message: `Clerk: unable to verify refreshed session token.`,\n cause: { reason: RefreshTokenErrorReason.InvalidSessionToken, errors },\n },\n };\n }\n return { data: { jwtPayload, sessionToken, headers }, error: null };\n }\n\n function handleMaybeHandshakeStatus(\n authenticateContext: AuthenticateContext,\n reason: string,\n message: string,\n headers?: Headers,\n ): SignedInState | SignedOutState | HandshakeState {\n if (isRequestEligibleForHandshake(authenticateContext)) {\n // Right now the only usage of passing in different headers is for multi-domain sync, which redirects somewhere else.\n // In the future if we want to decorate the handshake redirect with additional headers per call we need to tweak this logic.\n const handshakeHeaders = headers ?? buildRedirectToHandshake({ handshakeReason: reason });\n\n // Chrome aggressively caches inactive tabs. If we don't set the header here,\n // all 307 redirects will be cached and the handshake will end up in an infinite loop.\n if (handshakeHeaders.get(constants.Headers.Location)) {\n handshakeHeaders.set(constants.Headers.CacheControl, 'no-store');\n }\n\n // Introduce the mechanism to protect for infinite handshake redirect loops\n // using a cookie and returning true if it's infinite redirect loop or false if we can\n // proceed with triggering handshake.\n const isRedirectLoop = setHandshakeInfiniteRedirectionLoopHeaders(handshakeHeaders);\n if (isRedirectLoop) {\n const msg = `Clerk: Refreshing the session token resulted in an infinite redirect loop. This usually means that your Clerk instance keys do not match - make sure to copy the correct publishable and secret keys from the Clerk dashboard.`;\n console.log(msg);\n return signedOut(authenticateContext, reason, message);\n }\n\n return handshake(authenticateContext, reason, message, handshakeHeaders);\n }\n\n return signedOut(authenticateContext, reason, message);\n }\n\n /**\n * Determines if a handshake must occur to resolve a mismatch between the organization as specified\n * by the URL (according to the options) and the actual active organization on the session.\n *\n * @returns {HandshakeState | SignedOutState | null} - The function can return the following:\n * - {HandshakeState}: If a handshake is needed to resolve the mismatched organization.\n * - {SignedOutState}: If a handshake is required but cannot be performed.\n * - {null}: If no action is required.\n */\n function handleMaybeOrganizationSyncHandshake(\n authenticateContext: AuthenticateContext,\n auth: SignedInAuthObject,\n ): HandshakeState | SignedOutState | null {\n const organizationSyncTarget = getOrganizationSyncTarget(\n authenticateContext.clerkUrl,\n options.organizationSyncOptions,\n organizationSyncTargetMatchers,\n );\n if (!organizationSyncTarget) {\n return null;\n }\n let mustActivate = false;\n if (organizationSyncTarget.type === 'organization') {\n // Activate an org by slug?\n if (organizationSyncTarget.organizationSlug && organizationSyncTarget.organizationSlug !== auth.orgSlug) {\n mustActivate = true;\n }\n // Activate an org by ID?\n if (organizationSyncTarget.organizationId && organizationSyncTarget.organizationId !== auth.orgId) {\n mustActivate = true;\n }\n }\n // Activate the personal account?\n if (organizationSyncTarget.type === 'personalAccount' && auth.orgId) {\n mustActivate = true;\n }\n if (!mustActivate) {\n return null;\n }\n if (authenticateContext.handshakeRedirectLoopCounter > 0) {\n // We have an organization that needs to be activated, but this isn't our first time redirecting.\n // This is because we attempted to activate the organization previously, but the organization\n // must not have been valid (either not found, or not valid for this user), and gave us back\n // a null organization. We won't re-try the handshake, and leave it to the server component to handle.\n console.warn(\n 'Clerk: Organization activation handshake loop detected. This is likely due to an invalid organization ID or slug. Skipping organization activation.',\n );\n return null;\n }\n const handshakeState = handleMaybeHandshakeStatus(\n authenticateContext,\n AuthErrorReason.ActiveOrganizationMismatch,\n '',\n );\n if (handshakeState.status !== 'handshake') {\n // Currently, this is only possible if we're in a redirect loop, but the above check should guard against that.\n return null;\n }\n return handshakeState;\n }\n\n async function authenticateRequestWithTokenInHeader() {\n const { sessionTokenInHeader } = authenticateContext;\n\n try {\n const { data, errors } = await verifyToken(sessionTokenInHeader!, authenticateContext);\n if (errors) {\n throw errors[0];\n }\n // use `await` to force this try/catch handle the signedIn invocation\n return signedIn(authenticateContext, data, undefined, sessionTokenInHeader!);\n } catch (err) {\n return handleError(err, 'header');\n }\n }\n\n // We want to prevent infinite handshake redirection loops.\n // We incrementally set a `__clerk_redirection_loop` cookie, and when it loops 3 times, we throw an error.\n // We also utilize the `referer` header to skip the prefetch requests.\n function setHandshakeInfiniteRedirectionLoopHeaders(headers: Headers): boolean {\n if (authenticateContext.handshakeRedirectLoopCounter === 3) {\n return true;\n }\n\n const newCounterValue = authenticateContext.handshakeRedirectLoopCounter + 1;\n const cookieName = constants.Cookies.RedirectCount;\n headers.append('Set-Cookie', `${cookieName}=${newCounterValue}; SameSite=Lax; HttpOnly; Max-Age=3`);\n return false;\n }\n\n function handleHandshakeTokenVerificationErrorInDevelopment(error: TokenVerificationError) {\n // In development, the handshake token is being transferred in the URL as a query parameter, so there is no\n // possibility of collision with a handshake token of another app running on the same local domain\n // (etc one app on localhost:3000 and one on localhost:3001).\n // Therefore, if the handshake token is invalid, it is likely that the user has switched Clerk keys locally.\n // We make sure to throw a descriptive error message and then stop the handshake flow in every case,\n // to avoid the possibility of an infinite loop.\n if (error.reason === TokenVerificationErrorReason.TokenInvalidSignature) {\n const msg = `Clerk: Handshake token verification failed due to an invalid signature. If you have switched Clerk keys locally, clear your cookies and try again.`;\n throw new Error(msg);\n }\n throw new Error(`Clerk: Handshake token verification failed: ${error.getFullMessage()}.`);\n }\n\n async function authenticateRequestWithTokenInCookie() {\n const hasActiveClient = authenticateContext.clientUat;\n const hasSessionToken = !!authenticateContext.sessionTokenInCookie;\n const hasDevBrowserToken = !!authenticateContext.devBrowserToken;\n\n /**\n * If we have a handshakeToken, resolve the handshake and attempt to return a definitive signed in or signed out state.\n */\n if (authenticateContext.handshakeToken) {\n try {\n return await resolveHandshake();\n } catch (error) {\n // In production, the handshake token is being transferred as a cookie, so there is a possibility of collision\n // with a handshake token of another app running on the same etld+1 domain.\n // For example, if one app is running on sub1.clerk.com and another on sub2.clerk.com, the handshake token\n // cookie for both apps will be set on etld+1 (clerk.com) so there's a possibility that one app will accidentally\n // use the handshake token of a different app during the handshake flow.\n // In this scenario, verification will fail with TokenInvalidSignature. In contrast to the development case,\n // we need to allow the flow to continue so the app eventually retries another handshake with the correct token.\n // We need to make sure, however, that we don't allow the flow to continue indefinitely, so we throw an error after X\n // retries to avoid an infinite loop. An infinite loop can happen if the customer switched Clerk keys for their prod app.\n\n // Check the handleHandshakeTokenVerificationErrorInDevelopment function for the development case.\n if (error instanceof TokenVerificationError && authenticateContext.instanceType === 'development') {\n handleHandshakeTokenVerificationErrorInDevelopment(error);\n } else {\n console.error('Clerk: unable to resolve handshake:', error);\n }\n }\n }\n /**\n * Otherwise, check for \"known unknown\" auth states that we can resolve with a handshake.\n */\n if (\n authenticateContext.instanceType === 'development' &&\n authenticateContext.clerkUrl.searchParams.has(constants.QueryParameters.DevBrowser)\n ) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.DevBrowserSync, '');\n }\n\n const isRequestEligibleForMultiDomainSync =\n authenticateContext.isSatellite && authenticateContext.secFetchDest === 'document';\n\n /**\n * Begin multi-domain sync flows\n */\n if (authenticateContext.instanceType === 'production' && isRequestEligibleForMultiDomainSync) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SatelliteCookieNeedsSyncing, '');\n }\n\n // Multi-domain development sync flow\n if (\n authenticateContext.instanceType === 'development' &&\n isRequestEligibleForMultiDomainSync &&\n !authenticateContext.clerkUrl.searchParams.has(constants.QueryParameters.ClerkSynced)\n ) {\n // initiate MD sync\n\n // signInUrl exists, checked at the top of `authenticateRequest`\n const redirectURL = new URL(authenticateContext.signInUrl!);\n redirectURL.searchParams.append(\n constants.QueryParameters.ClerkRedirectUrl,\n authenticateContext.clerkUrl.toString(),\n );\n const headers = new Headers({ [constants.Headers.Location]: redirectURL.toString() });\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SatelliteCookieNeedsSyncing, '', headers);\n }\n\n // Multi-domain development sync flow\n const redirectUrl = new URL(authenticateContext.clerkUrl).searchParams.get(\n constants.QueryParameters.ClerkRedirectUrl,\n );\n\n if (authenticateContext.instanceType === 'development' && !authenticateContext.isSatellite && redirectUrl) {\n // Dev MD sync from primary, redirect back to satellite w/ dev browser query param\n const redirectBackToSatelliteUrl = new URL(redirectUrl);\n\n if (authenticateContext.devBrowserToken) {\n redirectBackToSatelliteUrl.searchParams.append(\n constants.QueryParameters.DevBrowser,\n authenticateContext.devBrowserToken,\n );\n }\n redirectBackToSatelliteUrl.searchParams.append(constants.QueryParameters.ClerkSynced, 'true');\n\n const headers = new Headers({ [constants.Headers.Location]: redirectBackToSatelliteUrl.toString() });\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.PrimaryRespondsToSyncing, '', headers);\n }\n /**\n * End multi-domain sync flows\n */\n\n if (authenticateContext.instanceType === 'development' && !hasDevBrowserToken) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.DevBrowserMissing, '');\n }\n\n if (!hasActiveClient && !hasSessionToken) {\n return signedOut(authenticateContext, AuthErrorReason.SessionTokenAndUATMissing, '');\n }\n\n // This can eagerly run handshake since client_uat is SameSite=Strict in dev\n if (!hasActiveClient && hasSessionToken) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SessionTokenWithoutClientUAT, '');\n }\n\n if (hasActiveClient && !hasSessionToken) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.ClientUATWithoutSessionToken, '');\n }\n\n const { data: decodeResult, errors: decodedErrors } = decodeJwt(authenticateContext.sessionTokenInCookie!);\n\n if (decodedErrors) {\n return handleError(decodedErrors[0], 'cookie');\n }\n\n if (decodeResult.payload.iat < authenticateContext.clientUat) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SessionTokenIATBeforeClientUAT, '');\n }\n\n try {\n const { data, errors } = await verifyToken(authenticateContext.sessionTokenInCookie!, authenticateContext);\n if (errors) {\n throw errors[0];\n }\n const signedInRequestState = signedIn(\n authenticateContext,\n data,\n undefined,\n authenticateContext.sessionTokenInCookie!,\n );\n\n // Org sync if necessary\n const handshakeRequestState = handleMaybeOrganizationSyncHandshake(\n authenticateContext,\n signedInRequestState.toAuth(),\n );\n if (handshakeRequestState) {\n return handshakeRequestState;\n }\n\n return signedInRequestState;\n } catch (err) {\n return handleError(err, 'cookie');\n }\n\n return signedOut(authenticateContext, AuthErrorReason.UnexpectedError);\n }\n\n async function handleError(\n err: unknown,\n tokenCarrier: TokenCarrier,\n ): Promise {\n if (!(err instanceof TokenVerificationError)) {\n return signedOut(authenticateContext, AuthErrorReason.UnexpectedError);\n }\n\n let refreshError: string | null;\n\n if (isRequestEligibleForRefresh(err, authenticateContext, request)) {\n const { data, error } = await attemptRefresh(authenticateContext);\n if (data) {\n return signedIn(authenticateContext, data.jwtPayload, data.headers, data.sessionToken);\n }\n\n // If there's any error, simply fallback to the handshake flow including the reason as a query parameter.\n if (error?.cause?.reason) {\n refreshError = error.cause.reason;\n } else {\n refreshError = RefreshTokenErrorReason.UnexpectedSDKError;\n }\n } else {\n if (request.method !== 'GET') {\n refreshError = RefreshTokenErrorReason.NonEligibleNonGet;\n } else if (!authenticateContext.refreshTokenInCookie) {\n refreshError = RefreshTokenErrorReason.NonEligibleNoCookie;\n } else {\n //refresh error is not applicable if token verification error is not 'session-token-expired'\n refreshError = null;\n }\n }\n\n err.tokenCarrier = tokenCarrier;\n\n const reasonToHandshake = [\n TokenVerificationErrorReason.TokenExpired,\n TokenVerificationErrorReason.TokenNotActiveYet,\n TokenVerificationErrorReason.TokenIatInTheFuture,\n ].includes(err.reason);\n\n if (reasonToHandshake) {\n return handleMaybeHandshakeStatus(\n authenticateContext,\n convertTokenVerificationErrorReasonToAuthErrorReason({ tokenError: err.reason, refreshError }),\n err.getFullMessage(),\n );\n }\n\n return signedOut(authenticateContext, err.reason, err.getFullMessage());\n }\n\n if (authenticateContext.sessionTokenInHeader) {\n return authenticateRequestWithTokenInHeader();\n }\n\n return authenticateRequestWithTokenInCookie();\n}\n\n/**\n * @internal\n */\nexport const debugRequestState = (params: RequestState) => {\n const { isSignedIn, proxyUrl, reason, message, publishableKey, isSatellite, domain } = params;\n return { isSignedIn, proxyUrl, reason, message, publishableKey, isSatellite, domain };\n};\n\ntype OrganizationSyncTargetMatchers = {\n OrganizationMatcher: MatchFunction>> | null;\n PersonalAccountMatcher: MatchFunction>> | null;\n};\n\n/**\n * Computes regex-based matchers from the given organization sync options.\n */\nexport function computeOrganizationSyncTargetMatchers(\n options: OrganizationSyncOptions | undefined,\n): OrganizationSyncTargetMatchers {\n let personalAccountMatcher: MatchFunction>> | null = null;\n if (options?.personalAccountPatterns) {\n try {\n personalAccountMatcher = match(options.personalAccountPatterns);\n } catch (e) {\n // Likely to be encountered during development, so throwing the error is more prudent than logging\n throw new Error(`Invalid personal account pattern \"${options.personalAccountPatterns}\": \"${e}\"`);\n }\n }\n\n let organizationMatcher: MatchFunction>> | null = null;\n if (options?.organizationPatterns) {\n try {\n organizationMatcher = match(options.organizationPatterns);\n } catch (e) {\n // Likely to be encountered during development, so throwing the error is more prudent than logging\n throw new Error(`Clerk: Invalid organization pattern \"${options.organizationPatterns}\": \"${e}\"`);\n }\n }\n\n return {\n OrganizationMatcher: organizationMatcher,\n PersonalAccountMatcher: personalAccountMatcher,\n };\n}\n\n/**\n * Determines if the given URL and settings indicate a desire to activate a specific\n * organization or personal account.\n *\n * @param url - The URL of the original request.\n * @param options - The organization sync options.\n * @param matchers - The matchers for the organization and personal account patterns, as generated by `computeOrganizationSyncTargetMatchers`.\n */\nexport function getOrganizationSyncTarget(\n url: URL,\n options: OrganizationSyncOptions | undefined,\n matchers: OrganizationSyncTargetMatchers,\n): OrganizationSyncTarget | null {\n if (!options) {\n return null;\n }\n\n // Check for organization activation\n if (matchers.OrganizationMatcher) {\n let orgResult: Match>>;\n try {\n orgResult = matchers.OrganizationMatcher(url.pathname);\n } catch (e) {\n // Intentionally not logging the path to avoid potentially leaking anything sensitive\n console.error(`Clerk: Failed to apply organization pattern \"${options.organizationPatterns}\" to a path`, e);\n return null;\n }\n\n if (orgResult && 'params' in orgResult) {\n const params = orgResult.params;\n\n if ('id' in params && typeof params.id === 'string') {\n return { type: 'organization', organizationId: params.id };\n }\n if ('slug' in params && typeof params.slug === 'string') {\n return { type: 'organization', organizationSlug: params.slug };\n }\n console.warn(\n 'Clerk: Detected an organization pattern match, but no organization ID or slug was found in the URL. Does the pattern include `:id` or `:slug`?',\n );\n }\n }\n\n // Check for personal account activation\n if (matchers.PersonalAccountMatcher) {\n let personalResult: Match>>;\n try {\n personalResult = matchers.PersonalAccountMatcher(url.pathname);\n } catch (e) {\n // Intentionally not logging the path to avoid potentially leaking anything sensitive\n console.error(`Failed to apply personal account pattern \"${options.personalAccountPatterns}\" to a path`, e);\n return null;\n }\n\n if (personalResult) {\n return { type: 'personalAccount' };\n }\n }\n return null;\n}\n\n/**\n * Represents an organization or a personal account - e.g. an\n * entity that can be activated by the handshake API.\n */\nexport type OrganizationSyncTarget =\n | { type: 'personalAccount' }\n | { type: 'organization'; organizationId?: string; organizationSlug?: string };\n\n/**\n * Generates the query parameters to activate an organization or personal account\n * via the FAPI handshake api.\n */\nfunction getOrganizationSyncQueryParams(toActivate: OrganizationSyncTarget): Map {\n const ret = new Map();\n if (toActivate.type === 'personalAccount') {\n ret.set('organization_id', '');\n }\n if (toActivate.type === 'organization') {\n if (toActivate.organizationId) {\n ret.set('organization_id', toActivate.organizationId);\n }\n if (toActivate.organizationSlug) {\n ret.set('organization_id', toActivate.organizationSlug);\n }\n }\n return ret;\n}\n\nconst convertTokenVerificationErrorReasonToAuthErrorReason = ({\n tokenError,\n refreshError,\n}: {\n tokenError: TokenVerificationErrorReason;\n refreshError: string | null;\n}): string => {\n switch (tokenError) {\n case TokenVerificationErrorReason.TokenExpired:\n return `${AuthErrorReason.SessionTokenExpired}-refresh-${refreshError}`;\n case TokenVerificationErrorReason.TokenNotActiveYet:\n return AuthErrorReason.SessionTokenNBF;\n case TokenVerificationErrorReason.TokenIatInTheFuture:\n return AuthErrorReason.SessionTokenIatInTheFuture;\n default:\n return AuthErrorReason.UnexpectedError;\n }\n};\n","import type { Jwt } from '@clerk/types';\n\nimport { constants } from '../constants';\nimport { decodeJwt } from '../jwt/verifyJwt';\nimport { runtime } from '../runtime';\nimport { assertValidPublishableKey } from '../util/optionsAssertions';\nimport { getCookieSuffix, getSuffixedCookieName, parsePublishableKey } from '../util/shared';\nimport type { ClerkRequest } from './clerkRequest';\nimport type { AuthenticateRequestOptions } from './types';\n\ninterface AuthenticateContext extends AuthenticateRequestOptions {\n // header-based values\n sessionTokenInHeader: string | undefined;\n origin: string | undefined;\n host: string | undefined;\n forwardedHost: string | undefined;\n forwardedProto: string | undefined;\n referrer: string | undefined;\n userAgent: string | undefined;\n secFetchDest: string | undefined;\n accept: string | undefined;\n // cookie-based values\n sessionTokenInCookie: string | undefined;\n refreshTokenInCookie: string | undefined;\n clientUat: number;\n // handshake-related values\n devBrowserToken: string | undefined;\n handshakeToken: string | undefined;\n handshakeRedirectLoopCounter: number;\n // url derived from headers\n clerkUrl: URL;\n // enforce existence of the following props\n publishableKey: string;\n instanceType: string;\n frontendApi: string;\n}\n\n/**\n * All data required to authenticate a request.\n * This is the data we use to decide whether a request\n * is in a signed in or signed out state or if we need\n * to perform a handshake.\n */\nclass AuthenticateContext implements AuthenticateContext {\n /**\n * Retrieves the session token from either the cookie or the header.\n *\n * @returns {string | undefined} The session token if available, otherwise undefined.\n */\n public get sessionToken(): string | undefined {\n return this.sessionTokenInCookie || this.sessionTokenInHeader;\n }\n\n public constructor(\n private cookieSuffix: string,\n private clerkRequest: ClerkRequest,\n options: AuthenticateRequestOptions,\n ) {\n // Even though the options are assigned to this later in this function\n // we set the publishableKey here because it is being used in cookies/headers/handshake-values\n // as part of getMultipleAppsCookie\n this.initPublishableKeyValues(options);\n this.initHeaderValues();\n // initCookieValues should be used before initHandshakeValues because it depends on suffixedCookies\n this.initCookieValues();\n this.initHandshakeValues();\n Object.assign(this, options);\n this.clerkUrl = this.clerkRequest.clerkUrl;\n }\n\n public usesSuffixedCookies(): boolean {\n const suffixedClientUat = this.getSuffixedCookie(constants.Cookies.ClientUat);\n const clientUat = this.getCookie(constants.Cookies.ClientUat);\n const suffixedSession = this.getSuffixedCookie(constants.Cookies.Session) || '';\n const session = this.getCookie(constants.Cookies.Session) || '';\n\n // In the case of malformed session cookies (eg missing the iss claim), we should\n // use the un-suffixed cookies to return signed-out state instead of triggering\n // handshake\n if (session && !this.tokenHasIssuer(session)) {\n return false;\n }\n\n // If there's a token in un-suffixed, and it doesn't belong to this\n // instance, then we must trust suffixed\n if (session && !this.tokenBelongsToInstance(session)) {\n return true;\n }\n\n // If there are no suffixed cookies use un-suffixed\n if (!suffixedClientUat && !suffixedSession) {\n return false;\n }\n\n const { data: sessionData } = decodeJwt(session);\n const sessionIat = sessionData?.payload.iat || 0;\n const { data: suffixedSessionData } = decodeJwt(suffixedSession);\n const suffixedSessionIat = suffixedSessionData?.payload.iat || 0;\n\n // Both indicate signed in, but un-suffixed is newer\n // Trust un-suffixed because it's newer\n if (suffixedClientUat !== '0' && clientUat !== '0' && sessionIat > suffixedSessionIat) {\n return false;\n }\n\n // Suffixed indicates signed out, but un-suffixed indicates signed in\n // Trust un-suffixed because it gets set with both new and old clerk.js,\n // so we can assume it's newer\n if (suffixedClientUat === '0' && clientUat !== '0') {\n return false;\n }\n\n // Suffixed indicates signed in, un-suffixed indicates signed out\n // This is the tricky one\n\n // In production, suffixed_uat should be set reliably, since it's\n // set by FAPI and not clerk.js. So in the scenario where a developer\n // downgrades, the state will look like this:\n // - un-suffixed session cookie: empty\n // - un-suffixed uat: 0\n // - suffixed session cookie: (possibly filled, possibly empty)\n // - suffixed uat: 0\n\n // Our SDK honors client_uat over the session cookie, so we don't\n // need a special case for production. We can rely on suffixed,\n // and the fact that the suffixed uat is set properly means and\n // suffixed session cookie will be ignored.\n\n // The important thing to make sure we have a test that confirms\n // the user ends up as signed out in this scenario, and the suffixed\n // session cookie is ignored\n\n // In development, suffixed_uat is not set reliably, since it's done\n // by clerk.js. If the developer downgrades to a pinned version of\n // clerk.js, the suffixed uat will no longer be updated\n\n // The best we can do is look to see if the suffixed token is expired.\n // This means that, if a developer downgrades, and then immediately\n // signs out, all in the span of 1 minute, then they will inadvertently\n // remain signed in for the rest of that minute. This is a known\n // limitation of the strategy but seems highly unlikely.\n if (this.instanceType !== 'production') {\n const isSuffixedSessionExpired = this.sessionExpired(suffixedSessionData);\n if (suffixedClientUat !== '0' && clientUat === '0' && isSuffixedSessionExpired) {\n return false;\n }\n }\n\n // If a suffixed session cookie exists but the corresponding client_uat cookie is missing, fallback to using\n // unsuffixed cookies.\n // This handles the scenario where an app has been deployed using an SDK version that supports suffixed\n // cookies, but FAPI for its Clerk instance has the feature disabled (eg: if we need to temporarily disable the feature).\n if (!suffixedClientUat && suffixedSession) {\n return false;\n }\n\n return true;\n }\n\n private initPublishableKeyValues(options: AuthenticateRequestOptions) {\n assertValidPublishableKey(options.publishableKey);\n this.publishableKey = options.publishableKey;\n\n const pk = parsePublishableKey(this.publishableKey, {\n fatal: true,\n proxyUrl: options.proxyUrl,\n domain: options.domain,\n });\n this.instanceType = pk.instanceType;\n this.frontendApi = pk.frontendApi;\n }\n\n private initHeaderValues() {\n this.sessionTokenInHeader = this.stripAuthorizationHeader(this.getHeader(constants.Headers.Authorization));\n this.origin = this.getHeader(constants.Headers.Origin);\n this.host = this.getHeader(constants.Headers.Host);\n this.forwardedHost = this.getHeader(constants.Headers.ForwardedHost);\n this.forwardedProto =\n this.getHeader(constants.Headers.CloudFrontForwardedProto) || this.getHeader(constants.Headers.ForwardedProto);\n this.referrer = this.getHeader(constants.Headers.Referrer);\n this.userAgent = this.getHeader(constants.Headers.UserAgent);\n this.secFetchDest = this.getHeader(constants.Headers.SecFetchDest);\n this.accept = this.getHeader(constants.Headers.Accept);\n }\n\n private initCookieValues() {\n // suffixedCookies needs to be set first because it's used in getMultipleAppsCookie\n this.sessionTokenInCookie = this.getSuffixedOrUnSuffixedCookie(constants.Cookies.Session);\n this.refreshTokenInCookie = this.getSuffixedCookie(constants.Cookies.Refresh);\n this.clientUat = Number.parseInt(this.getSuffixedOrUnSuffixedCookie(constants.Cookies.ClientUat) || '') || 0;\n }\n\n private initHandshakeValues() {\n this.devBrowserToken =\n this.getQueryParam(constants.QueryParameters.DevBrowser) ||\n this.getSuffixedOrUnSuffixedCookie(constants.Cookies.DevBrowser);\n // Using getCookie since we don't suffix the handshake token cookie\n this.handshakeToken =\n this.getQueryParam(constants.QueryParameters.Handshake) || this.getCookie(constants.Cookies.Handshake);\n this.handshakeRedirectLoopCounter = Number(this.getCookie(constants.Cookies.RedirectCount)) || 0;\n }\n\n private stripAuthorizationHeader(authValue: string | undefined | null): string | undefined {\n return authValue?.replace('Bearer ', '');\n }\n\n private getQueryParam(name: string) {\n return this.clerkRequest.clerkUrl.searchParams.get(name);\n }\n\n private getHeader(name: string) {\n return this.clerkRequest.headers.get(name) || undefined;\n }\n\n private getCookie(name: string) {\n return this.clerkRequest.cookies.get(name) || undefined;\n }\n\n private getSuffixedCookie(name: string) {\n return this.getCookie(getSuffixedCookieName(name, this.cookieSuffix)) || undefined;\n }\n\n private getSuffixedOrUnSuffixedCookie(cookieName: string) {\n if (this.usesSuffixedCookies()) {\n return this.getSuffixedCookie(cookieName);\n }\n return this.getCookie(cookieName);\n }\n\n private tokenHasIssuer(token: string): boolean {\n const { data, errors } = decodeJwt(token);\n if (errors) {\n return false;\n }\n return !!data.payload.iss;\n }\n\n private tokenBelongsToInstance(token: string): boolean {\n if (!token) {\n return false;\n }\n\n const { data, errors } = decodeJwt(token);\n if (errors) {\n return false;\n }\n const tokenIssuer = data.payload.iss.replace(/https?:\\/\\//gi, '');\n return this.frontendApi === tokenIssuer;\n }\n\n private sessionExpired(jwt: Jwt | undefined): boolean {\n return !!jwt && jwt?.payload.exp <= (Date.now() / 1000) >> 0;\n }\n}\n\nexport type { AuthenticateContext };\n\nexport const createAuthenticateContext = async (\n clerkRequest: ClerkRequest,\n options: AuthenticateRequestOptions,\n): Promise => {\n const cookieSuffix = options.publishableKey\n ? await getCookieSuffix(options.publishableKey, runtime.crypto.subtle)\n : '';\n return new AuthenticateContext(cookieSuffix, clerkRequest, options);\n};\n","export const getCookieName = (cookieDirective: string): string => {\n return cookieDirective.split(';')[0]?.split('=')[0];\n};\n\nexport const getCookieValue = (cookieDirective: string): string => {\n return cookieDirective.split(';')[0]?.split('=')[1];\n};\n","import { TokenVerificationError, TokenVerificationErrorAction, TokenVerificationErrorReason } from '../errors';\nimport type { VerifyJwtOptions } from '../jwt';\nimport { assertHeaderAlgorithm, assertHeaderType } from '../jwt/assertions';\nimport { decodeJwt, hasValidSignature } from '../jwt/verifyJwt';\nimport { loadClerkJWKFromLocal, loadClerkJWKFromRemote } from './keys';\nimport type { VerifyTokenOptions } from './verify';\n\nasync function verifyHandshakeJwt(token: string, { key }: VerifyJwtOptions): Promise<{ handshake: string[] }> {\n const { data: decoded, errors } = decodeJwt(token);\n if (errors) {\n throw errors[0];\n }\n\n const { header, payload } = decoded;\n\n // Header verifications\n const { typ, alg } = header;\n\n assertHeaderType(typ);\n assertHeaderAlgorithm(alg);\n\n const { data: signatureValid, errors: signatureErrors } = await hasValidSignature(decoded, key);\n if (signatureErrors) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Error verifying handshake token. ${signatureErrors[0]}`,\n });\n }\n\n if (!signatureValid) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalidSignature,\n message: 'Handshake signature is invalid.',\n });\n }\n\n return payload as unknown as { handshake: string[] };\n}\n\n/**\n * Similar to our verifyToken flow for Clerk-issued JWTs, but this verification flow is for our signed handshake payload.\n * The handshake payload requires fewer verification steps.\n */\nexport async function verifyHandshakeToken(\n token: string,\n options: VerifyTokenOptions,\n): Promise<{ handshake: string[] }> {\n const { secretKey, apiUrl, apiVersion, jwksCacheTtlInMs, jwtKey, skipJwksCache } = options;\n\n const { data, errors } = decodeJwt(token);\n if (errors) {\n throw errors[0];\n }\n\n const { kid } = data.header;\n\n let key;\n\n if (jwtKey) {\n key = loadClerkJWKFromLocal(jwtKey);\n } else if (secretKey) {\n // Fetch JWKS from Backend API using the key\n key = await loadClerkJWKFromRemote({ secretKey, apiUrl, apiVersion, kid, jwksCacheTtlInMs, skipJwksCache });\n } else {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.SetClerkJWTKey,\n message: 'Failed to resolve JWK during handshake verification.',\n reason: TokenVerificationErrorReason.JWKFailedToResolve,\n });\n }\n\n return await verifyHandshakeJwt(token, {\n key,\n });\n}\n","export function mergePreDefinedOptions>(preDefinedOptions: T, options: Partial): T {\n return Object.keys(preDefinedOptions).reduce(\n (obj: T, key: string) => {\n return { ...obj, [key]: options[key] || obj[key] };\n },\n { ...preDefinedOptions },\n );\n}\n","import type { ApiClient } from '../api';\nimport { mergePreDefinedOptions } from '../util/mergePreDefinedOptions';\nimport { authenticateRequest as authenticateRequestOriginal, debugRequestState } from './request';\nimport type { AuthenticateRequestOptions } from './types';\n\ntype RunTimeOptions = Omit;\ntype BuildTimeOptions = Partial<\n Pick<\n AuthenticateRequestOptions,\n | 'apiUrl'\n | 'apiVersion'\n | 'audience'\n | 'domain'\n | 'isSatellite'\n | 'jwtKey'\n | 'proxyUrl'\n | 'publishableKey'\n | 'secretKey'\n >\n>;\n\nconst defaultOptions = {\n secretKey: '',\n jwtKey: '',\n apiUrl: undefined,\n apiVersion: undefined,\n proxyUrl: '',\n publishableKey: '',\n isSatellite: false,\n domain: '',\n audience: '',\n} satisfies BuildTimeOptions;\n\n/**\n * @internal\n */\nexport type CreateAuthenticateRequestOptions = {\n options: BuildTimeOptions;\n apiClient: ApiClient;\n};\n\n/**\n * @internal\n */\nexport function createAuthenticateRequest(params: CreateAuthenticateRequestOptions) {\n const buildTimeOptions = mergePreDefinedOptions(defaultOptions, params.options);\n const apiClient = params.apiClient;\n\n const authenticateRequest = (request: Request, options: RunTimeOptions = {}) => {\n const { apiUrl, apiVersion } = buildTimeOptions;\n const runTimeOptions = mergePreDefinedOptions(buildTimeOptions, options);\n return authenticateRequestOriginal(request, {\n ...options,\n ...runTimeOptions,\n // We should add all the omitted props from options here (eg apiUrl / apiVersion)\n // to avoid runtime options override them.\n apiUrl,\n apiVersion,\n apiClient,\n });\n };\n\n return {\n authenticateRequest,\n debugRequestState,\n };\n}\n"],"mappings":";;;;;;;;;;;;;;;;AAAO,IAAM,UAAU;AAChB,IAAM,cAAc;AAEpB,IAAM,aAAa,GAAG,gBAAY,IAAI,QAAe;AACrD,IAAM,oCAAoC,IAAI;AAC9C,IAAM,yBAAyB;AAEtC,IAAM,aAAa;AAAA,EACjB,WAAW;AAAA,EACX,eAAe;AAAA,EACf,YAAY;AAAA,EACZ,YAAY;AAAA,EACZ,aAAa;AAAA,EACb,UAAU;AACZ;AAEA,IAAM,UAAU;AAAA,EACd,SAAS;AAAA,EACT,SAAS;AAAA,EACT,WAAW;AAAA,EACX,WAAW;AAAA,EACX,YAAY;AAAA,EACZ,eAAe;AACjB;AAEA,IAAM,kBAAkB;AAAA,EACtB,aAAa;AAAA,EACb,iBAAiB;AAAA,EACjB,kBAAkB;AAAA;AAAA,EAElB,YAAY,QAAQ;AAAA,EACpB,WAAW,QAAQ;AAAA,EACnB,eAAe;AAAA,EACf,kBAAkB;AAAA,EAClB,iBAAiB;AACnB;AAEA,IAAMA,WAAU;AAAA,EACd,WAAW;AAAA,EACX,eAAe;AAAA,EACf,YAAY;AAAA,EACZ,YAAY;AAAA,EACZ,aAAa;AAAA,EACb,UAAU;AAAA,EACV,aAAa;AAAA,EACb,kBAAkB;AAAA,EAClB,iBAAiB;AAAA,EACjB,0BAA0B;AAAA,EAC1B,eAAe;AAAA,EACf,eAAe;AAAA,EACf,gBAAgB;AAAA,EAChB,eAAe;AAAA,EACf,QAAQ;AAAA,EACR,UAAU;AAAA,EACV,WAAW;AAAA,EACX,QAAQ;AAAA,EACR,MAAM;AAAA,EACN,aAAa;AAAA,EACb,cAAc;AAAA,EACd,UAAU;AAAA,EACV,cAAc;AAChB;AAEA,IAAM,eAAe;AAAA,EACnB,MAAM;AACR;AAKO,IAAM,YAAY;AAAA,EACvB;AAAA,EACA;AAAA,EACA,SAAAA;AAAA,EACA;AAAA,EACA;AACF;;;AC5EA,IAAM,YAAY;AAClB,IAAM,2BAA2B,IAAI,OAAO,WAAW,YAAY,QAAQ,GAAG;AAIvE,SAAS,aAAa,MAA4B;AACvD,SAAO,KACJ,OAAO,OAAK,CAAC,EACb,KAAK,SAAS,EACd,QAAQ,0BAA0B,SAAS;AAChD;;;ACRO,IAAe,cAAf,MAA2B;AAAA,EAChC,YAAsB,SAA0B;AAA1B;AAAA,EAA2B;AAAA,EAEvC,UAAU,IAAY;AAC9B,QAAI,CAAC,IAAI;AACP,YAAM,IAAI,MAAM,kCAAkC;AAAA,IACpD;AAAA,EACF;AACF;;;ACNA,IAAM,WAAW;AAEV,IAAM,4BAAN,cAAwC,YAAY;AAAA,EACzD,MAAa,+BAA+B;AAC1C,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM;AAAA,IACR,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,2CAA2C;AACtD,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAU,UAAU,UAAU;AAAA,IACtC,CAAC;AAAA,EACH;AACF;;;ACfA,IAAMC,YAAW;AAOV,IAAM,yBAAN,cAAqC,YAAY;AAAA,EACtD,MAAa,6BAA6B;AACxC,WAAO,KAAK,QAA0D;AAAA,MACpE,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa,EAAE,WAAW,KAAK;AAAA,IACjC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,0BAA0B,QAAyC;AAC9E,WAAO,KAAK,QAA6B;AAAA,MACvC,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,0BAA0B,uBAA+B;AACpE,SAAK,UAAU,qBAAqB;AACpC,WAAO,KAAK,QAA6B;AAAA,MACvC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,qBAAqB;AAAA,IACjD,CAAC;AAAA,EACH;AACF;;;AC7BA,IAAMC,YAAW;AAEV,IAAM,YAAN,cAAwB,YAAY;AAAA,EACzC,MAAa,cAAc,SAAiC,CAAC,GAAG;AAC9D,WAAO,KAAK,QAA6C;AAAA,MACvD,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa,EAAE,GAAG,QAAQ,WAAW,KAAK;AAAA,IAC5C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,UAAU,UAAkB;AACvC,SAAK,UAAU,QAAQ;AACvB,WAAO,KAAK,QAAgB;AAAA,MAC1B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,QAAQ;AAAA,IACpC,CAAC;AAAA,EACH;AAAA,EAEO,aAAa,OAAe;AACjC,WAAO,KAAK,QAAgB;AAAA,MAC1B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,QAAQ;AAAA,MAClC,YAAY,EAAE,MAAM;AAAA,IACtB,CAAC;AAAA,EACH;AACF;;;AC7BA,IAAMC,YAAW;AAEV,IAAM,YAAN,cAAwB,YAAY;AAAA,EACzC,MAAa,aAAa,IAAY;AACpC,WAAO,KAAK,QAAuB;AAAA,MACjC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,EAAE;AAAA,IAC9B,CAAC;AAAA,EACH;AACF;;;ACTA,IAAMC,YAAW;AAcV,IAAM,kBAAN,cAA8B,YAAY;AAAA,EAC/C,MAAa,gBAAgB,gBAAwB;AACnD,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc;AAAA,IAC1C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,QAAkC;AAChE,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,gBAAwB,SAAmC,CAAC,GAAG;AAC7F,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc;AAAA,MACxC,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,gBAAwB;AACtD,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAuB;AAAA,MACjC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc;AAAA,IAC1C,CAAC;AAAA,EACH;AACF;;;AC/CA,IAAMC,YAAW;AAqCV,IAAM,gBAAN,cAA4B,YAAY;AAAA,EAC7C,MAAa,kBAAkB,SAAkC,CAAC,GAAG;AACnE,WAAO,KAAK,QAAiD;AAAA,MAC3D,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa,EAAE,GAAG,QAAQ,WAAW,KAAK;AAAA,IAC5C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,iBAAiB,QAAsB;AAClD,WAAO,KAAK,QAAoB;AAAA,MAC9B,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,iBAAiB,cAAsB;AAClD,SAAK,UAAU,YAAY;AAC3B,WAAO,KAAK,QAAoB;AAAA,MAC9B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc,QAAQ;AAAA,IAClD,CAAC;AAAA,EACH;AACF;;;ACpDA,IAAMC,YAAW;AA8GV,IAAM,kBAAN,cAA8B,YAAY;AAAA,EAC/C,MAAa,oBAAoB,QAAoC;AACnE,WAAO,KAAK,QAAmD;AAAA,MAC7D,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa;AAAA,IACf,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,QAAsB;AACpD,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,gBAAgB,QAA+B;AAC1D,UAAM,EAAE,oBAAoB,IAAI;AAChC,UAAM,uBAAuB,oBAAoB,SAAS,OAAO,iBAAiB,OAAO;AACzF,SAAK,UAAU,oBAAoB;AAEnC,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,oBAAoB;AAAA,MAC9C,aAAa;AAAA,QACX;AAAA,MACF;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,gBAAwB,QAAsB;AAC5E,SAAK,UAAU,cAAc;AAC7B,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc;AAAA,MACxC,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,uBAAuB,gBAAwB,QAA0B;AACpF,SAAK,UAAU,cAAc;AAE7B,UAAM,WAAW,IAAI,QAAQ,SAAS;AACtC,aAAS,OAAO,QAAQ,QAAQ,IAAI;AACpC,QAAI,QAAQ,gBAAgB;AAC1B,eAAS,OAAO,oBAAoB,QAAQ,cAAc;AAAA,IAC5D;AAEA,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,MAAM;AAAA,MAChD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,uBAAuB,gBAAwB;AAC1D,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,MAAM;AAAA,IAClD,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,2BAA2B,gBAAwB,QAA8B;AAC5F,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,UAAU;AAAA,MACpD,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,gBAAwB;AACtD,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc;AAAA,IAC1C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,8BAA8B,QAA6C;AACtF,UAAM,EAAE,gBAAgB,GAAG,YAAY,IAAI;AAC3C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAA6D;AAAA,MACvE,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,aAAa;AAAA,MACvD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,6BAA6B,QAA4C;AACpF,UAAM,EAAE,gBAAgB,GAAG,WAAW,IAAI;AAC1C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,aAAa;AAAA,MACvD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,6BAA6B,QAA4C;AACpF,UAAM,EAAE,gBAAgB,QAAQ,GAAG,WAAW,IAAI;AAClD,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,eAAe,MAAM;AAAA,MAC/D;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,qCAAqC,QAAoD;AACpG,UAAM,EAAE,gBAAgB,QAAQ,GAAG,WAAW,IAAI;AAElD,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,eAAe,QAAQ,UAAU;AAAA,MAC3E;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,6BAA6B,QAA4C;AACpF,UAAM,EAAE,gBAAgB,OAAO,IAAI;AACnC,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,eAAe,MAAM;AAAA,IACjE,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,8BAA8B,QAA6C;AACtF,UAAM,EAAE,gBAAgB,GAAG,YAAY,IAAI;AAC3C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAA6D;AAAA,MACvE,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,aAAa;AAAA,MACvD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,6BAA6B,QAA4C;AACpF,UAAM,EAAE,gBAAgB,GAAG,WAAW,IAAI;AAC1C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,aAAa;AAAA,MACvD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,0BAA0B,QAAyC;AAC9E,UAAM,EAAE,gBAAgB,aAAa,IAAI;AACzC,SAAK,UAAU,cAAc;AAC7B,SAAK,UAAU,YAAY;AAE3B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,eAAe,YAAY;AAAA,IACvE,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,6BAA6B,QAA4C;AACpF,UAAM,EAAE,gBAAgB,cAAc,GAAG,WAAW,IAAI;AACxD,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,eAAe,cAAc,QAAQ;AAAA,MAC/E;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,0BAA0B,QAAyC;AAC9E,UAAM,EAAE,gBAAgB,GAAG,YAAY,IAAI;AAC3C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAyD;AAAA,MACnE,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,SAAS;AAAA,MACnD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,yBAAyB,QAAwC;AAC5E,UAAM,EAAE,gBAAgB,GAAG,WAAW,IAAI;AAC1C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAA4B;AAAA,MACtC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,SAAS;AAAA,MACnD,YAAY;AAAA,QACV,GAAG;AAAA,QACH,UAAU,WAAW,YAAY;AAAA,MACnC;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,yBAAyB,QAAwC;AAC5E,UAAM,EAAE,gBAAgB,UAAU,GAAG,WAAW,IAAI;AACpD,SAAK,UAAU,cAAc;AAC7B,SAAK,UAAU,QAAQ;AAEvB,WAAO,KAAK,QAA4B;AAAA,MACtC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,WAAW,QAAQ;AAAA,MAC7D;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,yBAAyB,QAAwC;AAC5E,UAAM,EAAE,gBAAgB,SAAS,IAAI;AACrC,SAAK,UAAU,cAAc;AAC7B,SAAK,UAAU,QAAQ;AAEvB,WAAO,KAAK,QAA4B;AAAA,MACtC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,WAAW,QAAQ;AAAA,IAC/D,CAAC;AAAA,EACH;AACF;;;AC5VA,IAAMC,YAAW;AAgBV,IAAM,iBAAN,cAA6B,YAAY;AAAA,EAC9C,MAAa,eAAe,eAAuB;AACjD,SAAK,UAAU,aAAa;AAE5B,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,aAAa;AAAA,IACzC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,QAAiC;AAC9D,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,eAAuB,SAAkC,CAAC,GAAG;AAC1F,SAAK,UAAU,aAAa;AAE5B,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,aAAa;AAAA,MACvC,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,eAAuB;AACpD,SAAK,UAAU,aAAa;AAE5B,WAAO,KAAK,QAAuB;AAAA,MACjC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,aAAa;AAAA,IACzC,CAAC;AAAA,EACH;AACF;;;ACnDA,IAAMC,YAAW;AAMV,IAAM,iBAAN,cAA6B,YAAY;AAAA,EAC9C,MAAa,qBAAqB;AAChC,WAAO,KAAK,QAAkD;AAAA,MAC5D,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa,EAAE,WAAW,KAAK;AAAA,IACjC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,eAAe,eAAuB;AACjD,SAAK,UAAU,aAAa;AAC5B,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,aAAa;AAAA,IACzC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,QAAiC;AAC9D,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,eAAuB;AACpD,SAAK,UAAU,aAAa;AAC5B,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,aAAa;AAAA,IACzC,CAAC;AAAA,EACH;AACF;;;AClCA,IAAMC,aAAW;AAkBV,IAAM,aAAN,cAAyB,YAAY;AAAA,EAC1C,MAAa,eAAe,SAA4B,CAAC,GAAG;AAC1D,WAAO,KAAK,QAA8C;AAAA,MACxD,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa,EAAE,GAAG,QAAQ,WAAW,KAAK;AAAA,IAC5C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,WAAmB;AACzC,SAAK,UAAU,SAAS;AACxB,WAAO,KAAK,QAAiB;AAAA,MAC3B,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,SAAS;AAAA,IACrC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,cAAc,WAAmB;AAC5C,SAAK,UAAU,SAAS;AACxB,WAAO,KAAK,QAAiB;AAAA,MAC3B,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,WAAW,QAAQ;AAAA,IAC/C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,cAAc,WAAmB,OAAe;AAC3D,SAAK,UAAU,SAAS;AACxB,WAAO,KAAK,QAAiB;AAAA,MAC3B,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,WAAW,QAAQ;AAAA,MAC7C,YAAY,EAAE,MAAM;AAAA,IACtB,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,SAAS,WAAmB,UAAkB;AACzD,SAAK,UAAU,SAAS;AACxB,WAAO,KAAK,QAAe;AAAA,MACzB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,WAAW,UAAU,YAAY,EAAE;AAAA,IAC/D,CAAC;AAAA,EACH;AAAA,EAKA,MAAa,eAAe,WAAmB,QAAsD;AACnG,SAAK,UAAU,SAAS;AACxB,UAAM,EAAE,kBAAkB,GAAG,WAAW,IAAI;AAC5C,WAAO,KAAK,QAAQ;AAAA,MAClB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,WAAW,SAAS;AAAA,MAC9C,YAAY;AAAA,MACZ,aAAa,EAAE,iBAAiB;AAAA,IAClC,CAAC;AAAA,EACH;AACF;;;ACzEA,IAAMC,aAAW;AAEV,IAAM,iBAAN,cAA6B,YAAY;AAAA,EAC9C,MAAa,kBAAkB,QAAkC;AAC/D,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,eAAuB;AACpD,SAAK,UAAU,aAAa;AAC5B,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,eAAe,QAAQ;AAAA,IACnD,CAAC;AAAA,EACH;AACF;;;AC3BA,SAAS,gBAAgB,cAAc,mCAAmC;AAC1E,SAAS,aAAa;AACtB;AAAA,EACE;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,OACK;AACP,SAAS,YAAY,0BAA0B;AAE/C,SAAS,yBAAyB;AAClC,SAAS,kCAAkC;AAEpC,IAAM,eAAe,kBAAkB,EAAE,aAAa,iBAAiB,CAAC;AAExE,IAAM,EAAE,kBAAkB,IAAI,2BAA2B;;;ACNhE,IAAMC,aAAW;AAgHV,IAAM,UAAN,cAAsB,YAAY;AAAA,EACvC,MAAa,YAAY,SAAyB,CAAC,GAAG;AACpD,UAAM,EAAE,OAAO,QAAQ,SAAS,GAAG,gBAAgB,IAAI;AAIvD,UAAM,CAAC,MAAM,UAAU,IAAI,MAAM,QAAQ,IAAI;AAAA,MAC3C,KAAK,QAAgB;AAAA,QACnB,QAAQ;AAAA,QACR,MAAMA;AAAA,QACN,aAAa;AAAA,MACf,CAAC;AAAA,MACD,KAAK,SAAS,eAAe;AAAA,IAC/B,CAAC;AACD,WAAO,EAAE,MAAM,WAAW;AAAA,EAC5B;AAAA,EAEA,MAAa,QAAQ,QAAgB;AACnC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,MAAM;AAAA,IAClC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,QAA0B;AAChD,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,QAAgB,SAA2B,CAAC,GAAG;AACrE,SAAK,UAAU,MAAM;AAErB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,MAAM;AAAA,MAChC,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,uBAAuB,QAAgB,QAA+B;AACjF,SAAK,UAAU,MAAM;AAErB,UAAM,WAAW,IAAI,QAAQ,SAAS;AACtC,aAAS,OAAO,QAAQ,QAAQ,IAAI;AAEpC,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,eAAe;AAAA,MACjD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,QAAgB,QAA4B;AAC1E,SAAK,UAAU,MAAM;AAErB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,UAAU;AAAA,MAC5C,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,QAAgB;AACtC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,MAAM;AAAA,IAClC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,SAAS,SAA0B,CAAC,GAAG;AAClD,WAAO,KAAK,QAAgB;AAAA,MAC1B,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,OAAO;AAAA,MACjC,aAAa;AAAA,IACf,CAAC;AAAA,EACH;AAAA,EAWA,MAAa,wBAAwB,QAAgB,UAAoD;AACvG,SAAK,UAAU,MAAM;AACrB,UAAM,YAAY,SAAS,WAAW,QAAQ;AAC9C,UAAM,YAAY,YAAY,WAAW,SAAS,QAAQ;AAE1D,QAAI,WAAW;AACb;AAAA,QACE;AAAA,QACA;AAAA,MACF;AAAA,IACF;AAEA,WAAO,KAAK,QAAuD;AAAA,MACjE,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,uBAAuB,SAAS;AAAA,MAClE,aAAa,EAAE,WAAW,KAAK;AAAA,IACjC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,eAAe,QAAgB;AAC1C,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,KAAK;AAAA,IACzC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,8BAA8B,QAA6C;AACtF,UAAM,EAAE,QAAQ,OAAO,OAAO,IAAI;AAClC,SAAK,UAAU,MAAM;AAErB,WAAO,KAAK,QAA6D;AAAA,MACvE,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,0BAA0B;AAAA,MAC5D,aAAa,EAAE,OAAO,OAAO;AAAA,IAC/B,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,eAAe,QAA8B;AACxD,UAAM,EAAE,QAAQ,SAAS,IAAI;AAC7B,SAAK,UAAU,MAAM;AAErB,WAAO,KAAK,QAA4B;AAAA,MACtC,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,iBAAiB;AAAA,MACnD,YAAY,EAAE,SAAS;AAAA,IACzB,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,QAA0B;AAChD,UAAM,EAAE,QAAQ,KAAK,IAAI;AACzB,SAAK,UAAU,MAAM;AAErB,WAAO,KAAK,QAA+C;AAAA,MACzD,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,aAAa;AAAA,MAC/C,YAAY,EAAE,KAAK;AAAA,IACrB,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,QAAQ,QAAgB;AACnC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,KAAK;AAAA,IACzC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,UAAU,QAAgB;AACrC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,OAAO;AAAA,IAC3C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,SAAS,QAAgB;AACpC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,MAAM;AAAA,IAC1C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,QAAgB;AACtC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,QAAQ;AAAA,IAC5C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,uBAAuB,QAAgB;AAClD,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,eAAe;AAAA,IACnD,CAAC;AAAA,EACH;AACF;;;AClTA,IAAMC,aAAW;AA8CV,IAAM,oBAAN,cAAgC,YAAY;AAAA,EACjD,MAAa,sBAAsB,SAAmC,CAAC,GAAG;AACxE,WAAO,KAAK,QAA0B;AAAA,MACpC,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa;AAAA,IACf,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,qBAAqB,QAAoC;AACpE,WAAO,KAAK,QAAwB;AAAA,MAClC,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,kBAA0B;AACvD,SAAK,UAAU,gBAAgB;AAC/B,WAAO,KAAK,QAAwB;AAAA,MAClC,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,gBAAgB;AAAA,IAC5C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,qBAAqB,kBAA0B,SAAqC,CAAC,GAAG;AACnG,SAAK,UAAU,gBAAgB;AAE/B,WAAO,KAAK,QAAwB;AAAA,MAClC,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,gBAAgB;AAAA,MAC1C,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EACA,MAAa,qBAAqB,kBAA0B;AAC1D,SAAK,UAAU,gBAAgB;AAC/B,WAAO,KAAK,QAAwB;AAAA,MAClC,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,gBAAgB;AAAA,IAC5C,CAAC;AAAA,EACH;AACF;;;AC1FA,IAAMC,aAAW;AAEV,IAAM,kBAAN,cAA8B,YAAY;AAAA,EAC/C,MAAa,qBAAqB;AAChC,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAMA;AAAA,IACR,CAAC;AAAA,EACH;AACF;;;ACZA,SAAS,uBAAuB,kBAAkB;AAElD,OAAO,mBAAmB;;;ACAnB,SAAS,qBAAqB,KAAqC;AACxE,MAAI,CAAC,OAAO,OAAO,QAAQ,UAAU;AACnC,UAAM,MAAM,iGAAiG;AAAA,EAC/G;AAGF;AAEO,SAAS,0BAA0B,KAAqC;AAC7E,sBAAoB,KAA2B,EAAE,OAAO,KAAK,CAAC;AAChE;;;ACVO,IAAM,yBAAN,MAAM,wBAAuB;AAAA,EAClC,YACW,gBACA,WACA,UACA,YACT;AAJS;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA0D;AACxE,WAAO,IAAI,wBAAuB,KAAK,iBAAiB,KAAK,YAAY,KAAK,WAAW,KAAK,YAAY;AAAA,EAC5G;AACF;;;ACXO,IAAM,sBAAN,MAAM,qBAAoB;AAAA,EAC/B,YACW,IACA,YACA,WACA,WACA,cACT;AALS;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAoD;AAClE,WAAO,IAAI,qBAAoB,KAAK,IAAI,KAAK,YAAY,KAAK,YAAY,KAAK,YAAY,KAAK,aAAa;AAAA,EAC/G;AACF;;;ACZO,IAAM,kBAAN,MAAM,iBAAgB;AAAA,EAC3B,YACW,IACA,UACA,WACA,MACA,SACA,gBACA,aACA,YACT;AARS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA4C;AAC1D,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;AAEO,IAAM,UAAN,MAAM,SAAQ;AAAA,EACnB,YACW,IACA,UACA,QACA,QACA,cACA,UACA,WACA,WACA,WACA,0BACA,gBACA,QAAwC,MACjD;AAZS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA4B;AAC1C,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,mBAAmB,gBAAgB,SAAS,KAAK,eAAe;AAAA,MACrE,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACzDO,IAAM,SAAN,MAAM,QAAO;AAAA,EAClB,YACW,IACA,YACA,UACA,UACA,UACA,qBACA,WACA,WACT;AARS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA0B;AACxC,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,SAAS,IAAI,OAAK,QAAQ,SAAS,CAAC,CAAC;AAAA,MAC1C,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACzBO,IAAMC,WAAN,MAAM,SAAQ;AAAA,EACnB,YAAqB,SAAmB;AAAnB;AAAA,EAAoB;AAAA,EAEzC,OAAO,SAAS,MAA4B;AAC1C,WAAO,IAAI,SAAQ,KAAK,OAAO;AAAA,EACjC;AACF;;;ACNO,IAAM,gBAAN,MAAM,eAAc;AAAA,EACzB,YACW,QACA,IACA,MACA,SACT;AAJS;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAyB;AACvC,WAAO,IAAI,eAAc,KAAK,QAAQ,KAAK,MAAM,MAAM,KAAK,QAAQ,MAAM,KAAK,OAAO;AAAA,EACxF;AACF;;;ACXO,IAAM,QAAN,MAAM,OAAM;AAAA,EACjB,YACW,IACA,eACA,gBACA,gBACA,SACA,MACA,WACA,QACA,MACA,MACA,kBACT;AAXS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAwB;AACtC,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;AC9BO,IAAM,qBAAN,MAAM,oBAAmB;AAAA,EAC9B,YACW,IACA,MACT;AAFS;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkD;AAChE,WAAO,IAAI,oBAAmB,KAAK,IAAI,KAAK,IAAI;AAAA,EAClD;AACF;;;ACTO,IAAM,eAAN,MAAM,cAAa;AAAA,EACxB,YACW,QACA,UACA,kCAA8C,MAC9C,WAA0B,MAC1B,WAA0B,MAC1B,QAAuB,MACvB,UAAyB,MAClC;AAPS;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAsC;AACpD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,qCAAqC,IAAI,IAAI,KAAK,kCAAkC,IAAI;AAAA,MAC7F,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACnBO,IAAM,eAAN,MAAM,cAAa;AAAA,EACxB,YACW,IACA,cACA,cACA,UACT;AAJS;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAsC;AACpD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,gBAAgB,aAAa,SAAS,KAAK,YAAY;AAAA,MAC5D,KAAK,UAAU,IAAI,UAAQ,mBAAmB,SAAS,IAAI,CAAC;AAAA,IAC9D;AAAA,EACF;AACF;;;ACjBO,IAAM,kBAAN,MAAM,iBAAgB;AAAA,EAC3B,YACW,IACA,UACA,kBACA,YACA,gBACA,cACA,WACA,UACA,UACA,UACA,iBAAiD,CAAC,GAClD,OACA,cACT;AAbS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA4C;AAC1D,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,aAAa;AAAA,MAClB,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,gBAAgB,aAAa,SAAS,KAAK,YAAY;AAAA,IAC9D;AAAA,EACF;AACF;;;AClCO,IAAM,aAAN,MAAM,YAAW;AAAA,EACtB,YACW,IACA,cACA,gBACA,WACA,WACA,QACA,KACA,SACT;AARS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkC;AAChD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;AChBO,IAAM,aAAa;AAAA,EACxB,wBAAwB;AAAA,EACxB,qBAAqB;AAAA,EACrB,QAAQ;AAAA,EACR,SAAS;AAAA,EACT,OAAO;AAAA,EACP,cAAc;AAAA,EACd,iBAAiB;AAAA,EACjB,iBAAiB;AAAA,EACjB,eAAe;AAAA,EACf,YAAY;AAAA,EACZ,kBAAkB;AAAA,EAClB,cAAc;AAAA,EACd,oBAAoB;AAAA,EACpB,wBAAwB;AAAA,EACxB,wBAAwB;AAAA,EACxB,aAAa;AAAA,EACb,aAAa;AAAA,EACb,aAAa;AAAA,EACb,SAAS;AAAA,EACT,eAAe;AAAA,EACf,aAAa;AAAA,EACb,eAAe;AAAA,EACf,YAAY;AAAA,EACZ,MAAM;AAAA,EACN,YAAY;AAAA,EACZ,OAAO;AAAA,EACP,YAAY;AAAA,EACZ,cAAc;AAAA,EACd,MAAM;AAAA,EACN,YAAY;AACd;;;ACxCO,IAAM,mBAAN,MAAM,kBAAiB;AAAA,EAC5B,YACW,mBACA,UACA,OACA,iBAA0C,CAAC,GAC3C,OACA,QACA,aACT;AAPS;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA4B;AAC1C,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,SAAS;AAAA,MACd,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACtBO,IAAM,eAAN,MAAM,cAAa;AAAA,EACxB,YACW,IACA,MACA,MACA,UACA,UACA,WACA,WACA,iBAAoD,CAAC,GACrD,kBAA+C,CAAC,GAChD,uBACA,oBACA,cACA,WACT;AAbS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAsC;AACpD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,aAAa;AAAA,MAClB,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACjCO,IAAM,yBAAN,MAAM,wBAAuB;AAAA,EAClC,YACW,IACA,cACA,MACA,gBACA,WACA,WACA,QACA,iBAAuD,CAAC,GACxD,kBAAyD,CAAC,GACnE;AATS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkC;AAChD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACzBO,IAAM,yBAAN,MAAM,wBAAuB;AAAA,EAClC,YACW,IACA,MACA,aACA,iBAAuD,CAAC,GACxD,kBAAyD,CAAC,GAC1D,WACA,WACA,cACA,gBACT;AATS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkC;AAChD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,aAAa,SAAS,KAAK,YAAY;AAAA,MACvC,qCAAqC,SAAS,KAAK,gBAAgB;AAAA,IACrE;AAAA,EACF;AACF;AAEO,IAAM,uCAAN,MAAM,sCAAqC;AAAA,EAChD,YACW,YACA,WACA,UACA,UACA,UACA,QACT;AANS;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAgD;AAC9D,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;AChDO,IAAM,cAAN,MAAM,aAAY;AAAA,EACvB,YACW,IACA,aACA,yBACA,qBACA,cACA,UACT;AANS;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAoC;AAClD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,gBAAgB,aAAa,SAAS,KAAK,YAAY;AAAA,MAC5D,KAAK,UAAU,IAAI,UAAQ,mBAAmB,SAAS,IAAI,CAAC;AAAA,IAC9D;AAAA,EACF;AACF;;;ACtBO,IAAM,cAAN,MAAM,aAAY;AAAA,EACvB,YACW,IACA,KACA,WACA,WACT;AAJS;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAoC;AAClD,WAAO,IAAI,aAAY,KAAK,IAAI,KAAK,KAAK,KAAK,YAAY,KAAK,UAAU;AAAA,EAC5E;AACF;;;ACXO,IAAM,cAAN,MAAM,aAAY;AAAA,EACvB,YACW,IACA,QACA,OACA,QACA,KACA,WACA,WACT;AAPS;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAoC;AAClD,WAAO,IAAI,aAAY,KAAK,IAAI,KAAK,SAAS,KAAK,OAAO,KAAK,QAAQ,KAAK,KAAK,KAAK,YAAY,KAAK,UAAU;AAAA,EACnH;AACF;;;ACdO,IAAM,aAAN,MAAM,YAAW;AAAA,EACtB,YACW,IACA,iBACA,eACA,SACA,QACA,eACA,MACT;AAPS;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkC;AAChD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACtBO,IAAM,QAAN,MAAM,OAAM;AAAA,EACjB,YAAqB,KAAa;AAAb;AAAA,EAAc;AAAA,EAEnC,OAAO,SAAS,MAAwB;AACtC,WAAO,IAAI,OAAM,KAAK,GAAG;AAAA,EAC3B;AACF;;;AC6CO,IAAM,wBAAN,MAAM,uBAAsB;AAAA,EACjC,YACW,IACA,MACA,QACA,QACA,UACA,oBACA,iBACA,mBACA,WACA,WACT;AAVS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EACH,OAAO,SAAS,MAAwD;AACtE,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;AC5EO,IAAM,cAAN,MAAM,aAAY;AAAA,EACvB,YACW,IACA,UACA,gBACA,QACA,cACA,WACA,UACA,cACA,gBACT;AATS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAoC;AAClD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,gBAAgB,aAAa,SAAS,KAAK,YAAY;AAAA,MAC5D,KAAK,mBAAmB,sBAAsB,SAAS,KAAK,eAAe;AAAA,IAC7E;AAAA,EACF;AACF;;;AC3BO,IAAM,aAAN,MAAM,YAAW;AAAA,EACtB,YACW,IACA,YACA,cACT;AAHS;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkC;AAChD,WAAO,IAAI,YAAW,KAAK,IAAI,KAAK,aAAa,KAAK,gBAAgB,aAAa,SAAS,KAAK,YAAY,CAAC;AAAA,EAChH;AACF;;;ACNO,IAAM,OAAN,MAAM,MAAK;AAAA,EAOhB,YACW,IACA,iBACA,aACA,mBACA,kBACA,QACA,QACA,WACA,WACA,UACA,UACA,uBACA,sBACA,qBACA,cACA,YACA,UACA,WACA,UACA,iBAAqC,CAAC,GACtC,kBAAuC,CAAC,GACxC,iBAAqC,CAAC,GACtC,iBAAiC,CAAC,GAClC,eAA8B,CAAC,GAC/B,cAA4B,CAAC,GAC7B,mBAAsC,CAAC,GACvC,eAA8B,CAAC,GAC/B,cACA,2BACA,2BAA0C,MAC1C,mBACA,iBACT;AAhCS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAtCX,SAAQ,OAAwB;AAAA,EAuC7B;AAAA,EArCH,IAAW,MAAuB;AAChC,WAAO,KAAK;AAAA,EACd;AAAA,EAqCA,OAAO,SAAS,MAAsB;AACpC,UAAM,MAAM,IAAI;AAAA,MACd,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,OACJ,KAAK,mBAAmB,CAAC,GAAG,IAAI,OAAK,aAAa,SAAS,CAAC,CAAC;AAAA,OAC7D,KAAK,iBAAiB,CAAC,GAAG,IAAI,OAAK,YAAY,SAAS,CAAC,CAAC;AAAA,OAC1D,KAAK,gBAAgB,CAAC,GAAG,IAAI,OAAK,WAAW,SAAS,CAAC,CAAC;AAAA,OACxD,KAAK,qBAAqB,CAAC,GAAG,IAAI,CAAC,MAA2B,gBAAgB,SAAS,CAAC,CAAC;AAAA,OACzF,KAAK,iBAAiB,CAAC,GAAG,IAAI,CAAC,MAAuB,YAAY,SAAS,CAAC,CAAC;AAAA,MAC9E,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AACA,QAAI,OAAO;AACX,WAAO;AAAA,EACT;AAAA,EAEA,IAAI,sBAAsB;AACxB,WAAO,KAAK,eAAe,KAAK,CAAC,EAAE,GAAG,MAAM,OAAO,KAAK,qBAAqB,KAAK;AAAA,EACpF;AAAA,EAEA,IAAI,qBAAqB;AACvB,WAAO,KAAK,aAAa,KAAK,CAAC,EAAE,GAAG,MAAM,OAAO,KAAK,oBAAoB,KAAK;AAAA,EACjF;AAAA,EAEA,IAAI,oBAAoB;AACtB,WAAO,KAAK,YAAY,KAAK,CAAC,EAAE,GAAG,MAAM,OAAO,KAAK,mBAAmB,KAAK;AAAA,EAC/E;AAAA,EAEA,IAAI,WAAW;AACb,WAAO,CAAC,KAAK,WAAW,KAAK,QAAQ,EAAE,KAAK,GAAG,EAAE,KAAK,KAAK;AAAA,EAC7D;AACF;;;ACvEO,SAAS,YAAqB,SAAsE;AACzG,MAAI,MAAM;AAEV,MAAI,MAAM,QAAQ,OAAO,GAAG;AAC1B,UAAMC,QAAO,QAAQ,IAAI,UAAQ,aAAa,IAAI,CAAC;AACnD,WAAO,EAAE,MAAAA,MAAK;AAAA,EAChB,WAAW,YAAY,OAAO,GAAG;AAC/B,WAAO,QAAQ,KAAK,IAAI,UAAQ,aAAa,IAAI,CAAC;AAClD,iBAAa,QAAQ;AAErB,WAAO,EAAE,MAAM,WAAW;AAAA,EAC5B,OAAO;AACL,WAAO,EAAE,MAAM,aAAa,OAAO,EAAE;AAAA,EACvC;AACF;AAEA,SAAS,YAAY,SAAoD;AACvE,MAAI,CAAC,WAAW,OAAO,YAAY,YAAY,EAAE,UAAU,UAAU;AACnE,WAAO;AAAA,EACT;AAEA,SAAO,MAAM,QAAQ,QAAQ,IAAI,KAAK,QAAQ,SAAS;AACzD;AAEA,SAAS,SAAS,MAA6B;AAC7C,SAAO,KAAK;AACd;AAGA,SAAS,aAAa,MAAgB;AAGpC,MAAI,OAAO,SAAS,YAAY,YAAY,QAAQ,aAAa,MAAM;AACrE,WAAO,cAAc,SAAS,IAAI;AAAA,EACpC;AAEA,UAAQ,KAAK,QAAQ;AAAA,IACnB,KAAK,WAAW;AACd,aAAO,uBAAuB,SAAS,IAAI;AAAA,IAC7C,KAAK,WAAW;AACd,aAAO,oBAAoB,SAAS,IAAI;AAAA,IAC1C,KAAK,WAAW;AACd,aAAO,OAAO,SAAS,IAAI;AAAA,IAC7B,KAAK,WAAW;AACd,aAAOC,SAAQ,SAAS,IAAI;AAAA,IAC9B,KAAK,WAAW;AACd,aAAO,aAAa,SAAS,IAAI;AAAA,IACnC,KAAK,WAAW;AACd,aAAO,MAAM,SAAS,IAAI;AAAA,IAC5B,KAAK,WAAW;AACd,aAAO,WAAW,SAAS,IAAI;AAAA,IACjC,KAAK,WAAW;AACd,aAAO,iBAAiB,SAAS,IAAI;AAAA,IACvC,KAAK,WAAW;AACd,aAAO,aAAa,SAAS,IAAI;AAAA,IACnC,KAAK,WAAW;AACd,aAAO,uBAAuB,SAAS,IAAI;AAAA,IAC7C,KAAK,WAAW;AACd,aAAO,uBAAuB,SAAS,IAAI;AAAA,IAC7C,KAAK,WAAW;AACd,aAAO,YAAY,SAAS,IAAI;AAAA,IAClC,KAAK,WAAW;AACd,aAAO,YAAY,SAAS,IAAI;AAAA,IAClC,KAAK,WAAW;AACd,aAAO,YAAY,SAAS,IAAI;AAAA,IAClC,KAAK,WAAW;AACd,aAAO,QAAQ,SAAS,IAAI;AAAA,IAC9B,KAAK,WAAW;AACd,aAAO,WAAW,SAAS,IAAI;AAAA,IACjC,KAAK,WAAW;AACd,aAAO,MAAM,SAAS,IAAI;AAAA,IAC5B,KAAK,WAAW;AACd,aAAO,SAAS,IAAI;AAAA,IACtB,KAAK,WAAW;AACd,aAAO,KAAK,SAAS,IAAI;AAAA,IAC3B;AACE,aAAO;AAAA,EACX;AACF;;;A5BnDO,SAAS,aAAa,SAA8B;AACzD,QAAM,YAAY,OAAU,mBAAuF;AACjH,UAAM;AAAA,MACJ;AAAA,MACA,mBAAmB;AAAA,MACnB,SAAS;AAAA,MACT,aAAa;AAAA,MACb,YAAY;AAAA,IACd,IAAI;AACJ,UAAM,EAAE,MAAM,QAAQ,aAAa,cAAc,YAAY,SAAS,IAAI;AAE1E,QAAI,kBAAkB;AACpB,2BAAqB,SAAS;AAAA,IAChC;AAEA,UAAM,MAAM,UAAU,QAAQ,YAAY,IAAI;AAG9C,UAAM,WAAW,IAAI,IAAI,GAAG;AAE5B,QAAI,aAAa;AAEf,YAAM,wBAAwB,cAAc,EAAE,GAAG,YAAY,CAAC;AAG9D,iBAAW,CAAC,KAAK,GAAG,KAAK,OAAO,QAAQ,qBAAqB,GAAG;AAC9D,YAAI,KAAK;AACP,WAAC,GAAG,EAAE,KAAK,EAAE,QAAQ,OAAK,SAAS,aAAa,OAAO,KAAK,CAAW,CAAC;AAAA,QAC1E;AAAA,MACF;AAAA,IACF;AAGA,UAAM,UAA+B;AAAA,MACnC,eAAe,UAAU,SAAS;AAAA,MAClC,qBAAqB;AAAA,MACrB,cAAc;AAAA,MACd,GAAG;AAAA,IACL;AAEA,QAAI;AACJ,QAAI;AACF,UAAI,UAAU;AACZ,cAAM,MAAM,QAAQ,MAAM,SAAS,MAAM;AAAA,UACvC;AAAA,UACA;AAAA,UACA,MAAM;AAAA,QACR,CAAC;AAAA,MACH,OAAO;AAEL,gBAAQ,cAAc,IAAI;AAE1B,cAAM,UAAU,WAAW,SAAS,cAAc,OAAO,KAAK,UAAU,EAAE,SAAS;AACnF,cAAM,OAAO,UAAU,EAAE,MAAM,KAAK,UAAU,cAAc,YAAY,EAAE,MAAM,MAAM,CAAC,CAAC,EAAE,IAAI;AAE9F,cAAM,MAAM,QAAQ,MAAM,SAAS,MAAM;AAAA,UACvC;AAAA,UACA;AAAA,UACA,GAAG;AAAA,QACL,CAAC;AAAA,MACH;AAGA,YAAM,iBACJ,KAAK,WAAW,IAAI,SAAS,IAAI,UAAU,QAAQ,WAAW,MAAM,UAAU,aAAa;AAC7F,YAAM,eAAe,OAAO,iBAAiB,IAAI,KAAK,IAAI,IAAI,KAAK;AAEnE,UAAI,CAAC,IAAI,IAAI;AACX,eAAO;AAAA,UACL,MAAM;AAAA,UACN,QAAQ,YAAY,YAAY;AAAA,UAChC,QAAQ,KAAK;AAAA,UACb,YAAY,KAAK;AAAA,UACjB,cAAc,WAAW,cAAc,KAAK,OAAO;AAAA,QACrD;AAAA,MACF;AAEA,aAAO;AAAA,QACL,GAAG,YAAe,YAAY;AAAA,QAC9B,QAAQ;AAAA,MACV;AAAA,IACF,SAAS,KAAK;AACZ,UAAI,eAAe,OAAO;AACxB,eAAO;AAAA,UACL,MAAM;AAAA,UACN,QAAQ;AAAA,YACN;AAAA,cACE,MAAM;AAAA,cACN,SAAS,IAAI,WAAW;AAAA,YAC1B;AAAA,UACF;AAAA,UACA,cAAc,WAAW,KAAK,KAAK,OAAO;AAAA,QAC5C;AAAA,MACF;AAEA,aAAO;AAAA,QACL,MAAM;AAAA,QACN,QAAQ,YAAY,GAAG;AAAA,QACvB,QAAQ,KAAK;AAAA,QACb,YAAY,KAAK;AAAA,QACjB,cAAc,WAAW,KAAK,KAAK,OAAO;AAAA,MAC5C;AAAA,IACF;AAAA,EACF;AAEA,SAAO,wBAAwB,SAAS;AAC1C;AAIA,SAAS,WAAW,MAAe,SAA2B;AAC5D,MAAI,QAAQ,OAAO,SAAS,YAAY,oBAAoB,QAAQ,OAAO,KAAK,mBAAmB,UAAU;AAC3G,WAAO,KAAK;AAAA,EACd;AAEA,QAAM,QAAQ,SAAS,IAAI,QAAQ;AACnC,SAAO,SAAS;AAClB;AAEA,SAAS,YAAY,MAAgC;AACnD,MAAI,CAAC,CAAC,QAAQ,OAAO,SAAS,YAAY,YAAY,MAAM;AAC1D,UAAM,SAAS,KAAK;AACpB,WAAO,OAAO,SAAS,IAAI,OAAO,IAAI,UAAU,IAAI,CAAC;AAAA,EACvD;AACA,SAAO,CAAC;AACV;AAKA,SAAS,wBAAwB,IAAgC;AAC/D,SAAO,UAAU,SAAS;AAExB,UAAM,EAAE,MAAM,QAAQ,YAAY,QAAQ,YAAY,aAAa,IAAI,MAAM,GAAM,GAAG,IAAI;AAC1F,QAAI,QAAQ;AAIV,YAAM,QAAQ,IAAI,sBAAsB,cAAc,IAAI;AAAA,QACxD,MAAM,CAAC;AAAA,QACP;AAAA,QACA;AAAA,MACF,CAAC;AACD,YAAM,SAAS;AACf,YAAM;AAAA,IACR;AAEA,QAAI,OAAO,eAAe,aAAa;AACrC,aAAO,EAAE,MAAM,WAAW;AAAA,IAC5B;AAEA,WAAO;AAAA,EACT;AACF;;;A6B9LO,SAAS,uBAAuB,SAAkC;AACvE,QAAM,UAAU,aAAa,OAAO;AAEpC,SAAO;AAAA,IACL,wCAAwC,IAAI;AAAA,MAC1C,aAAa,EAAE,GAAG,SAAS,kBAAkB,MAAM,CAAC;AAAA,IACtD;AAAA,IACA,sBAAsB,IAAI,uBAAuB,OAAO;AAAA,IACxD,SAAS,IAAI,UAAU,OAAO;AAAA,IAC9B,gBAAgB,IAAI,gBAAgB,OAAO;AAAA,IAC3C,aAAa,IAAI,cAAc,OAAO;AAAA,IACtC,eAAe,IAAI,gBAAgB,OAAO;AAAA,IAC1C,cAAc,IAAI,eAAe,OAAO;AAAA,IACxC,cAAc,IAAI,eAAe,OAAO;AAAA,IACxC,UAAU,IAAI,WAAW,OAAO;AAAA,IAChC,cAAc,IAAI,eAAe,OAAO;AAAA,IACxC,OAAO,IAAI,QAAQ,OAAO;AAAA,IAC1B,SAAS,IAAI,UAAU,OAAO;AAAA,IAC9B,iBAAiB,IAAI,kBAAkB,OAAO;AAAA,IAC9C,eAAe,IAAI,gBAAgB,OAAO;AAAA,EAC5C;AACF;;;AC3CA,SAAS,gCAAgC;AA4EzC,IAAM,cAAc,CAAC,SAA0C;AAC7D,SAAO,MAAM;AACX,UAAM,MAAM,EAAE,GAAG,KAAK;AACtB,QAAI,aAAa,IAAI,aAAa,IAAI,UAAU,GAAG,CAAC;AACpD,QAAI,UAAU,IAAI,UAAU,IAAI,UAAU,GAAG,CAAC;AAC9C,WAAO,EAAE,GAAG,IAAI;AAAA,EAClB;AACF;AAKO,SAAS,mBACd,qBACA,cACA,eACoB;AACpB,QAAM;AAAA,IACJ,KAAK;AAAA,IACL,KAAK;AAAA,IACL,QAAQ;AAAA,IACR,UAAU;AAAA,IACV,UAAU;AAAA,IACV,iBAAiB;AAAA,IACjB,KAAK;AAAA,IACL;AAAA,EACF,IAAI;AACJ,QAAM,YAAY,uBAAuB,mBAAmB;AAC5D,QAAM,WAAW,eAAe;AAAA,IAC9B;AAAA,IACA;AAAA,IACA,SAAS,UAAU,UAAU,MAAM,UAAU,SAAS,SAAS,GAAG,IAAI,GAAG;AAAA,EAC3E,CAAC;AAGD,QAAM,wBAAwB,OAAO;AAErC,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA,KAAK,yBAAyB,EAAE,OAAO,SAAS,gBAAgB,QAAQ,sBAAsB,CAAC;AAAA,IAC/F,OAAO,YAAY,EAAE,GAAG,qBAAqB,aAAa,CAAC;AAAA,EAC7D;AACF;AAKO,SAAS,oBAAoB,WAAsD;AACxF,SAAO;AAAA,IACL,eAAe;AAAA,IACf,WAAW;AAAA,IACX,QAAQ;AAAA,IACR,OAAO;AAAA,IACP,OAAO;AAAA,IACP,SAAS;AAAA,IACT,SAAS;AAAA,IACT,gBAAgB;AAAA,IAChB,uBAAuB;AAAA,IACvB,UAAU,MAAM,QAAQ,QAAQ,IAAI;AAAA,IACpC,KAAK,MAAM;AAAA,IACX,OAAO,YAAY,SAAS;AAAA,EAC9B;AACF;AAUO,IAAM,6BAA6B,CAAoC,QAAc;AAG1F,QAAM,EAAE,OAAO,UAAU,KAAK,GAAG,KAAK,IAAI;AAC1C,SAAO;AACT;AAMA,IAAM,iBAAiC,YAAU;AAC/C,QAAM,EAAE,SAAS,cAAc,UAAU,IAAI,UAAU,CAAC;AAExD,SAAO,OAAO,UAAiC,CAAC,MAAM;AACpD,QAAI,CAAC,WAAW;AACd,aAAO;AAAA,IACT;AAEA,QAAI,QAAQ,UAAU;AACpB,aAAO,QAAQ,WAAW,QAAQ,QAAQ;AAAA,IAC5C;AAEA,WAAO;AAAA,EACT;AACF;;;AC9KO,IAAM,aAAa;AAAA,EACxB,UAAU;AAAA,EACV,WAAW;AAAA,EACX,WAAW;AACb;AA8CO,IAAM,kBAAkB;AAAA,EAC7B,8BAA8B;AAAA,EAC9B,mBAAmB;AAAA,EACnB,gBAAgB;AAAA,EAChB,0BAA0B;AAAA,EAC1B,6BAA6B;AAAA,EAC7B,2BAA2B;AAAA,EAC3B,qBAAqB;AAAA,EACrB,qBAAqB;AAAA,EACrB,gCAAgC;AAAA,EAChC,iBAAiB;AAAA,EACjB,4BAA4B;AAAA,EAC5B,8BAA8B;AAAA,EAC9B,4BAA4B;AAAA,EAC5B,iBAAiB;AACnB;AAQO,SAAS,SACd,qBACA,eACA,UAAmB,IAAI,QAAQ,GAC/B,OACe;AACf,QAAM,aAAa,mBAAmB,qBAAqB,OAAO,aAAa;AAC/E,SAAO;AAAA,IACL,QAAQ,WAAW;AAAA,IACnB,QAAQ;AAAA,IACR,SAAS;AAAA,IACT,UAAU,oBAAoB,YAAY;AAAA,IAC1C,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,aAAa,oBAAoB,eAAe;AAAA,IAChD,QAAQ,oBAAoB,UAAU;AAAA,IACtC,WAAW,oBAAoB,aAAa;AAAA,IAC5C,WAAW,oBAAoB,aAAa;AAAA,IAC5C,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,YAAY;AAAA,IACZ,QAAQ,MAAM;AAAA,IACd;AAAA,IACA;AAAA,EACF;AACF;AAEO,SAAS,UACd,qBACA,QACA,UAAU,IACV,UAAmB,IAAI,QAAQ,GACf;AAChB,SAAO,iBAAiB;AAAA,IACtB,QAAQ,WAAW;AAAA,IACnB;AAAA,IACA;AAAA,IACA,UAAU,oBAAoB,YAAY;AAAA,IAC1C,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,aAAa,oBAAoB,eAAe;AAAA,IAChD,QAAQ,oBAAoB,UAAU;AAAA,IACtC,WAAW,oBAAoB,aAAa;AAAA,IAC5C,WAAW,oBAAoB,aAAa;AAAA,IAC5C,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,YAAY;AAAA,IACZ;AAAA,IACA,QAAQ,MAAM,oBAAoB,EAAE,GAAG,qBAAqB,QAAQ,WAAW,WAAW,QAAQ,QAAQ,CAAC;AAAA,IAC3G,OAAO;AAAA,EACT,CAAC;AACH;AAEO,SAAS,UACd,qBACA,QACA,UAAU,IACV,SACgB;AAChB,SAAO,iBAAiB;AAAA,IACtB,QAAQ,WAAW;AAAA,IACnB;AAAA,IACA;AAAA,IACA,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,aAAa,oBAAoB,eAAe;AAAA,IAChD,QAAQ,oBAAoB,UAAU;AAAA,IACtC,UAAU,oBAAoB,YAAY;AAAA,IAC1C,WAAW,oBAAoB,aAAa;AAAA,IAC5C,WAAW,oBAAoB,aAAa;AAAA,IAC5C,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,YAAY;AAAA,IACZ;AAAA,IACA,QAAQ,MAAM;AAAA,IACd,OAAO;AAAA,EACT,CAAC;AACH;AAEA,IAAM,mBAAmB,CAAyB,iBAAuB;AACvE,QAAM,UAAU,IAAI,QAAQ,aAAa,WAAW,CAAC,CAAC;AAEtD,MAAI,aAAa,SAAS;AACxB,QAAI;AACF,cAAQ,IAAI,UAAU,QAAQ,aAAa,aAAa,OAAO;AAAA,IACjE,QAAQ;AAAA,IAER;AAAA,EACF;AAEA,MAAI,aAAa,QAAQ;AACvB,QAAI;AACF,cAAQ,IAAI,UAAU,QAAQ,YAAY,aAAa,MAAM;AAAA,IAC/D,QAAQ;AAAA,IAER;AAAA,EACF;AAEA,MAAI,aAAa,QAAQ;AACvB,QAAI;AACF,cAAQ,IAAI,UAAU,QAAQ,YAAY,aAAa,MAAM;AAAA,IAC/D,QAAQ;AAAA,IAER;AAAA,EACF;AAEA,eAAa,UAAU;AAEvB,SAAO;AACT;;;AC3LA,SAAS,aAAa;;;ACAtB,IAAM,WAAN,cAAuB,IAAI;AAAA,EAClB,cAAc,OAAqB;AACxC,WAAO,KAAK,WAAW,IAAI,IAAI,MAAM,SAAS,CAAC,EAAE;AAAA,EACnD;AACF;AAeO,IAAM,iBAAiB,IAAI,SAA2D;AAC3F,SAAO,IAAI,SAAS,GAAG,IAAI;AAC7B;;;ADVA,IAAM,eAAN,cAA2B,QAAQ;AAAA,EAI1B,YAAY,OAA6C,MAAoB;AAYlF,UAAM,MAAM,OAAO,UAAU,YAAY,SAAS,QAAQ,MAAM,MAAM,OAAO,KAAK;AAClF,UAAM,KAAK,QAAQ,OAAO,UAAU,WAAW,SAAY,KAAK;AAChE,SAAK,WAAW,KAAK,qBAAqB,IAAI;AAC9C,SAAK,UAAU,KAAK,aAAa,IAAI;AAAA,EACvC;AAAA,EAEO,SAAS;AACd,WAAO;AAAA,MACL,KAAK,KAAK,SAAS;AAAA,MACnB,QAAQ,KAAK;AAAA,MACb,SAAS,KAAK,UAAU,OAAO,YAAY,KAAK,OAAO,CAAC;AAAA,MACxD,UAAU,KAAK,SAAS,SAAS;AAAA,MACjC,SAAS,KAAK,UAAU,OAAO,YAAY,KAAK,OAAO,CAAC;AAAA,IAC1D;AAAA,EACF;AAAA;AAAA;AAAA;AAAA;AAAA,EAMQ,qBAAqB,KAAc;AACzC,UAAM,aAAa,IAAI,IAAI,IAAI,GAAG;AAClC,UAAM,iBAAiB,IAAI,QAAQ,IAAI,UAAU,QAAQ,cAAc;AACvE,UAAM,gBAAgB,IAAI,QAAQ,IAAI,UAAU,QAAQ,aAAa;AACrE,UAAM,OAAO,IAAI,QAAQ,IAAI,UAAU,QAAQ,IAAI;AACnD,UAAM,WAAW,WAAW;AAE5B,UAAM,eAAe,KAAK,wBAAwB,aAAa,KAAK;AACpE,UAAM,mBAAmB,KAAK,wBAAwB,cAAc,KAAK,UAAU,QAAQ,QAAQ,EAAE;AACrG,UAAM,SAAS,gBAAgB,mBAAmB,GAAG,gBAAgB,MAAM,YAAY,KAAK,WAAW;AAEvG,QAAI,WAAW,WAAW,QAAQ;AAChC,aAAO,eAAe,UAAU;AAAA,IAClC;AACA,WAAO,eAAe,WAAW,WAAW,WAAW,QAAQ,MAAM;AAAA,EACvE;AAAA,EAEQ,wBAAwB,OAAuB;AACrD,WAAO,OAAO,MAAM,GAAG,EAAE,CAAC;AAAA,EAC5B;AAAA,EAEQ,aAAa,KAAc;AACjC,UAAM,gBAAgB,MAAM,KAAK,kBAAkB,IAAI,QAAQ,IAAI,QAAQ,KAAK,EAAE,CAAC;AACnF,WAAO,IAAI,IAAI,OAAO,QAAQ,aAAa,CAAC;AAAA,EAC9C;AAAA,EAEQ,kBAAkB,KAAa;AACrC,WAAO,MAAM,IAAI,QAAQ,oBAAoB,kBAAkB,IAAI;AAAA,EACrE;AACF;AAEO,IAAM,qBAAqB,IAAI,SAAmE;AACvG,SAAO,KAAK,CAAC,aAAa,eAAe,KAAK,CAAC,IAAI,IAAI,aAAa,GAAG,IAAI;AAC7E;;;AE3DA,IAAI,QAAyB,CAAC;AAC9B,IAAI,gBAAgB;AAEpB,SAAS,aAAa,KAAa;AACjC,SAAO,MAAM,GAAG;AAClB;AAEA,SAAS,iBAAiB;AACxB,SAAO,OAAO,OAAO,KAAK;AAC5B;AAEA,SAAS,WAAW,KAAwB,eAAe,MAAM;AAC/D,QAAM,IAAI,GAAG,IAAI;AACjB,kBAAgB,eAAe,KAAK,IAAI,IAAI;AAC9C;AAEA,IAAM,cAAc;AACpB,IAAM,aAAa;AACnB,IAAM,cAAc;AACpB,IAAM,aAAa;AACnB,IAAM,aAAa;AAUZ,SAAS,sBAAsB,UAA+B;AACnE,MAAI,CAAC,aAAa,WAAW,GAAG;AAC9B,QAAI,CAAC,UAAU;AACb,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,SAAS;AAAA,QACT,QAAQ,6BAA6B;AAAA,MACvC,CAAC;AAAA,IACH;AAEA,UAAM,UAAU,SACb,QAAQ,eAAe,EAAE,EACzB,QAAQ,YAAY,EAAE,EACtB,QAAQ,aAAa,EAAE,EACvB,QAAQ,YAAY,EAAE,EACtB,QAAQ,YAAY,EAAE,EACtB,QAAQ,OAAO,GAAG,EAClB,QAAQ,OAAO,GAAG;AAGrB;AAAA,MACE;AAAA,QACE,KAAK;AAAA,QACL,KAAK;AAAA,QACL,KAAK;AAAA,QACL,GAAG;AAAA,QACH,GAAG;AAAA,MACL;AAAA,MACA;AAAA;AAAA,IACF;AAAA,EACF;AAEA,SAAO,aAAa,WAAW;AACjC;AAwCA,eAAsB,uBAAuB;AAAA,EAC3C;AAAA,EACA,SAAS;AAAA,EACT,aAAa;AAAA,EACb;AAAA,EACA;AACF,GAAuD;AACrD,MAAI,iBAAiB,gBAAgB,KAAK,CAAC,aAAa,GAAG,GAAG;AAC5D,QAAI,CAAC,WAAW;AACd,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,SAAS;AAAA,QACT,QAAQ,6BAA6B;AAAA,MACvC,CAAC;AAAA,IACH;AACA,UAAM,UAAU,MAAM,kBAAkB,QAAQ,WAAW,UAAU;AACrE,UAAM,EAAE,KAAK,IAAI,MAAM,MAAM,OAAO;AAEpC,QAAI,CAAC,QAAQ,CAAC,KAAK,QAAQ;AACzB,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,SAAS;AAAA,QACT,QAAQ,6BAA6B;AAAA,MACvC,CAAC;AAAA,IACH;AAEA,SAAK,QAAQ,SAAO,WAAW,GAAG,CAAC;AAAA,EACrC;AAEA,QAAM,MAAM,aAAa,GAAG;AAE5B,MAAI,CAAC,KAAK;AACR,UAAM,cAAc,eAAe;AACnC,UAAM,UAAU,YACb,IAAI,CAAAC,SAAOA,KAAI,GAAG,EAClB,KAAK,EACL,KAAK,IAAI;AAEZ,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,8EAA8E,6BAA6B,cAAc;AAAA,MACjI,SAAS,8DAA8D,GAAG,uLAAuL,OAAO;AAAA,MACxQ,QAAQ,6BAA6B;AAAA,IACvC,CAAC;AAAA,EACH;AAEA,SAAO;AACT;AAEA,eAAe,kBAAkB,QAAgB,KAAa,YAAoB;AAChF,MAAI,CAAC,KAAK;AACR,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SACE;AAAA,MACF,QAAQ,6BAA6B;AAAA,IACvC,CAAC;AAAA,EACH;AAEA,QAAM,MAAM,IAAI,IAAI,MAAM;AAC1B,MAAI,WAAW,UAAU,IAAI,UAAU,YAAY,OAAO;AAE1D,QAAM,WAAW,MAAM,QAAQ,MAAM,IAAI,MAAM;AAAA,IAC7C,SAAS;AAAA,MACP,eAAe,UAAU,GAAG;AAAA,MAC5B,qBAAqB;AAAA,MACrB,gBAAgB;AAAA,MAChB,cAAc;AAAA,IAChB;AAAA,EACF,CAAC;AAED,MAAI,CAAC,SAAS,IAAI;AAChB,UAAM,OAAO,MAAM,SAAS,KAAK;AACjC,UAAM,wBAAwB,qBAAqB,MAAM,QAAQ,2BAA2B,gBAAgB;AAE5G,QAAI,uBAAuB;AACzB,YAAM,SAAS,6BAA6B;AAE5C,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,SAAS,sBAAsB;AAAA,QAC/B;AAAA,MACF,CAAC;AAAA,IACH;AAEA,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,iCAAiC,IAAI,IAAI,cAAc,SAAS,MAAM;AAAA,MAC/E,QAAQ,6BAA6B;AAAA,IACvC,CAAC;AAAA,EACH;AAEA,SAAO,SAAS,KAAK;AACvB;AAEA,SAAS,kBAAkB;AAEzB,MAAI,kBAAkB,IAAI;AACxB,WAAO;AAAA,EACT;AAGA,QAAM,YAAY,KAAK,IAAI,IAAI,iBAAiB,oCAAoC;AAEpF,MAAI,WAAW;AACb,YAAQ,CAAC;AAAA,EACX;AAEA,SAAO;AACT;AAQA,IAAM,uBAAuB,CAAC,QAAuB,SAAiB;AACpE,MAAI,CAAC,QAAQ;AACX,WAAO;AAAA,EACT;AAEA,SAAO,OAAO,KAAK,CAAC,QAAqB,IAAI,SAAS,IAAI;AAC5D;;;ACrOA,eAAsB,YACpB,OACA,SAC4D;AAC5D,QAAM,EAAE,MAAM,eAAe,OAAO,IAAI,UAAU,KAAK;AACvD,MAAI,QAAQ;AACV,WAAO,EAAE,OAAO;AAAA,EAClB;AAEA,QAAM,EAAE,OAAO,IAAI;AACnB,QAAM,EAAE,IAAI,IAAI;AAEhB,MAAI;AACF,QAAI;AAEJ,QAAI,QAAQ,QAAQ;AAClB,YAAM,sBAAsB,QAAQ,MAAM;AAAA,IAC5C,WAAW,QAAQ,WAAW;AAE5B,YAAM,MAAM,uBAAuB,EAAE,GAAG,SAAS,IAAI,CAAC;AAAA,IACxD,OAAO;AACL,aAAO;AAAA,QACL,QAAQ;AAAA,UACN,IAAI,uBAAuB;AAAA,YACzB,QAAQ,6BAA6B;AAAA,YACrC,SAAS;AAAA,YACT,QAAQ,6BAA6B;AAAA,UACvC,CAAC;AAAA,QACH;AAAA,MACF;AAAA,IACF;AAEA,WAAO,MAAM,UAAU,OAAO,EAAE,GAAG,SAAS,IAAI,CAAC;AAAA,EACnD,SAAS,OAAO;AACd,WAAO,EAAE,QAAQ,CAAC,KAA+B,EAAE;AAAA,EACrD;AACF;;;ACpDA,SAAS,aAAa;;;AC0CtB,IAAM,sBAAN,MAAyD;AAAA,EAUhD,YACG,cACA,cACR,SACA;AAHQ;AACA;AAMR,SAAK,yBAAyB,OAAO;AACrC,SAAK,iBAAiB;AAEtB,SAAK,iBAAiB;AACtB,SAAK,oBAAoB;AACzB,WAAO,OAAO,MAAM,OAAO;AAC3B,SAAK,WAAW,KAAK,aAAa;AAAA,EACpC;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAnBA,IAAW,eAAmC;AAC5C,WAAO,KAAK,wBAAwB,KAAK;AAAA,EAC3C;AAAA,EAmBO,sBAA+B;AACpC,UAAM,oBAAoB,KAAK,kBAAkB,UAAU,QAAQ,SAAS;AAC5E,UAAM,YAAY,KAAK,UAAU,UAAU,QAAQ,SAAS;AAC5D,UAAM,kBAAkB,KAAK,kBAAkB,UAAU,QAAQ,OAAO,KAAK;AAC7E,UAAM,UAAU,KAAK,UAAU,UAAU,QAAQ,OAAO,KAAK;AAK7D,QAAI,WAAW,CAAC,KAAK,eAAe,OAAO,GAAG;AAC5C,aAAO;AAAA,IACT;AAIA,QAAI,WAAW,CAAC,KAAK,uBAAuB,OAAO,GAAG;AACpD,aAAO;AAAA,IACT;AAGA,QAAI,CAAC,qBAAqB,CAAC,iBAAiB;AAC1C,aAAO;AAAA,IACT;AAEA,UAAM,EAAE,MAAM,YAAY,IAAI,UAAU,OAAO;AAC/C,UAAM,aAAa,aAAa,QAAQ,OAAO;AAC/C,UAAM,EAAE,MAAM,oBAAoB,IAAI,UAAU,eAAe;AAC/D,UAAM,qBAAqB,qBAAqB,QAAQ,OAAO;AAI/D,QAAI,sBAAsB,OAAO,cAAc,OAAO,aAAa,oBAAoB;AACrF,aAAO;AAAA,IACT;AAKA,QAAI,sBAAsB,OAAO,cAAc,KAAK;AAClD,aAAO;AAAA,IACT;AA+BA,QAAI,KAAK,iBAAiB,cAAc;AACtC,YAAM,2BAA2B,KAAK,eAAe,mBAAmB;AACxE,UAAI,sBAAsB,OAAO,cAAc,OAAO,0BAA0B;AAC9E,eAAO;AAAA,MACT;AAAA,IACF;AAMA,QAAI,CAAC,qBAAqB,iBAAiB;AACzC,aAAO;AAAA,IACT;AAEA,WAAO;AAAA,EACT;AAAA,EAEQ,yBAAyB,SAAqC;AACpE,8BAA0B,QAAQ,cAAc;AAChD,SAAK,iBAAiB,QAAQ;AAE9B,UAAM,KAAK,oBAAoB,KAAK,gBAAgB;AAAA,MAClD,OAAO;AAAA,MACP,UAAU,QAAQ;AAAA,MAClB,QAAQ,QAAQ;AAAA,IAClB,CAAC;AACD,SAAK,eAAe,GAAG;AACvB,SAAK,cAAc,GAAG;AAAA,EACxB;AAAA,EAEQ,mBAAmB;AACzB,SAAK,uBAAuB,KAAK,yBAAyB,KAAK,UAAU,UAAU,QAAQ,aAAa,CAAC;AACzG,SAAK,SAAS,KAAK,UAAU,UAAU,QAAQ,MAAM;AACrD,SAAK,OAAO,KAAK,UAAU,UAAU,QAAQ,IAAI;AACjD,SAAK,gBAAgB,KAAK,UAAU,UAAU,QAAQ,aAAa;AACnE,SAAK,iBACH,KAAK,UAAU,UAAU,QAAQ,wBAAwB,KAAK,KAAK,UAAU,UAAU,QAAQ,cAAc;AAC/G,SAAK,WAAW,KAAK,UAAU,UAAU,QAAQ,QAAQ;AACzD,SAAK,YAAY,KAAK,UAAU,UAAU,QAAQ,SAAS;AAC3D,SAAK,eAAe,KAAK,UAAU,UAAU,QAAQ,YAAY;AACjE,SAAK,SAAS,KAAK,UAAU,UAAU,QAAQ,MAAM;AAAA,EACvD;AAAA,EAEQ,mBAAmB;AAEzB,SAAK,uBAAuB,KAAK,8BAA8B,UAAU,QAAQ,OAAO;AACxF,SAAK,uBAAuB,KAAK,kBAAkB,UAAU,QAAQ,OAAO;AAC5E,SAAK,YAAY,OAAO,SAAS,KAAK,8BAA8B,UAAU,QAAQ,SAAS,KAAK,EAAE,KAAK;AAAA,EAC7G;AAAA,EAEQ,sBAAsB;AAC5B,SAAK,kBACH,KAAK,cAAc,UAAU,gBAAgB,UAAU,KACvD,KAAK,8BAA8B,UAAU,QAAQ,UAAU;AAEjE,SAAK,iBACH,KAAK,cAAc,UAAU,gBAAgB,SAAS,KAAK,KAAK,UAAU,UAAU,QAAQ,SAAS;AACvG,SAAK,+BAA+B,OAAO,KAAK,UAAU,UAAU,QAAQ,aAAa,CAAC,KAAK;AAAA,EACjG;AAAA,EAEQ,yBAAyB,WAA0D;AACzF,WAAO,WAAW,QAAQ,WAAW,EAAE;AAAA,EACzC;AAAA,EAEQ,cAAc,MAAc;AAClC,WAAO,KAAK,aAAa,SAAS,aAAa,IAAI,IAAI;AAAA,EACzD;AAAA,EAEQ,UAAU,MAAc;AAC9B,WAAO,KAAK,aAAa,QAAQ,IAAI,IAAI,KAAK;AAAA,EAChD;AAAA,EAEQ,UAAU,MAAc;AAC9B,WAAO,KAAK,aAAa,QAAQ,IAAI,IAAI,KAAK;AAAA,EAChD;AAAA,EAEQ,kBAAkB,MAAc;AACtC,WAAO,KAAK,UAAU,sBAAsB,MAAM,KAAK,YAAY,CAAC,KAAK;AAAA,EAC3E;AAAA,EAEQ,8BAA8B,YAAoB;AACxD,QAAI,KAAK,oBAAoB,GAAG;AAC9B,aAAO,KAAK,kBAAkB,UAAU;AAAA,IAC1C;AACA,WAAO,KAAK,UAAU,UAAU;AAAA,EAClC;AAAA,EAEQ,eAAe,OAAwB;AAC7C,UAAM,EAAE,MAAM,OAAO,IAAI,UAAU,KAAK;AACxC,QAAI,QAAQ;AACV,aAAO;AAAA,IACT;AACA,WAAO,CAAC,CAAC,KAAK,QAAQ;AAAA,EACxB;AAAA,EAEQ,uBAAuB,OAAwB;AACrD,QAAI,CAAC,OAAO;AACV,aAAO;AAAA,IACT;AAEA,UAAM,EAAE,MAAM,OAAO,IAAI,UAAU,KAAK;AACxC,QAAI,QAAQ;AACV,aAAO;AAAA,IACT;AACA,UAAM,cAAc,KAAK,QAAQ,IAAI,QAAQ,iBAAiB,EAAE;AAChE,WAAO,KAAK,gBAAgB;AAAA,EAC9B;AAAA,EAEQ,eAAe,KAA+B;AACpD,WAAO,CAAC,CAAC,OAAO,KAAK,QAAQ,OAAQ,KAAK,IAAI,IAAI,OAAS;AAAA,EAC7D;AACF;AAIO,IAAM,4BAA4B,OACvC,cACA,YACiC;AACjC,QAAM,eAAe,QAAQ,iBACzB,MAAM,gBAAgB,QAAQ,gBAAgB,QAAQ,OAAO,MAAM,IACnE;AACJ,SAAO,IAAI,oBAAoB,cAAc,cAAc,OAAO;AACpE;;;ACzQO,IAAM,gBAAgB,CAAC,oBAAoC;AAChE,SAAO,gBAAgB,MAAM,GAAG,EAAE,CAAC,GAAG,MAAM,GAAG,EAAE,CAAC;AACpD;AAEO,IAAM,iBAAiB,CAAC,oBAAoC;AACjE,SAAO,gBAAgB,MAAM,GAAG,EAAE,CAAC,GAAG,MAAM,GAAG,EAAE,CAAC;AACpD;;;ACCA,eAAe,mBAAmB,OAAe,EAAE,IAAI,GAAuD;AAC5G,QAAM,EAAE,MAAM,SAAS,OAAO,IAAI,UAAU,KAAK;AACjD,MAAI,QAAQ;AACV,UAAM,OAAO,CAAC;AAAA,EAChB;AAEA,QAAM,EAAE,QAAQ,QAAQ,IAAI;AAG5B,QAAM,EAAE,KAAK,IAAI,IAAI;AAErB,mBAAiB,GAAG;AACpB,wBAAsB,GAAG;AAEzB,QAAM,EAAE,MAAM,gBAAgB,QAAQ,gBAAgB,IAAI,MAAM,kBAAkB,SAAS,GAAG;AAC9F,MAAI,iBAAiB;AACnB,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,oCAAoC,gBAAgB,CAAC,CAAC;AAAA,IACjE,CAAC;AAAA,EACH;AAEA,MAAI,CAAC,gBAAgB;AACnB,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS;AAAA,IACX,CAAC;AAAA,EACH;AAEA,SAAO;AACT;AAMA,eAAsB,qBACpB,OACA,SACkC;AAClC,QAAM,EAAE,WAAW,QAAQ,YAAY,kBAAkB,QAAQ,cAAc,IAAI;AAEnF,QAAM,EAAE,MAAM,OAAO,IAAI,UAAU,KAAK;AACxC,MAAI,QAAQ;AACV,UAAM,OAAO,CAAC;AAAA,EAChB;AAEA,QAAM,EAAE,IAAI,IAAI,KAAK;AAErB,MAAI;AAEJ,MAAI,QAAQ;AACV,UAAM,sBAAsB,MAAM;AAAA,EACpC,WAAW,WAAW;AAEpB,UAAM,MAAM,uBAAuB,EAAE,WAAW,QAAQ,YAAY,KAAK,kBAAkB,cAAc,CAAC;AAAA,EAC5G,OAAO;AACL,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS;AAAA,MACT,QAAQ,6BAA6B;AAAA,IACvC,CAAC;AAAA,EACH;AAEA,SAAO,MAAM,mBAAmB,OAAO;AAAA,IACrC;AAAA,EACF,CAAC;AACH;;;AHrDO,IAAM,0BAA0B;AAAA,EACrC,qBAAqB;AAAA,EACrB,mBAAmB;AAAA,EACnB,qBAAqB;AAAA,EACrB,kBAAkB;AAAA,EAClB,qBAAqB;AAAA,EACrB,qBAAqB;AAAA,EACrB,iCAAiC;AAAA,EACjC,oCAAoC;AAAA,EACpC,YAAY;AAAA,EACZ,oBAAoB;AAAA,EACpB,qBAAqB;AACvB;AAEA,SAAS,sBAAsB,WAA+B,KAA0C;AACtG,MAAI,CAAC,aAAa,2BAA2B,GAAG,GAAG;AACjD,UAAM,IAAI,MAAM,8EAA8E;AAAA,EAChG;AACF;AAEA,SAAS,uBAAuB,kBAAsC;AACpE,MAAI,CAAC,kBAAkB;AACrB,UAAM,IAAI,MAAM,8FAA8F;AAAA,EAChH;AACF;AAEA,SAAS,+BAA+B,YAAoB,QAAgB;AAC1E,MAAI;AACJ,MAAI;AACF,gBAAY,IAAI,IAAI,UAAU;AAAA,EAChC,QAAQ;AACN,UAAM,IAAI,MAAM,oDAAoD;AAAA,EACtE;AAEA,MAAI,UAAU,WAAW,QAAQ;AAC/B,UAAM,IAAI,MAAM,kFAAkF;AAAA,EACpG;AACF;AAMA,SAAS,8BAA8B,qBAAiE;AACtG,QAAM,EAAE,QAAQ,aAAa,IAAI;AAIjC,MAAI,iBAAiB,cAAc,iBAAiB,UAAU;AAC5D,WAAO;AAAA,EACT;AAEA,MAAI,CAAC,gBAAgB,QAAQ,WAAW,WAAW,GAAG;AACpD,WAAO;AAAA,EACT;AAEA,SAAO;AACT;AAEA,SAAS,4BACP,KACA,qBACA,SACA;AACA,SACE,IAAI,WAAW,6BAA6B,gBAC5C,CAAC,CAAC,oBAAoB,wBACtB,QAAQ,WAAW;AAEvB;AAEA,eAAsB,oBACpB,SACA,SACuB;AACvB,QAAM,sBAAsB,MAAM,0BAA0B,mBAAmB,OAAO,GAAG,OAAO;AAChG,uBAAqB,oBAAoB,SAAS;AAElD,MAAI,oBAAoB,aAAa;AACnC,0BAAsB,oBAAoB,WAAW,oBAAoB,SAAS;AAClF,QAAI,oBAAoB,aAAa,oBAAoB,QAAQ;AAC/D,qCAA+B,oBAAoB,WAAW,oBAAoB,MAAM;AAAA,IAC1F;AACA,2BAAuB,oBAAoB,YAAY,oBAAoB,MAAM;AAAA,EACnF;AAGA,QAAM,iCAAiC,sCAAsC,QAAQ,uBAAuB;AAE5G,WAAS,wBAAwB,KAAU;AACzC,UAAM,aAAa,IAAI,IAAI,GAAG;AAE9B,eAAW,aAAa,OAAO,UAAU,gBAAgB,UAAU;AAEnE,eAAW,aAAa,OAAO,UAAU,gBAAgB,gBAAgB;AAEzE,WAAO;AAAA,EACT;AAEA,WAAS,yBAAyB,EAAE,gBAAgB,GAAgC;AAClF,UAAM,cAAc,wBAAwB,oBAAoB,QAAQ;AACxE,UAAM,wBAAwB,oBAAoB,YAAY,QAAQ,iBAAiB,EAAE;AAEzF,UAAM,MAAM,IAAI,IAAI,WAAW,qBAAqB,sBAAsB;AAC1E,QAAI,aAAa,OAAO,gBAAgB,aAAa,QAAQ,EAAE;AAC/D,QAAI,aAAa;AAAA,MACf,UAAU,gBAAgB;AAAA,MAC1B,oBAAoB,oBAAoB,EAAE,SAAS;AAAA,IACrD;AACA,QAAI,aAAa,OAAO,UAAU,gBAAgB,iBAAiB,eAAe;AAElF,QAAI,oBAAoB,iBAAiB,iBAAiB,oBAAoB,iBAAiB;AAC7F,UAAI,aAAa,OAAO,UAAU,gBAAgB,YAAY,oBAAoB,eAAe;AAAA,IACnG;AAEA,UAAM,aAAa;AAAA,MACjB,oBAAoB;AAAA,MACpB,QAAQ;AAAA,MACR;AAAA,IACF;AACA,QAAI,YAAY;AACd,YAAM,SAAS,+BAA+B,UAAU;AAExD,aAAO,QAAQ,CAAC,OAAO,QAAQ;AAC7B,YAAI,aAAa,OAAO,KAAK,KAAK;AAAA,MACpC,CAAC;AAAA,IACH;AAEA,WAAO,IAAI,QAAQ,EAAE,CAAC,UAAU,QAAQ,QAAQ,GAAG,IAAI,KAAK,CAAC;AAAA,EAC/D;AAEA,iBAAe,mBAAmB;AAChC,UAAM,UAAU,IAAI,QAAQ;AAAA,MAC1B,+BAA+B;AAAA,MAC/B,oCAAoC;AAAA,IACtC,CAAC;AAED,UAAM,mBAAmB,MAAM,qBAAqB,oBAAoB,gBAAiB,mBAAmB;AAC5G,UAAM,eAAe,iBAAiB;AAEtC,QAAI,eAAe;AACnB,iBAAa,QAAQ,CAAC,MAAc;AAClC,cAAQ,OAAO,cAAc,CAAC;AAC9B,UAAI,cAAc,CAAC,EAAE,WAAW,UAAU,QAAQ,OAAO,GAAG;AAC1D,uBAAe,eAAe,CAAC;AAAA,MACjC;AAAA,IACF,CAAC;AAED,QAAI,oBAAoB,iBAAiB,eAAe;AACtD,YAAM,SAAS,IAAI,IAAI,oBAAoB,QAAQ;AACnD,aAAO,aAAa,OAAO,UAAU,gBAAgB,SAAS;AAC9D,aAAO,aAAa,OAAO,UAAU,gBAAgB,aAAa;AAClE,cAAQ,OAAO,UAAU,QAAQ,UAAU,OAAO,SAAS,CAAC;AAC5D,cAAQ,IAAI,UAAU,QAAQ,cAAc,UAAU;AAAA,IACxD;AAEA,QAAI,iBAAiB,IAAI;AACvB,aAAO,UAAU,qBAAqB,gBAAgB,qBAAqB,IAAI,OAAO;AAAA,IACxF;AAEA,UAAM,EAAE,MAAM,QAAQ,CAAC,KAAK,IAAI,CAAC,EAAE,IAAI,MAAM,YAAY,cAAc,mBAAmB;AAC1F,QAAI,MAAM;AACR,aAAO,SAAS,qBAAqB,MAAM,SAAS,YAAY;AAAA,IAClE;AAEA,QACE,oBAAoB,iBAAiB,kBACpC,OAAO,WAAW,6BAA6B,gBAC9C,OAAO,WAAW,6BAA6B,qBAC/C,OAAO,WAAW,6BAA6B,sBACjD;AACA,YAAM,eAAe;AAErB,cAAQ;AAAA,QACN;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAMN,MAAM,eAAe,CAAC;AAAA,MAClB;AAGA,YAAM,EAAE,MAAM,aAAa,QAAQ,CAAC,UAAU,IAAI,CAAC,EAAE,IAAI,MAAM,YAAY,cAAc;AAAA,QACvF,GAAG;AAAA,QACH,eAAe;AAAA,MACjB,CAAC;AACD,UAAI,aAAa;AACf,eAAO,SAAS,qBAAqB,aAAa,SAAS,YAAY;AAAA,MACzE;AAEA,YAAM,IAAI,MAAM,YAAY,WAAW,gCAAgC;AAAA,IACzE;AAEA,UAAM,IAAI,MAAM,OAAO,WAAW,0BAA0B;AAAA,EAC9D;AAEA,iBAAe,aACbC,sBACuE;AAEvE,QAAI,CAAC,QAAQ,WAAW;AACtB,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,iBAAiB;AAAA,QAC5D;AAAA,MACF;AAAA,IACF;AACA,UAAM,EAAE,cAAc,qBAAqB,sBAAsBC,cAAa,IAAID;AAClF,QAAI,CAAC,qBAAqB;AACxB,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,oBAAoB;AAAA,QAC/D;AAAA,MACF;AAAA,IACF;AACA,QAAI,CAACC,eAAc;AACjB,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,oBAAoB;AAAA,QAC/D;AAAA,MACF;AAAA,IACF;AAEA,UAAM,EAAE,MAAM,cAAc,QAAQ,cAAc,IAAI,UAAU,mBAAmB;AACnF,QAAI,CAAC,gBAAgB,eAAe;AAClC,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,iCAAiC,QAAQ,cAAc;AAAA,QAClG;AAAA,MACF;AAAA,IACF;AAEA,QAAI,CAAC,cAAc,SAAS,KAAK;AAC/B,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,mCAAmC;AAAA,QAC9E;AAAA,MACF;AAAA,IACF;AAEA,QAAI;AAEF,YAAM,WAAW,MAAM,QAAQ,UAAU,SAAS,eAAe,aAAa,QAAQ,KAAK;AAAA,QACzF,QAAQ;AAAA,QACR,kBAAkBD,qBAAoB,oBAAoB;AAAA,QAC1D,eAAe,uBAAuB;AAAA,QACtC,eAAeC,iBAAgB;AAAA,QAC/B,gBAAgBD,qBAAoB,SAAS;AAAA;AAAA,QAE7C,iBAAiB,OAAO,YAAY,MAAM,KAAK,QAAQ,QAAQ,QAAQ,CAAC,EAAE,IAAI,CAAC,CAAC,GAAG,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,CAAC;AAAA,MACrG,CAAC;AACD,aAAO,EAAE,MAAM,SAAS,SAAS,OAAO,KAAK;AAAA,IAC/C,SAAS,KAAU;AACjB,UAAI,KAAK,QAAQ,QAAQ;AACvB,YAAI,IAAI,OAAO,CAAC,EAAE,SAAS,oBAAoB;AAC7C,iBAAO;AAAA,YACL,MAAM;AAAA,YACN,OAAO;AAAA,cACL,SAAS;AAAA,cACT,OAAO,EAAE,QAAQ,wBAAwB,YAAY,QAAQ,IAAI,OAAO;AAAA,YAC1E;AAAA,UACF;AAAA,QACF;AACA,eAAO;AAAA,UACL,MAAM;AAAA,UACN,OAAO;AAAA,YACL,SAAS,IAAI,OAAO,CAAC,EAAE;AAAA,YACvB,OAAO,EAAE,QAAQ,IAAI,OAAO,CAAC,EAAE,MAAM,QAAQ,IAAI,OAAO;AAAA,UAC1D;AAAA,QACF;AAAA,MACF,OAAO;AACL,eAAO;AAAA,UACL,MAAM;AAAA,UACN,OAAO;AAAA,YACL,SAAS;AAAA,YACT,OAAO,EAAE,QAAQ,wBAAwB,qBAAqB,QAAQ,CAAC,GAAG,EAAE;AAAA,UAC9E;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAAA,EACF;AAEA,iBAAe,eACbA,sBAIA;AACA,UAAM,EAAE,MAAM,cAAc,MAAM,IAAI,MAAM,aAAaA,oBAAmB;AAC5E,QAAI,CAAC,gBAAgB,aAAa,WAAW,GAAG;AAC9C,aAAO,EAAE,MAAM,MAAM,MAAM;AAAA,IAC7B;AAEA,UAAM,UAAU,IAAI,QAAQ;AAC5B,QAAI,eAAe;AACnB,iBAAa,QAAQ,CAAC,MAAc;AAClC,cAAQ,OAAO,cAAc,CAAC;AAC9B,UAAI,cAAc,CAAC,EAAE,WAAW,UAAU,QAAQ,OAAO,GAAG;AAC1D,uBAAe,eAAe,CAAC;AAAA,MACjC;AAAA,IACF,CAAC;AAGD,UAAM,EAAE,MAAM,YAAY,OAAO,IAAI,MAAM,YAAY,cAAcA,oBAAmB;AACxF,QAAI,QAAQ;AACV,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,qBAAqB,OAAO;AAAA,QACvE;AAAA,MACF;AAAA,IACF;AACA,WAAO,EAAE,MAAM,EAAE,YAAY,cAAc,QAAQ,GAAG,OAAO,KAAK;AAAA,EACpE;AAEA,WAAS,2BACPA,sBACA,QACA,SACA,SACiD;AACjD,QAAI,8BAA8BA,oBAAmB,GAAG;AAGtD,YAAM,mBAAmB,WAAW,yBAAyB,EAAE,iBAAiB,OAAO,CAAC;AAIxF,UAAI,iBAAiB,IAAI,UAAU,QAAQ,QAAQ,GAAG;AACpD,yBAAiB,IAAI,UAAU,QAAQ,cAAc,UAAU;AAAA,MACjE;AAKA,YAAM,iBAAiB,2CAA2C,gBAAgB;AAClF,UAAI,gBAAgB;AAClB,cAAM,MAAM;AACZ,gBAAQ,IAAI,GAAG;AACf,eAAO,UAAUA,sBAAqB,QAAQ,OAAO;AAAA,MACvD;AAEA,aAAO,UAAUA,sBAAqB,QAAQ,SAAS,gBAAgB;AAAA,IACzE;AAEA,WAAO,UAAUA,sBAAqB,QAAQ,OAAO;AAAA,EACvD;AAWA,WAAS,qCACPA,sBACA,MACwC;AACxC,UAAM,yBAAyB;AAAA,MAC7BA,qBAAoB;AAAA,MACpB,QAAQ;AAAA,MACR;AAAA,IACF;AACA,QAAI,CAAC,wBAAwB;AAC3B,aAAO;AAAA,IACT;AACA,QAAI,eAAe;AACnB,QAAI,uBAAuB,SAAS,gBAAgB;AAElD,UAAI,uBAAuB,oBAAoB,uBAAuB,qBAAqB,KAAK,SAAS;AACvG,uBAAe;AAAA,MACjB;AAEA,UAAI,uBAAuB,kBAAkB,uBAAuB,mBAAmB,KAAK,OAAO;AACjG,uBAAe;AAAA,MACjB;AAAA,IACF;AAEA,QAAI,uBAAuB,SAAS,qBAAqB,KAAK,OAAO;AACnE,qBAAe;AAAA,IACjB;AACA,QAAI,CAAC,cAAc;AACjB,aAAO;AAAA,IACT;AACA,QAAIA,qBAAoB,+BAA+B,GAAG;AAKxD,cAAQ;AAAA,QACN;AAAA,MACF;AACA,aAAO;AAAA,IACT;AACA,UAAM,iBAAiB;AAAA,MACrBA;AAAA,MACA,gBAAgB;AAAA,MAChB;AAAA,IACF;AACA,QAAI,eAAe,WAAW,aAAa;AAEzC,aAAO;AAAA,IACT;AACA,WAAO;AAAA,EACT;AAEA,iBAAe,uCAAuC;AACpD,UAAM,EAAE,qBAAqB,IAAI;AAEjC,QAAI;AACF,YAAM,EAAE,MAAM,OAAO,IAAI,MAAM,YAAY,sBAAuB,mBAAmB;AACrF,UAAI,QAAQ;AACV,cAAM,OAAO,CAAC;AAAA,MAChB;AAEA,aAAO,SAAS,qBAAqB,MAAM,QAAW,oBAAqB;AAAA,IAC7E,SAAS,KAAK;AACZ,aAAO,YAAY,KAAK,QAAQ;AAAA,IAClC;AAAA,EACF;AAKA,WAAS,2CAA2C,SAA2B;AAC7E,QAAI,oBAAoB,iCAAiC,GAAG;AAC1D,aAAO;AAAA,IACT;AAEA,UAAM,kBAAkB,oBAAoB,+BAA+B;AAC3E,UAAM,aAAa,UAAU,QAAQ;AACrC,YAAQ,OAAO,cAAc,GAAG,UAAU,IAAI,eAAe,qCAAqC;AAClG,WAAO;AAAA,EACT;AAEA,WAAS,mDAAmD,OAA+B;AAOzF,QAAI,MAAM,WAAW,6BAA6B,uBAAuB;AACvE,YAAM,MAAM;AACZ,YAAM,IAAI,MAAM,GAAG;AAAA,IACrB;AACA,UAAM,IAAI,MAAM,+CAA+C,MAAM,eAAe,CAAC,GAAG;AAAA,EAC1F;AAEA,iBAAe,uCAAuC;AACpD,UAAM,kBAAkB,oBAAoB;AAC5C,UAAM,kBAAkB,CAAC,CAAC,oBAAoB;AAC9C,UAAM,qBAAqB,CAAC,CAAC,oBAAoB;AAKjD,QAAI,oBAAoB,gBAAgB;AACtC,UAAI;AACF,eAAO,MAAM,iBAAiB;AAAA,MAChC,SAAS,OAAO;AAYd,YAAI,iBAAiB,0BAA0B,oBAAoB,iBAAiB,eAAe;AACjG,6DAAmD,KAAK;AAAA,QAC1D,OAAO;AACL,kBAAQ,MAAM,uCAAuC,KAAK;AAAA,QAC5D;AAAA,MACF;AAAA,IACF;AAIA,QACE,oBAAoB,iBAAiB,iBACrC,oBAAoB,SAAS,aAAa,IAAI,UAAU,gBAAgB,UAAU,GAClF;AACA,aAAO,2BAA2B,qBAAqB,gBAAgB,gBAAgB,EAAE;AAAA,IAC3F;AAEA,UAAM,sCACJ,oBAAoB,eAAe,oBAAoB,iBAAiB;AAK1E,QAAI,oBAAoB,iBAAiB,gBAAgB,qCAAqC;AAC5F,aAAO,2BAA2B,qBAAqB,gBAAgB,6BAA6B,EAAE;AAAA,IACxG;AAGA,QACE,oBAAoB,iBAAiB,iBACrC,uCACA,CAAC,oBAAoB,SAAS,aAAa,IAAI,UAAU,gBAAgB,WAAW,GACpF;AAIA,YAAM,cAAc,IAAI,IAAI,oBAAoB,SAAU;AAC1D,kBAAY,aAAa;AAAA,QACvB,UAAU,gBAAgB;AAAA,QAC1B,oBAAoB,SAAS,SAAS;AAAA,MACxC;AACA,YAAM,UAAU,IAAI,QAAQ,EAAE,CAAC,UAAU,QAAQ,QAAQ,GAAG,YAAY,SAAS,EAAE,CAAC;AACpF,aAAO,2BAA2B,qBAAqB,gBAAgB,6BAA6B,IAAI,OAAO;AAAA,IACjH;AAGA,UAAM,cAAc,IAAI,IAAI,oBAAoB,QAAQ,EAAE,aAAa;AAAA,MACrE,UAAU,gBAAgB;AAAA,IAC5B;AAEA,QAAI,oBAAoB,iBAAiB,iBAAiB,CAAC,oBAAoB,eAAe,aAAa;AAEzG,YAAM,6BAA6B,IAAI,IAAI,WAAW;AAEtD,UAAI,oBAAoB,iBAAiB;AACvC,mCAA2B,aAAa;AAAA,UACtC,UAAU,gBAAgB;AAAA,UAC1B,oBAAoB;AAAA,QACtB;AAAA,MACF;AACA,iCAA2B,aAAa,OAAO,UAAU,gBAAgB,aAAa,MAAM;AAE5F,YAAM,UAAU,IAAI,QAAQ,EAAE,CAAC,UAAU,QAAQ,QAAQ,GAAG,2BAA2B,SAAS,EAAE,CAAC;AACnG,aAAO,2BAA2B,qBAAqB,gBAAgB,0BAA0B,IAAI,OAAO;AAAA,IAC9G;AAKA,QAAI,oBAAoB,iBAAiB,iBAAiB,CAAC,oBAAoB;AAC7E,aAAO,2BAA2B,qBAAqB,gBAAgB,mBAAmB,EAAE;AAAA,IAC9F;AAEA,QAAI,CAAC,mBAAmB,CAAC,iBAAiB;AACxC,aAAO,UAAU,qBAAqB,gBAAgB,2BAA2B,EAAE;AAAA,IACrF;AAGA,QAAI,CAAC,mBAAmB,iBAAiB;AACvC,aAAO,2BAA2B,qBAAqB,gBAAgB,8BAA8B,EAAE;AAAA,IACzG;AAEA,QAAI,mBAAmB,CAAC,iBAAiB;AACvC,aAAO,2BAA2B,qBAAqB,gBAAgB,8BAA8B,EAAE;AAAA,IACzG;AAEA,UAAM,EAAE,MAAM,cAAc,QAAQ,cAAc,IAAI,UAAU,oBAAoB,oBAAqB;AAEzG,QAAI,eAAe;AACjB,aAAO,YAAY,cAAc,CAAC,GAAG,QAAQ;AAAA,IAC/C;AAEA,QAAI,aAAa,QAAQ,MAAM,oBAAoB,WAAW;AAC5D,aAAO,2BAA2B,qBAAqB,gBAAgB,gCAAgC,EAAE;AAAA,IAC3G;AAEA,QAAI;AACF,YAAM,EAAE,MAAM,OAAO,IAAI,MAAM,YAAY,oBAAoB,sBAAuB,mBAAmB;AACzG,UAAI,QAAQ;AACV,cAAM,OAAO,CAAC;AAAA,MAChB;AACA,YAAM,uBAAuB;AAAA,QAC3B;AAAA,QACA;AAAA,QACA;AAAA,QACA,oBAAoB;AAAA,MACtB;AAGA,YAAM,wBAAwB;AAAA,QAC5B;AAAA,QACA,qBAAqB,OAAO;AAAA,MAC9B;AACA,UAAI,uBAAuB;AACzB,eAAO;AAAA,MACT;AAEA,aAAO;AAAA,IACT,SAAS,KAAK;AACZ,aAAO,YAAY,KAAK,QAAQ;AAAA,IAClC;AAEA,WAAO,UAAU,qBAAqB,gBAAgB,eAAe;AAAA,EACvE;AAEA,iBAAe,YACb,KACA,cAC0D;AAC1D,QAAI,EAAE,eAAe,yBAAyB;AAC5C,aAAO,UAAU,qBAAqB,gBAAgB,eAAe;AAAA,IACvE;AAEA,QAAI;AAEJ,QAAI,4BAA4B,KAAK,qBAAqB,OAAO,GAAG;AAClE,YAAM,EAAE,MAAM,MAAM,IAAI,MAAM,eAAe,mBAAmB;AAChE,UAAI,MAAM;AACR,eAAO,SAAS,qBAAqB,KAAK,YAAY,KAAK,SAAS,KAAK,YAAY;AAAA,MACvF;AAGA,UAAI,OAAO,OAAO,QAAQ;AACxB,uBAAe,MAAM,MAAM;AAAA,MAC7B,OAAO;AACL,uBAAe,wBAAwB;AAAA,MACzC;AAAA,IACF,OAAO;AACL,UAAI,QAAQ,WAAW,OAAO;AAC5B,uBAAe,wBAAwB;AAAA,MACzC,WAAW,CAAC,oBAAoB,sBAAsB;AACpD,uBAAe,wBAAwB;AAAA,MACzC,OAAO;AAEL,uBAAe;AAAA,MACjB;AAAA,IACF;AAEA,QAAI,eAAe;AAEnB,UAAM,oBAAoB;AAAA,MACxB,6BAA6B;AAAA,MAC7B,6BAA6B;AAAA,MAC7B,6BAA6B;AAAA,IAC/B,EAAE,SAAS,IAAI,MAAM;AAErB,QAAI,mBAAmB;AACrB,aAAO;AAAA,QACL;AAAA,QACA,qDAAqD,EAAE,YAAY,IAAI,QAAQ,aAAa,CAAC;AAAA,QAC7F,IAAI,eAAe;AAAA,MACrB;AAAA,IACF;AAEA,WAAO,UAAU,qBAAqB,IAAI,QAAQ,IAAI,eAAe,CAAC;AAAA,EACxE;AAEA,MAAI,oBAAoB,sBAAsB;AAC5C,WAAO,qCAAqC;AAAA,EAC9C;AAEA,SAAO,qCAAqC;AAC9C;AAKO,IAAM,oBAAoB,CAAC,WAAyB;AACzD,QAAM,EAAE,YAAY,UAAU,QAAQ,SAAS,gBAAgB,aAAa,OAAO,IAAI;AACvF,SAAO,EAAE,YAAY,UAAU,QAAQ,SAAS,gBAAgB,aAAa,OAAO;AACtF;AAUO,SAAS,sCACd,SACgC;AAChC,MAAI,yBAA2F;AAC/F,MAAI,SAAS,yBAAyB;AACpC,QAAI;AACF,+BAAyB,MAAM,QAAQ,uBAAuB;AAAA,IAChE,SAAS,GAAG;AAEV,YAAM,IAAI,MAAM,qCAAqC,QAAQ,uBAAuB,OAAO,CAAC,GAAG;AAAA,IACjG;AAAA,EACF;AAEA,MAAI,sBAAwF;AAC5F,MAAI,SAAS,sBAAsB;AACjC,QAAI;AACF,4BAAsB,MAAM,QAAQ,oBAAoB;AAAA,IAC1D,SAAS,GAAG;AAEV,YAAM,IAAI,MAAM,wCAAwC,QAAQ,oBAAoB,OAAO,CAAC,GAAG;AAAA,IACjG;AAAA,EACF;AAEA,SAAO;AAAA,IACL,qBAAqB;AAAA,IACrB,wBAAwB;AAAA,EAC1B;AACF;AAUO,SAAS,0BACd,KACA,SACA,UAC+B;AAC/B,MAAI,CAAC,SAAS;AACZ,WAAO;AAAA,EACT;AAGA,MAAI,SAAS,qBAAqB;AAChC,QAAI;AACJ,QAAI;AACF,kBAAY,SAAS,oBAAoB,IAAI,QAAQ;AAAA,IACvD,SAAS,GAAG;AAEV,cAAQ,MAAM,gDAAgD,QAAQ,oBAAoB,eAAe,CAAC;AAC1G,aAAO;AAAA,IACT;AAEA,QAAI,aAAa,YAAY,WAAW;AACtC,YAAM,SAAS,UAAU;AAEzB,UAAI,QAAQ,UAAU,OAAO,OAAO,OAAO,UAAU;AACnD,eAAO,EAAE,MAAM,gBAAgB,gBAAgB,OAAO,GAAG;AAAA,MAC3D;AACA,UAAI,UAAU,UAAU,OAAO,OAAO,SAAS,UAAU;AACvD,eAAO,EAAE,MAAM,gBAAgB,kBAAkB,OAAO,KAAK;AAAA,MAC/D;AACA,cAAQ;AAAA,QACN;AAAA,MACF;AAAA,IACF;AAAA,EACF;AAGA,MAAI,SAAS,wBAAwB;AACnC,QAAI;AACJ,QAAI;AACF,uBAAiB,SAAS,uBAAuB,IAAI,QAAQ;AAAA,IAC/D,SAAS,GAAG;AAEV,cAAQ,MAAM,6CAA6C,QAAQ,uBAAuB,eAAe,CAAC;AAC1G,aAAO;AAAA,IACT;AAEA,QAAI,gBAAgB;AAClB,aAAO,EAAE,MAAM,kBAAkB;AAAA,IACnC;AAAA,EACF;AACA,SAAO;AACT;AAcA,SAAS,+BAA+B,YAAyD;AAC/F,QAAM,MAAM,oBAAI,IAAI;AACpB,MAAI,WAAW,SAAS,mBAAmB;AACzC,QAAI,IAAI,mBAAmB,EAAE;AAAA,EAC/B;AACA,MAAI,WAAW,SAAS,gBAAgB;AACtC,QAAI,WAAW,gBAAgB;AAC7B,UAAI,IAAI,mBAAmB,WAAW,cAAc;AAAA,IACtD;AACA,QAAI,WAAW,kBAAkB;AAC/B,UAAI,IAAI,mBAAmB,WAAW,gBAAgB;AAAA,IACxD;AAAA,EACF;AACA,SAAO;AACT;AAEA,IAAM,uDAAuD,CAAC;AAAA,EAC5D;AAAA,EACA;AACF,MAGc;AACZ,UAAQ,YAAY;AAAA,IAClB,KAAK,6BAA6B;AAChC,aAAO,GAAG,gBAAgB,mBAAmB,YAAY,YAAY;AAAA,IACvE,KAAK,6BAA6B;AAChC,aAAO,gBAAgB;AAAA,IACzB,KAAK,6BAA6B;AAChC,aAAO,gBAAgB;AAAA,IACzB;AACE,aAAO,gBAAgB;AAAA,EAC3B;AACF;;;AI50BO,SAAS,uBAAsD,mBAAsB,SAAwB;AAClH,SAAO,OAAO,KAAK,iBAAiB,EAAE;AAAA,IACpC,CAAC,KAAQ,QAAgB;AACvB,aAAO,EAAE,GAAG,KAAK,CAAC,GAAG,GAAG,QAAQ,GAAG,KAAK,IAAI,GAAG,EAAE;AAAA,IACnD;AAAA,IACA,EAAE,GAAG,kBAAkB;AAAA,EACzB;AACF;;;ACcA,IAAM,iBAAiB;AAAA,EACrB,WAAW;AAAA,EACX,QAAQ;AAAA,EACR,QAAQ;AAAA,EACR,YAAY;AAAA,EACZ,UAAU;AAAA,EACV,gBAAgB;AAAA,EAChB,aAAa;AAAA,EACb,QAAQ;AAAA,EACR,UAAU;AACZ;AAaO,SAAS,0BAA0B,QAA0C;AAClF,QAAM,mBAAmB,uBAAuB,gBAAgB,OAAO,OAAO;AAC9E,QAAM,YAAY,OAAO;AAEzB,QAAME,uBAAsB,CAAC,SAAkB,UAA0B,CAAC,MAAM;AAC9E,UAAM,EAAE,QAAQ,WAAW,IAAI;AAC/B,UAAM,iBAAiB,uBAAuB,kBAAkB,OAAO;AACvE,WAAO,oBAA4B,SAAS;AAAA,MAC1C,GAAG;AAAA,MACH,GAAG;AAAA;AAAA;AAAA,MAGH;AAAA,MACA;AAAA,MACA;AAAA,IACF,CAAC;AAAA,EACH;AAEA,SAAO;AAAA,IACL,qBAAAA;AAAA,IACA;AAAA,EACF;AACF;","names":["Headers","basePath","basePath","basePath","basePath","basePath","basePath","basePath","basePath","basePath","basePath","basePath","basePath","basePath","Cookies","data","Cookies","jwk","authenticateContext","refreshToken","authenticateRequest"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/constants.d.ts b/backend/node_modules/@clerk/backend/dist/constants.d.ts new file mode 100644 index 000000000..28a1a7df1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/constants.d.ts @@ -0,0 +1,66 @@ +export declare const API_URL = "https://api.clerk.com"; +export declare const API_VERSION = "v1"; +export declare const USER_AGENT: string; +export declare const MAX_CACHE_LAST_UPDATED_AT_SECONDS: number; +export declare const SUPPORTED_BAPI_VERSION = "2024-10-01"; +/** + * @internal + */ +export declare const constants: { + readonly Attributes: { + readonly AuthToken: "__clerkAuthToken"; + readonly AuthSignature: "__clerkAuthSignature"; + readonly AuthStatus: "__clerkAuthStatus"; + readonly AuthReason: "__clerkAuthReason"; + readonly AuthMessage: "__clerkAuthMessage"; + readonly ClerkUrl: "__clerkUrl"; + }; + readonly Cookies: { + readonly Session: "__session"; + readonly Refresh: "__refresh"; + readonly ClientUat: "__client_uat"; + readonly Handshake: "__clerk_handshake"; + readonly DevBrowser: "__clerk_db_jwt"; + readonly RedirectCount: "__clerk_redirect_count"; + }; + readonly Headers: { + readonly AuthToken: "x-clerk-auth-token"; + readonly AuthSignature: "x-clerk-auth-signature"; + readonly AuthStatus: "x-clerk-auth-status"; + readonly AuthReason: "x-clerk-auth-reason"; + readonly AuthMessage: "x-clerk-auth-message"; + readonly ClerkUrl: "x-clerk-clerk-url"; + readonly EnableDebug: "x-clerk-debug"; + readonly ClerkRequestData: "x-clerk-request-data"; + readonly ClerkRedirectTo: "x-clerk-redirect-to"; + readonly CloudFrontForwardedProto: "cloudfront-forwarded-proto"; + readonly Authorization: "authorization"; + readonly ForwardedPort: "x-forwarded-port"; + readonly ForwardedProto: "x-forwarded-proto"; + readonly ForwardedHost: "x-forwarded-host"; + readonly Accept: "accept"; + readonly Referrer: "referer"; + readonly UserAgent: "user-agent"; + readonly Origin: "origin"; + readonly Host: "host"; + readonly ContentType: "content-type"; + readonly SecFetchDest: "sec-fetch-dest"; + readonly Location: "location"; + readonly CacheControl: "cache-control"; + }; + readonly ContentTypes: { + readonly Json: "application/json"; + }; + readonly QueryParameters: { + readonly ClerkSynced: "__clerk_synced"; + readonly SuffixedCookies: "suffixed_cookies"; + readonly ClerkRedirectUrl: "__clerk_redirect_url"; + readonly DevBrowser: "__clerk_db_jwt"; + readonly Handshake: "__clerk_handshake"; + readonly HandshakeHelp: "__clerk_help"; + readonly LegacyDevBrowser: "__dev_session"; + readonly HandshakeReason: "__clerk_hs_reason"; + }; +}; +export type Constants = typeof constants; +//# sourceMappingURL=constants.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/constants.d.ts.map b/backend/node_modules/@clerk/backend/dist/constants.d.ts.map new file mode 100644 index 000000000..6ab4db77b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/constants.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"constants.d.ts","sourceRoot":"","sources":["../src/constants.ts"],"names":[],"mappings":"AAAA,eAAO,MAAM,OAAO,0BAA0B,CAAC;AAC/C,eAAO,MAAM,WAAW,OAAO,CAAC;AAEhC,eAAO,MAAM,UAAU,QAAuC,CAAC;AAC/D,eAAO,MAAM,iCAAiC,QAAS,CAAC;AACxD,eAAO,MAAM,sBAAsB,eAAe,CAAC;AA8DnD;;GAEG;AACH,eAAO,MAAM,SAAS;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;CAMZ,CAAC;AAEX,MAAM,MAAM,SAAS,GAAG,OAAO,SAAS,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/createRedirect.d.ts b/backend/node_modules/@clerk/backend/dist/createRedirect.d.ts new file mode 100644 index 000000000..6f5ebe9ec --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/createRedirect.d.ts @@ -0,0 +1,22 @@ +type RedirectAdapter = (url: string) => RedirectReturn; +type RedirectToParams = { + returnBackUrl?: string | URL | null; +}; +export type RedirectFun = (params?: RedirectToParams) => ReturnType; +/** + * @internal + */ +type CreateRedirect = (params: { + publishableKey: string; + devBrowserToken?: string; + redirectAdapter: RedirectAdapter; + baseUrl: URL | string; + signInUrl?: URL | string; + signUpUrl?: URL | string; +}) => { + redirectToSignIn: RedirectFun; + redirectToSignUp: RedirectFun; +}; +export declare const createRedirect: CreateRedirect; +export {}; +//# sourceMappingURL=createRedirect.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/createRedirect.d.ts.map b/backend/node_modules/@clerk/backend/dist/createRedirect.d.ts.map new file mode 100644 index 000000000..f9ce49950 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/createRedirect.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"createRedirect.d.ts","sourceRoot":"","sources":["../src/createRedirect.ts"],"names":[],"mappings":"AAqEA,KAAK,eAAe,CAAC,cAAc,IAAI,CAAC,GAAG,EAAE,MAAM,KAAK,cAAc,CAAC;AACvE,KAAK,gBAAgB,GAAG;IAAE,aAAa,CAAC,EAAE,MAAM,GAAG,GAAG,GAAG,IAAI,CAAA;CAAE,CAAC;AAChE,MAAM,MAAM,WAAW,CAAC,UAAU,IAAI,CAAC,MAAM,CAAC,EAAE,gBAAgB,KAAK,UAAU,CAAC;AAEhF;;GAEG;AACH,KAAK,cAAc,GAAG,CAAC,UAAU,EAAE,MAAM,EAAE;IACzC,cAAc,EAAE,MAAM,CAAC;IACvB,eAAe,CAAC,EAAE,MAAM,CAAC;IACzB,eAAe,EAAE,eAAe,CAAC,UAAU,CAAC,CAAC;IAC7C,OAAO,EAAE,GAAG,GAAG,MAAM,CAAC;IACtB,SAAS,CAAC,EAAE,GAAG,GAAG,MAAM,CAAC;IACzB,SAAS,CAAC,EAAE,GAAG,GAAG,MAAM,CAAC;CAC1B,KAAK;IACJ,gBAAgB,EAAE,WAAW,CAAC,UAAU,CAAC,CAAC;IAC1C,gBAAgB,EAAE,WAAW,CAAC,UAAU,CAAC,CAAC;CAC3C,CAAC;AAEF,eAAO,MAAM,cAAc,EAAE,cA4B5B,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/errors.d.ts b/backend/node_modules/@clerk/backend/dist/errors.d.ts new file mode 100644 index 000000000..9a11e985e --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/errors.d.ts @@ -0,0 +1,45 @@ +export type TokenCarrier = 'header' | 'cookie'; +export declare const TokenVerificationErrorCode: { + InvalidSecretKey: string; +}; +export type TokenVerificationErrorCode = (typeof TokenVerificationErrorCode)[keyof typeof TokenVerificationErrorCode]; +export declare const TokenVerificationErrorReason: { + TokenExpired: string; + TokenInvalid: string; + TokenInvalidAlgorithm: string; + TokenInvalidAuthorizedParties: string; + TokenInvalidSignature: string; + TokenNotActiveYet: string; + TokenIatInTheFuture: string; + TokenVerificationFailed: string; + InvalidSecretKey: string; + LocalJWKMissing: string; + RemoteJWKFailedToLoad: string; + RemoteJWKInvalid: string; + RemoteJWKMissing: string; + JWKFailedToResolve: string; + JWKKidMismatch: string; +}; +export type TokenVerificationErrorReason = (typeof TokenVerificationErrorReason)[keyof typeof TokenVerificationErrorReason]; +export declare const TokenVerificationErrorAction: { + ContactSupport: string; + EnsureClerkJWT: string; + SetClerkJWTKey: string; + SetClerkSecretKey: string; + EnsureClockSync: string; +}; +export type TokenVerificationErrorAction = (typeof TokenVerificationErrorAction)[keyof typeof TokenVerificationErrorAction]; +export declare class TokenVerificationError extends Error { + action?: TokenVerificationErrorAction; + reason: TokenVerificationErrorReason; + tokenCarrier?: TokenCarrier; + constructor({ action, message, reason, }: { + action?: TokenVerificationErrorAction; + message: string; + reason: TokenVerificationErrorReason; + }); + getFullMessage(): string; +} +export declare class SignJWTError extends Error { +} +//# sourceMappingURL=errors.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/errors.d.ts.map b/backend/node_modules/@clerk/backend/dist/errors.d.ts.map new file mode 100644 index 000000000..73ed69aac --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/errors.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"errors.d.ts","sourceRoot":"","sources":["../src/errors.ts"],"names":[],"mappings":"AAAA,MAAM,MAAM,YAAY,GAAG,QAAQ,GAAG,QAAQ,CAAC;AAE/C,eAAO,MAAM,0BAA0B;;CAEtC,CAAC;AAEF,MAAM,MAAM,0BAA0B,GAAG,CAAC,OAAO,0BAA0B,CAAC,CAAC,MAAM,OAAO,0BAA0B,CAAC,CAAC;AAEtH,eAAO,MAAM,4BAA4B;;;;;;;;;;;;;;;;CAgBxC,CAAC;AAEF,MAAM,MAAM,4BAA4B,GACtC,CAAC,OAAO,4BAA4B,CAAC,CAAC,MAAM,OAAO,4BAA4B,CAAC,CAAC;AAEnF,eAAO,MAAM,4BAA4B;;;;;;CAMxC,CAAC;AAEF,MAAM,MAAM,4BAA4B,GACtC,CAAC,OAAO,4BAA4B,CAAC,CAAC,MAAM,OAAO,4BAA4B,CAAC,CAAC;AAEnF,qBAAa,sBAAuB,SAAQ,KAAK;IAC/C,MAAM,CAAC,EAAE,4BAA4B,CAAC;IACtC,MAAM,EAAE,4BAA4B,CAAC;IACrC,YAAY,CAAC,EAAE,YAAY,CAAC;gBAEhB,EACV,MAAM,EACN,OAAO,EACP,MAAM,GACP,EAAE;QACD,MAAM,CAAC,EAAE,4BAA4B,CAAC;QACtC,OAAO,EAAE,MAAM,CAAC;QAChB,MAAM,EAAE,4BAA4B,CAAC;KACtC;IAUM,cAAc;CAKtB;AAED,qBAAa,YAAa,SAAQ,KAAK;CAAG"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/errors.js b/backend/node_modules/@clerk/backend/dist/errors.js new file mode 100644 index 000000000..70c173e2a --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/errors.js @@ -0,0 +1,83 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/errors.ts +var errors_exports = {}; +__export(errors_exports, { + SignJWTError: () => SignJWTError, + TokenVerificationError: () => TokenVerificationError, + TokenVerificationErrorAction: () => TokenVerificationErrorAction, + TokenVerificationErrorCode: () => TokenVerificationErrorCode, + TokenVerificationErrorReason: () => TokenVerificationErrorReason +}); +module.exports = __toCommonJS(errors_exports); +var TokenVerificationErrorCode = { + InvalidSecretKey: "clerk_key_invalid" +}; +var TokenVerificationErrorReason = { + TokenExpired: "token-expired", + TokenInvalid: "token-invalid", + TokenInvalidAlgorithm: "token-invalid-algorithm", + TokenInvalidAuthorizedParties: "token-invalid-authorized-parties", + TokenInvalidSignature: "token-invalid-signature", + TokenNotActiveYet: "token-not-active-yet", + TokenIatInTheFuture: "token-iat-in-the-future", + TokenVerificationFailed: "token-verification-failed", + InvalidSecretKey: "secret-key-invalid", + LocalJWKMissing: "jwk-local-missing", + RemoteJWKFailedToLoad: "jwk-remote-failed-to-load", + RemoteJWKInvalid: "jwk-remote-invalid", + RemoteJWKMissing: "jwk-remote-missing", + JWKFailedToResolve: "jwk-failed-to-resolve", + JWKKidMismatch: "jwk-kid-mismatch" +}; +var TokenVerificationErrorAction = { + ContactSupport: "Contact support@clerk.com", + EnsureClerkJWT: "Make sure that this is a valid Clerk generate JWT.", + SetClerkJWTKey: "Set the CLERK_JWT_KEY environment variable.", + SetClerkSecretKey: "Set the CLERK_SECRET_KEY environment variable.", + EnsureClockSync: "Make sure your system clock is in sync (e.g. turn off and on automatic time synchronization)." +}; +var TokenVerificationError = class _TokenVerificationError extends Error { + constructor({ + action, + message, + reason + }) { + super(message); + Object.setPrototypeOf(this, _TokenVerificationError.prototype); + this.reason = reason; + this.message = message; + this.action = action; + } + getFullMessage() { + return `${[this.message, this.action].filter((m) => m).join(" ")} (reason=${this.reason}, token-carrier=${this.tokenCarrier})`; + } +}; +var SignJWTError = class extends Error { +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + SignJWTError, + TokenVerificationError, + TokenVerificationErrorAction, + TokenVerificationErrorCode, + TokenVerificationErrorReason +}); +//# sourceMappingURL=errors.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/errors.js.map b/backend/node_modules/@clerk/backend/dist/errors.js.map new file mode 100644 index 000000000..1c4a6a33b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/errors.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/errors.ts"],"sourcesContent":["export type TokenCarrier = 'header' | 'cookie';\n\nexport const TokenVerificationErrorCode = {\n InvalidSecretKey: 'clerk_key_invalid',\n};\n\nexport type TokenVerificationErrorCode = (typeof TokenVerificationErrorCode)[keyof typeof TokenVerificationErrorCode];\n\nexport const TokenVerificationErrorReason = {\n TokenExpired: 'token-expired',\n TokenInvalid: 'token-invalid',\n TokenInvalidAlgorithm: 'token-invalid-algorithm',\n TokenInvalidAuthorizedParties: 'token-invalid-authorized-parties',\n TokenInvalidSignature: 'token-invalid-signature',\n TokenNotActiveYet: 'token-not-active-yet',\n TokenIatInTheFuture: 'token-iat-in-the-future',\n TokenVerificationFailed: 'token-verification-failed',\n InvalidSecretKey: 'secret-key-invalid',\n LocalJWKMissing: 'jwk-local-missing',\n RemoteJWKFailedToLoad: 'jwk-remote-failed-to-load',\n RemoteJWKInvalid: 'jwk-remote-invalid',\n RemoteJWKMissing: 'jwk-remote-missing',\n JWKFailedToResolve: 'jwk-failed-to-resolve',\n JWKKidMismatch: 'jwk-kid-mismatch',\n};\n\nexport type TokenVerificationErrorReason =\n (typeof TokenVerificationErrorReason)[keyof typeof TokenVerificationErrorReason];\n\nexport const TokenVerificationErrorAction = {\n ContactSupport: 'Contact support@clerk.com',\n EnsureClerkJWT: 'Make sure that this is a valid Clerk generate JWT.',\n SetClerkJWTKey: 'Set the CLERK_JWT_KEY environment variable.',\n SetClerkSecretKey: 'Set the CLERK_SECRET_KEY environment variable.',\n EnsureClockSync: 'Make sure your system clock is in sync (e.g. turn off and on automatic time synchronization).',\n};\n\nexport type TokenVerificationErrorAction =\n (typeof TokenVerificationErrorAction)[keyof typeof TokenVerificationErrorAction];\n\nexport class TokenVerificationError extends Error {\n action?: TokenVerificationErrorAction;\n reason: TokenVerificationErrorReason;\n tokenCarrier?: TokenCarrier;\n\n constructor({\n action,\n message,\n reason,\n }: {\n action?: TokenVerificationErrorAction;\n message: string;\n reason: TokenVerificationErrorReason;\n }) {\n super(message);\n\n Object.setPrototypeOf(this, TokenVerificationError.prototype);\n\n this.reason = reason;\n this.message = message;\n this.action = action;\n }\n\n public getFullMessage() {\n return `${[this.message, this.action].filter(m => m).join(' ')} (reason=${this.reason}, token-carrier=${\n this.tokenCarrier\n })`;\n }\n}\n\nexport class SignJWTError extends Error {}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAEO,IAAM,6BAA6B;AAAA,EACxC,kBAAkB;AACpB;AAIO,IAAM,+BAA+B;AAAA,EAC1C,cAAc;AAAA,EACd,cAAc;AAAA,EACd,uBAAuB;AAAA,EACvB,+BAA+B;AAAA,EAC/B,uBAAuB;AAAA,EACvB,mBAAmB;AAAA,EACnB,qBAAqB;AAAA,EACrB,yBAAyB;AAAA,EACzB,kBAAkB;AAAA,EAClB,iBAAiB;AAAA,EACjB,uBAAuB;AAAA,EACvB,kBAAkB;AAAA,EAClB,kBAAkB;AAAA,EAClB,oBAAoB;AAAA,EACpB,gBAAgB;AAClB;AAKO,IAAM,+BAA+B;AAAA,EAC1C,gBAAgB;AAAA,EAChB,gBAAgB;AAAA,EAChB,gBAAgB;AAAA,EAChB,mBAAmB;AAAA,EACnB,iBAAiB;AACnB;AAKO,IAAM,yBAAN,MAAM,gCAA+B,MAAM;AAAA,EAKhD,YAAY;AAAA,IACV;AAAA,IACA;AAAA,IACA;AAAA,EACF,GAIG;AACD,UAAM,OAAO;AAEb,WAAO,eAAe,MAAM,wBAAuB,SAAS;AAE5D,SAAK,SAAS;AACd,SAAK,UAAU;AACf,SAAK,SAAS;AAAA,EAChB;AAAA,EAEO,iBAAiB;AACtB,WAAO,GAAG,CAAC,KAAK,SAAS,KAAK,MAAM,EAAE,OAAO,OAAK,CAAC,EAAE,KAAK,GAAG,CAAC,YAAY,KAAK,MAAM,mBACnF,KAAK,YACP;AAAA,EACF;AACF;AAEO,IAAM,eAAN,cAA2B,MAAM;AAAC;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/errors.mjs b/backend/node_modules/@clerk/backend/dist/errors.mjs new file mode 100644 index 000000000..5a7512d05 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/errors.mjs @@ -0,0 +1,15 @@ +import { + SignJWTError, + TokenVerificationError, + TokenVerificationErrorAction, + TokenVerificationErrorCode, + TokenVerificationErrorReason +} from "./chunk-5JS2VYLU.mjs"; +export { + SignJWTError, + TokenVerificationError, + TokenVerificationErrorAction, + TokenVerificationErrorCode, + TokenVerificationErrorReason +}; +//# sourceMappingURL=errors.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/errors.mjs.map b/backend/node_modules/@clerk/backend/dist/errors.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/errors.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/fixtures/index.d.ts b/backend/node_modules/@clerk/backend/dist/fixtures/index.d.ts new file mode 100644 index 000000000..24b25ce66 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/fixtures/index.d.ts @@ -0,0 +1,83 @@ +export declare const mockJwt = "eyJhbGciOiJSUzI1NiIsImtpZCI6Imluc18yR0lvUWhiVXB5MGhYN0IyY1ZrdVRNaW5Yb0QiLCJ0eXAiOiJKV1QifQ.eyJhenAiOiJodHRwczovL2FjY291bnRzLmluc3BpcmVkLnB1bWEtNzQubGNsLmRldiIsImV4cCI6MTY2NjY0ODMxMCwiaWF0IjoxNjY2NjQ4MjUwLCJpc3MiOiJodHRwczovL2NsZXJrLmluc3BpcmVkLnB1bWEtNzQubGNsLmRldiIsIm5iZiI6MTY2NjY0ODI0MCwic2lkIjoic2Vzc18yR2JEQjRlbk5kQ2E1dlMxenBDM1h6Zzl0SzkiLCJzdWIiOiJ1c2VyXzJHSXBYT0VwVnlKdzUxcmtabjlLbW5jNlN4ciJ9.j3rB92k32WqbQDkFB093H4GoQsBVLH4HLGF6ObcwUaVGiHC8SEu6T31FuPf257SL8A5sSGtWWM1fqhQpdLohgZb_hbJswGBuYI-Clxl9BtpIRHbWFZkLBIj8yS9W9aVtD3fWBbF6PHx7BY1udio-rbGWg1YAOZNtVcxF02p-MvX-8XIK92Vwu3Un5zyfCoVIg__qo3Xntzw3tznsZ4XDe212c6kVz1R_L1d5DKjeWXpjUPAS_zFeZSIJEQLf4JNr4JCY38tfdnc3ajfDA3p36saf1XwmTdWXQKCXi75c2TJAXROs3Pgqr5Kw_5clygoFuxN5OEMhFWFSnvIBdi3M6w"; +export declare const mockExpiredJwt = "eyJhbGciOiJSUzI1NiIsImtpZCI6Imluc18yR0lvUWhiVXB5MGhYN0IyY1ZrdVRNaW5Yb0QiLCJ0eXAiOiJKV1QifQ.eyJhenAiOiJodHRwczovL2FjY291bnRzLmluc3BpcmVkLnB1bWEtNzQubGNsLmRldiIsImV4cCI6MTY2NjY0ODIwMCwiaWF0IjoxNjY2NjQ3MjUwLCJpc3MiOiJodHRwczovL2NsZXJrLmluc3BpcmVkLnB1bWEtNzQubGNsLmRldiIsIm5iZiI6MTY2NjY0ODI0MCwic2lkIjoic2Vzc18yR2JEQjRlbk5kQ2E1dlMxenBDM1h6Zzl0SzkiLCJzdWIiOiJ1c2VyXzJHSXBYT0VwVnlKdzUxcmtabjlLbW5jNlN4ciJ9.jLImjg2vGwOJDkK9gtIeJnEJWVOgoCMeC46OFtfzJ1d8OT0KVvwRppC60QIMfHKoOwLTLYlq8SccrkARwlJ_jOvMAYMGZT-R4qHoEfGmet1cSTC67zaafq5gpf9759x1kNMyckry_PJNSx-9hTFbBMWhY7XVLVlrauppqHXOQr1-BC7u-0InzKjCQTCJj-81Yt8xRKweLbO689oYSRAFYK5LNH8BYoLZFWuWLO-6nxUJu0_XAq9xpZPqZOqj3LxFS4hHVGGmTqnPgR8vBetLXxSLAOBsEyIkeQkOBA03YA6enTNIppmy0XTLgAYmUO_JWOGjjjDQoEojuXtuLRdQHQ"; +export declare const mockInvalidSignatureJwt = "eyJhbGciOiJSUzI1NiIsImtpZCI6Imluc18yR0lvUWhiVXB5MGhYN0IyY1ZrdVRNaW5Yb0QiLCJ0eXAiOiJKV1QifQ.eyJhenAiOiJodHRwczovL2FjY291bnRzLnRhbXBlcmVkLWRvbWFpbi5kZXYiLCJleHAiOjE2NjY2NDgzMTAsImlhdCI6MTY2NjY0ODI1MCwiaXNzIjoiaHR0cHM6Ly9jbGVyay5pbnNwaXJlZC5wdW1hLTc0LmxjbC5kZXYiLCJuYmYiOjE2NjY2NDgyNDAsInNpZCI6InNlc3NfMkdiREI0ZW5OZENhNXZTMXpwQzNYemc5dEs5Iiwic3ViIjoidXNlcl8yR0lwWE9FcFZ5Snc1MXJrWm45S21uYzZTeHIifQ.n1Usc-DLDftqA0Xb-_2w8IGs4yjCmwc5RngwbSRvwevuZOIuRoeHmE2sgCdEvjfJEa7ewL6EVGVcM557TWPW--g_J1XQPwBy8tXfz7-S73CEuyRFiR97L2AHRdvRtvGtwR-o6l8aHaFxtlmfWbQXfg4kFJz2UGe9afmh3U9-f_4JOZ5fa3mI98UMy1-bo20vjXeWQ9aGrqaxHQxjnzzC-1Kpi5LdPvhQ16H0dPB8MHRTSM5TAuLKTpPV7wqixmbtcc2-0k6b9FKYZNqRVTaIyV-lifZloBvdzlfOF8nW1VVH_fx-iW5Q3hovHFcJIULHEC1kcAYTubbxzpgeVQepGg"; +export declare const mockMalformedJwt = "eyJhbGciOiJSUzI1NiIsImtpZCI6Imluc18yR0lvUWhiVXB5MGhYN0IyY1ZrdVRNaW5Yb0QiLCJ0eXAiOiJKV1QifQ.eyJpYXQiOjE2NjY2NDgyNTB9.n1Usc-DLDftqA0Xb-_2w8IGs4yjCmwc5RngwbSRvwevuZOIuRoeHmE2sgCdEvjfJEa7ewL6EVGVcM557TWPW--g_J1XQPwBy8tXfz7-S73CEuyRFiR97L2AHRdvRtvGtwR-o6l8aHaFxtlmfWbQXfg4kFJz2UGe9afmh3U9-f_4JOZ5fa3mI98UMy1-bo20vjXeWQ9aGrqaxHQxjnzzC-1Kpi5LdPvhQ16H0dPB8MHRTSM5TAuLKTpPV7wqixmbtcc2-0k6b9FKYZNqRVTaIyV-lifZloBvdzlfOF8nW1VVH_fx-iW5Q3hovHFcJIULHEC1kcAYTubbxzpgeVQepGg"; +export declare const mockJwtHeader: { + alg: string; + kid: string; + typ: string; +}; +export declare const mockJwtPayload: { + azp: string; + exp: number; + iat: number; + iss: string; + nbf: number; + sid: string; + sub: string; +}; +export declare const mockRsaJwkKid = "ins_2GIoQhbUpy0hX7B2cVkuTMinXoD"; +export declare const mockRsaJwk: { + use: string; + kty: string; + kid: string; + alg: string; + n: string; + e: string; +}; +export declare const mockJwks: { + keys: { + use: string; + kty: string; + kid: string; + alg: string; + n: string; + e: string; + }[]; +}; +export declare const mockPEMKey = "MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA8Z1oLQbaYkakUSIYRvjmOoeXMDFFjynGP2+gVy0mQJHYgVhgo34RsQgZoz7rSNm/EOL+l/mHTqQAhwaf9Ef8X5vsPX8vP3RNRRm3XYpbIGbOcANJaHihJZwnzG9zIGYF8ki+m55zftO7pkOoXDtIqCt+5nIUQjGJK5axFELrnWaz2qcR03A7rYKQc3F1gut2Ru1xfmiJVUlQe0tLevQO/FzfYpWu7+691q+ZRUGxWvGc0ays4ACa7JXElCIKXRv/yb3Vc1iry77HRAQ28J7Fqpj5Cb+sxfFI+Vhf1GB1bNeOLPR10nkSMJ74HB0heHi/SsM83JiGekv0CpZPCC8jcQIDAQAB"; +export declare const mockPEMJwk: { + kid: string; + kty: string; + alg: string; + n: string; + e: string; +}; +export declare const mockPEMJwtKey: string; +export declare const pemEncodedSignKey = "-----BEGIN PRIVATE KEY-----\nMIIEvAIBADANBgkqhkiG9w0BAQEFAASCBKYwggSiAgEAAoIBAQCpjLcxjx86d4TL\nM0O72WnqIZcqQ1QX6791SeuWRp1ljIHfl5/MoUkSv19+2Za/k9SPW5EdNDduHpfV\nxx45iwiPLTTx0dZkmwqEY7GB1ON4r3WuNqSXG3u3IVcSIocg6vUtKArOikKU58Ii\nPEr+g9Q5/fylWHtad6RxIFCZTl+oD4TMoyLqT1XC9vOoqVkzhdCyIXKfbx31W5sl\naNNTyc2i3SfU0T72TpPEzyeCUzhHCQEfg2LgHQuEoo45X4Aby0E2JlWKXjXl2kGV\n2Yn+PTCTsB3hUWL16fdnXugIqv4r7O5Pu8owpJvXnjx2TS+eaLS+PZAZdKj7rXAz\nnJBamTqxAgMBAAECggEAB/SNR+sCORkQhwRBwleiK5Ul5ZrBIFo0Yol0X1my2ufr\n1BTmL5DFv/ZwwZ/t/dEu4QcX2PnxO959m087cNHANg+V8164I4JOzQVsd74Iako5\nSFJSCLEGbgJHdpdeJcJAfLzrPOOp2hjBuB+CGU0QMSRkrVFogEcq1RACGB9gR59X\nKft9GC+iZowLUwwlUWpUpPK94ZIfxFflJdBSl9DPSjUq9lNPWhy2/qwjkDluKIG1\n9p4gmRRNT1vSwBmwfq74jrB+rSYL6+IpmSw0PX41pSkuuNPQ0LgrtM7+9dr9tNVP\nWxc1HVZYj8r0FF3Yr5JFlHy9nxf/XMzQxNhZpaNRXQKBgQDirp04vgu3TB08UoKo\njovEzMT/jBwGkP1lV48MsjM9iiNZZ2mz01T4mvE70GwuMBwOwtjUuNPogoJT+i6I\ndnaPCinr3JwMW1UUFSa/4b15nDsPxFZit1nficJXKMc0c5VxFn2Xpbcq6aeif/ny\na6bI1vh5N/CYIroZXqays4XbuwKBgQC/enY3H/clEVRGGytnqz/5JBncskCU0F/A\nRsbYBPUg3tPZoBURTcLRPsCDWZKXCl2MLzP8h0ia1hMQiz88tsZl8PS5IYB4eEfy\niEpwuU7q4pNJDgiZzMIs7h7KlKJOGv56HCQfWW/9HUpyZA634IIN+TnCD5YCoNLo\nIoqYoz++gwKBgFHZmwuSE8jrwuK1KFiUoAM/rSJZBQWZ9OVS6GQ9NCNUbc8qeBBm\njpf12oUujOFgncD2ujSVSG78MPMBsyuzGrwrf1ebIP2VPPMzb/p5GGGA+BKJYmfi\nrKD6rSGrp8JYue1Loa3QOINWOyGB9E6EcIS0mqOqf0VvxKLEeoysJflhAoGAMPYp\ngFMGKU5TFFIiOTIK+7QFgO97oBHgShRPCDHMVIll9oH+oRwXMtYu9+dRmpml7hCr\n5GjbYexXl6VjmCzMcoi4qxYr+aIYE6ZSEpzv1xP0wXt7K4i2JjMFYJu9HOe+Jo9H\nlVSTVE/HF5UKRm58EwKliD/gBfAFviIG+pzT0e0CgYBjVfmflnceTDiWGUqZB/6K\nVemEqCD+L3Pf6FIGI0h2RfFcLowvyOC3qwINTrYXdNUHtLI1BDUkMYBv6YJdI4E/\nEJa5L6umCqdlL4+iL3FKgnsVSkb7io8+n1XLF+qrbRjWpEDuSn8ICC+k/fea/mvj\n5gTPwKCFpNesz5MP8D2kRg==\n-----END PRIVATE KEY-----"; +export declare const pemEncodedPublicKey = "-----BEGIN PUBLIC KEY-----\nMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAqYy3MY8fOneEyzNDu9lp\n6iGXKkNUF+u/dUnrlkadZYyB35efzKFJEr9fftmWv5PUj1uRHTQ3bh6X1cceOYsI\njy008dHWZJsKhGOxgdTjeK91rjaklxt7tyFXEiKHIOr1LSgKzopClOfCIjxK/oPU\nOf38pVh7WnekcSBQmU5fqA+EzKMi6k9VwvbzqKlZM4XQsiFyn28d9VubJWjTU8nN\not0n1NE+9k6TxM8nglM4RwkBH4Ni4B0LhKKOOV+AG8tBNiZVil415dpBldmJ/j0w\nk7Ad4VFi9en3Z17oCKr+K+zuT7vKMKSb1548dk0vnmi0vj2QGXSo+61wM5yQWpk6\nsQIDAQAB\n-----END PUBLIC KEY-----"; +export declare const someOtherPublicKey = "-----BEGIN PUBLIC KEY-----\nMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA5wdNEDm/HUAO6xarLs6e\ncS0/J8GencMs5I6rYS825knb8jsNbfoukYfBiK81vQy1/eK5gdWrEprpXQrmIcwG\nakdeUhybYlK68UhHNA5+TAmZ+ReLTJ2QDk5YU4I1NlRRq/bqtEhWsBDOCCkpVsC4\nOLnUpsZKGUwpCrE/8stMSJ6Xx+TzBlDe21cV1j0gn5CWswrrXo7m8OIZ9xkRnNn4\nfTNypMSCbx6BS7fgmer6Efx9HOu9UIKgXD/29q3pEpFXiHRdQRbVoAc9vEZl0QIw\nPSNjILVJLKvb6MhKoQMyaP5k0c1rEkVJr9jQk5Z/6WPklCNK3oT5+gh2lgi7ZxBd\noQIDAQAB\n-----END PUBLIC KEY-----"; +export declare const signingJwks: { + key_ops: string[]; + ext: boolean; + kty: string; + n: string; + e: string; + d: string; + p: string; + q: string; + dp: string; + dq: string; + qi: string; + alg: string; +}; +export declare const publicJwks: { + key_ops: string[]; + ext: boolean; + kty: string; + n: string; + e: string; + alg: string; +}; +export declare const signedJwt = "eyJhbGciOiJSUzI1NiIsImtpZCI6Imluc18yR0lvUWhiVXB5MGhYN0IyY1ZrdVRNaW5Yb0QiLCJ0eXAiOiJKV1QifQ.eyJhenAiOiJodHRwczovL2FjY291bnRzLmluc3BpcmVkLnB1bWEtNzQubGNsLmRldiIsImV4cCI6MTY2NjY0ODMxMCwiaWF0IjoxNjY2NjQ4MjUwLCJpc3MiOiJodHRwczovL2NsZXJrLmluc3BpcmVkLnB1bWEtNzQubGNsLmRldiIsIm5iZiI6MTY2NjY0ODI0MCwic2lkIjoic2Vzc18yR2JEQjRlbk5kQ2E1dlMxenBDM1h6Zzl0SzkiLCJzdWIiOiJ1c2VyXzJHSXBYT0VwVnlKdzUxcmtabjlLbW5jNlN4ciJ9.j3rB92k32WqbQDkFB093H4GoQsBVLH4HLGF6ObcwUaVGiHC8SEu6T31FuPf257SL8A5sSGtWWM1fqhQpdLohgZb_hbJswGBuYI-Clxl9BtpIRHbWFZkLBIj8yS9W9aVtD3fWBbF6PHx7BY1udio-rbGWg1YAOZNtVcxF02p-MvX-8XIK92Vwu3Un5zyfCoVIg__qo3Xntzw3tznsZ4XDe212c6kVz1R_L1d5DKjeWXpjUPAS_zFeZSIJEQLf4JNr4JCY38tfdnc3ajfDA3p36saf1XwmTdWXQKCXi75c2TJAXROs3Pgqr5Kw_5clygoFuxN5OEMhFWFSnvIBdi3M6w"; +export declare const pkTest = "pk_test_Y2xlcmsuaW5zcGlyZWQucHVtYS03NC5sY2wuZGV2JA"; +export declare const pkLive = "pk_live_Y2xlcmsuaW5zcGlyZWQucHVtYS03NC5sY2wuZGV2JA"; +type CreateJwt = (opts?: { + header?: any; + payload?: any; + signature?: string; +}) => string; +export declare const createJwt: CreateJwt; +export declare function createCookieHeader(cookies: Record): string; +export {}; +//# sourceMappingURL=index.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/fixtures/index.d.ts.map b/backend/node_modules/@clerk/backend/dist/fixtures/index.d.ts.map new file mode 100644 index 000000000..de8bfe2d2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/fixtures/index.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"index.d.ts","sourceRoot":"","sources":["../../src/fixtures/index.ts"],"names":[],"mappings":"AAGA,eAAO,MAAM,OAAO,2uBACstB,CAAC;AAG3uB,eAAO,MAAM,cAAc,2uBAC+sB,CAAC;AAE3uB,eAAO,MAAM,uBAAuB,quBACgsB,CAAC;AAEruB,eAAO,MAAM,gBAAgB,+cACib,CAAC;AAK/c,eAAO,MAAM,aAAa;;;;CAIzB,CAAC;AAEF,eAAO,MAAM,cAAc;;;;;;;;CAQ1B,CAAC;AAEF,eAAO,MAAM,aAAa,oCAAoC,CAAC;AAE/D,eAAO,MAAM,UAAU;;;;;;;CAOtB,CAAC;AAEF,eAAO,MAAM,QAAQ;;;;;;;;;CAEpB,CAAC;AAEF,eAAO,MAAM,UAAU,6YACqX,CAAC;AAE7Y,eAAO,MAAM,UAAU;;;;;;CAMtB,CAAC;AAEF,eAAO,MAAM,aAAa,QASE,CAAC;AAE7B,eAAO,MAAM,iBAAiB,usDA2BJ,CAAC;AAE3B,eAAO,MAAM,mBAAmB,+cAQP,CAAC;AAE1B,eAAO,MAAM,kBAAkB,+cAQN,CAAC;AAG1B,eAAO,MAAM,WAAW;;;;;;;;;;;;;CAavB,CAAC;AAEF,eAAO,MAAM,UAAU;;;;;;;CAOtB,CAAC;AAGF,eAAO,MAAM,SAAS,2uBACotB,CAAC;AAE3uB,eAAO,MAAM,MAAM,uDAAuD,CAAC;AAC3E,eAAO,MAAM,MAAM,uDAAuD,CAAC;AAE3E,KAAK,SAAS,GAAG,CAAC,IAAI,CAAC,EAAE;IAAE,MAAM,CAAC,EAAE,GAAG,CAAC;IAAC,OAAO,CAAC,EAAE,GAAG,CAAC;IAAC,SAAS,CAAC,EAAE,MAAM,CAAA;CAAE,KAAK,MAAM,CAAC;AACxF,eAAO,MAAM,SAAS,EAAE,SAWvB,CAAC;AAEF,wBAAgB,kBAAkB,CAAC,OAAO,EAAE,MAAM,CAAC,MAAM,EAAE,MAAM,CAAC,GAAG,MAAM,CAM1E"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/index.d.ts b/backend/node_modules/@clerk/backend/dist/index.d.ts new file mode 100644 index 000000000..40be5ed43 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/index.d.ts @@ -0,0 +1,37 @@ +import type { TelemetryCollectorOptions } from '@clerk/shared/telemetry'; +import { TelemetryCollector } from '@clerk/shared/telemetry'; +import type { SDKMetadata } from '@clerk/types'; +import type { ApiClient, CreateBackendApiOptions } from './api'; +import type { CreateAuthenticateRequestOptions } from './tokens/factory'; +import { createAuthenticateRequest } from './tokens/factory'; +export declare const verifyToken: (token: string, options: import("./tokens/verify").VerifyTokenOptions) => Promise; +export type ClerkOptions = CreateBackendApiOptions & Partial> & { + sdkMetadata?: SDKMetadata; + telemetry?: Pick; +}; +export type ClerkClient = { + telemetry: TelemetryCollector; +} & ApiClient & ReturnType; +export declare function createClerkClient(options: ClerkOptions): ClerkClient; +/** + * General Types + */ +export type { OrganizationMembershipRole } from './api/resources'; +export type { VerifyTokenOptions } from './tokens/verify'; +/** + * JSON types + */ +export type { AccountlessApplicationJSON, ClerkResourceJSON, TokenJSON, AllowlistIdentifierJSON, ClientJSON, EmailJSON, EmailAddressJSON, ExternalAccountJSON, IdentificationLinkJSON, InvitationJSON, OauthAccessTokenJSON, OrganizationJSON, OrganizationDomainJSON, OrganizationDomainVerificationJSON, OrganizationInvitationJSON, PublicOrganizationDataJSON, OrganizationMembershipJSON, OrganizationMembershipPublicUserDataJSON, PhoneNumberJSON, RedirectUrlJSON, SessionJSON, SignInJSON, SignInTokenJSON, SignUpJSON, SMSMessageJSON, UserJSON, VerificationJSON, Web3WalletJSON, DeletedObjectJSON, PaginatedResponseJSON, TestingTokenJSON, } from './api/resources/JSON'; +/** + * Resources + */ +export type { AccountlessApplication, AllowlistIdentifier, Client, EmailAddress, ExternalAccount, Invitation, OauthAccessToken, Organization, OrganizationDomain, OrganizationDomainVerification, OrganizationInvitation, OrganizationMembership, OrganizationMembershipPublicUserData, PhoneNumber, Session, SignInToken, SMSMessage, Token, User, TestingToken, } from './api/resources'; +/** + * Webhooks event types + */ +export type { EmailWebhookEvent, OrganizationWebhookEvent, OrganizationDomainWebhookEvent, OrganizationInvitationWebhookEvent, OrganizationMembershipWebhookEvent, RoleWebhookEvent, PermissionWebhookEvent, SessionWebhookEvent, SMSWebhookEvent, UserWebhookEvent, WebhookEvent, WebhookEventType, } from './api/resources/Webhooks'; +/** + * Auth objects + */ +export type { AuthObject } from './tokens/authObjects'; +//# sourceMappingURL=index.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/index.d.ts.map b/backend/node_modules/@clerk/backend/dist/index.d.ts.map new file mode 100644 index 000000000..34a06b0b3 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/index.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"index.d.ts","sourceRoot":"","sources":["../src/index.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,yBAAyB,EAAE,MAAM,yBAAyB,CAAC;AACzE,OAAO,EAAE,kBAAkB,EAAE,MAAM,yBAAyB,CAAC;AAC7D,OAAO,KAAK,EAAE,WAAW,EAAE,MAAM,cAAc,CAAC;AAEhD,OAAO,KAAK,EAAE,SAAS,EAAE,uBAAuB,EAAE,MAAM,OAAO,CAAC;AAGhE,OAAO,KAAK,EAAE,gCAAgC,EAAE,MAAM,kBAAkB,CAAC;AACzE,OAAO,EAAE,yBAAyB,EAAE,MAAM,kBAAkB,CAAC;AAG7D,eAAO,MAAM,WAAW,sHAAiC,CAAC;AAE1D,MAAM,MAAM,YAAY,GAAG,uBAAuB,GAChD,OAAO,CACL,IAAI,CACF,gCAAgC,CAAC,SAAS,CAAC,EAC3C,UAAU,GAAG,QAAQ,GAAG,UAAU,GAAG,WAAW,GAAG,gBAAgB,GAAG,QAAQ,GAAG,aAAa,CAC/F,CACF,GAAG;IAAE,WAAW,CAAC,EAAE,WAAW,CAAC;IAAC,SAAS,CAAC,EAAE,IAAI,CAAC,yBAAyB,EAAE,UAAU,GAAG,OAAO,CAAC,CAAA;CAAE,CAAC;AAIvG,MAAM,MAAM,WAAW,GAAG;IACxB,SAAS,EAAE,kBAAkB,CAAC;CAC/B,GAAG,SAAS,GACX,UAAU,CAAC,OAAO,yBAAyB,CAAC,CAAC;AAE/C,wBAAgB,iBAAiB,CAAC,OAAO,EAAE,YAAY,GAAG,WAAW,CAgBpE;AAED;;GAEG;AACH,YAAY,EAAE,0BAA0B,EAAE,MAAM,iBAAiB,CAAC;AAClE,YAAY,EAAE,kBAAkB,EAAE,MAAM,iBAAiB,CAAC;AAC1D;;GAEG;AACH,YAAY,EACV,0BAA0B,EAC1B,iBAAiB,EACjB,SAAS,EACT,uBAAuB,EACvB,UAAU,EACV,SAAS,EACT,gBAAgB,EAChB,mBAAmB,EACnB,sBAAsB,EACtB,cAAc,EACd,oBAAoB,EACpB,gBAAgB,EAChB,sBAAsB,EACtB,kCAAkC,EAClC,0BAA0B,EAC1B,0BAA0B,EAC1B,0BAA0B,EAC1B,wCAAwC,EACxC,eAAe,EACf,eAAe,EACf,WAAW,EACX,UAAU,EACV,eAAe,EACf,UAAU,EACV,cAAc,EACd,QAAQ,EACR,gBAAgB,EAChB,cAAc,EACd,iBAAiB,EACjB,qBAAqB,EACrB,gBAAgB,GACjB,MAAM,sBAAsB,CAAC;AAE9B;;GAEG;AACH,YAAY,EACV,sBAAsB,EACtB,mBAAmB,EACnB,MAAM,EACN,YAAY,EACZ,eAAe,EACf,UAAU,EACV,gBAAgB,EAChB,YAAY,EACZ,kBAAkB,EAClB,8BAA8B,EAC9B,sBAAsB,EACtB,sBAAsB,EACtB,oCAAoC,EACpC,WAAW,EACX,OAAO,EACP,WAAW,EACX,UAAU,EACV,KAAK,EACL,IAAI,EACJ,YAAY,GACb,MAAM,iBAAiB,CAAC;AAEzB;;GAEG;AACH,YAAY,EACV,iBAAiB,EACjB,wBAAwB,EACxB,8BAA8B,EAC9B,kCAAkC,EAClC,kCAAkC,EAClC,gBAAgB,EAChB,sBAAsB,EACtB,mBAAmB,EACnB,eAAe,EACf,gBAAgB,EAChB,YAAY,EACZ,gBAAgB,GACjB,MAAM,0BAA0B,CAAC;AAElC;;GAEG;AACH,YAAY,EAAE,UAAU,EAAE,MAAM,sBAAsB,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/index.js b/backend/node_modules/@clerk/backend/dist/index.js new file mode 100644 index 000000000..6190b0bc4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/index.js @@ -0,0 +1,3403 @@ +"use strict"; +var __create = Object.create; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __getProtoOf = Object.getPrototypeOf; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toESM = (mod, isNodeMode, target) => (target = mod != null ? __create(__getProtoOf(mod)) : {}, __copyProps( + // If the importer is in node compatibility mode or this is not an ESM + // file that has been converted to a CommonJS file using a Babel- + // compatible transform (i.e. "__esModule" has not been set), then set + // "default" to the CommonJS "module.exports" for node compatibility. + isNodeMode || !mod || !mod.__esModule ? __defProp(target, "default", { value: mod, enumerable: true }) : target, + mod +)); +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/index.ts +var index_exports = {}; +__export(index_exports, { + createClerkClient: () => createClerkClient, + verifyToken: () => verifyToken2 +}); +module.exports = __toCommonJS(index_exports); +var import_telemetry = require("@clerk/shared/telemetry"); + +// src/util/path.ts +var SEPARATOR = "/"; +var MULTIPLE_SEPARATOR_REGEX = new RegExp("(? p).join(SEPARATOR).replace(MULTIPLE_SEPARATOR_REGEX, SEPARATOR); +} + +// src/api/endpoints/AbstractApi.ts +var AbstractAPI = class { + constructor(request) { + this.request = request; + } + requireId(id) { + if (!id) { + throw new Error("A valid resource ID is required."); + } + } +}; + +// src/api/endpoints/AccountlessApplicationsAPI.ts +var basePath = "/accountless_applications"; +var AccountlessApplicationAPI = class extends AbstractAPI { + async createAccountlessApplication() { + return this.request({ + method: "POST", + path: basePath + }); + } + async completeAccountlessApplicationOnboarding() { + return this.request({ + method: "POST", + path: joinPaths(basePath, "complete") + }); + } +}; + +// src/api/endpoints/AllowlistIdentifierApi.ts +var basePath2 = "/allowlist_identifiers"; +var AllowlistIdentifierAPI = class extends AbstractAPI { + async getAllowlistIdentifierList() { + return this.request({ + method: "GET", + path: basePath2, + queryParams: { paginated: true } + }); + } + async createAllowlistIdentifier(params) { + return this.request({ + method: "POST", + path: basePath2, + bodyParams: params + }); + } + async deleteAllowlistIdentifier(allowlistIdentifierId) { + this.requireId(allowlistIdentifierId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath2, allowlistIdentifierId) + }); + } +}; + +// src/api/endpoints/ClientApi.ts +var basePath3 = "/clients"; +var ClientAPI = class extends AbstractAPI { + async getClientList(params = {}) { + return this.request({ + method: "GET", + path: basePath3, + queryParams: { ...params, paginated: true } + }); + } + async getClient(clientId) { + this.requireId(clientId); + return this.request({ + method: "GET", + path: joinPaths(basePath3, clientId) + }); + } + verifyClient(token) { + return this.request({ + method: "POST", + path: joinPaths(basePath3, "verify"), + bodyParams: { token } + }); + } +}; + +// src/api/endpoints/DomainApi.ts +var basePath4 = "/domains"; +var DomainAPI = class extends AbstractAPI { + async deleteDomain(id) { + return this.request({ + method: "DELETE", + path: joinPaths(basePath4, id) + }); + } +}; + +// src/api/endpoints/EmailAddressApi.ts +var basePath5 = "/email_addresses"; +var EmailAddressAPI = class extends AbstractAPI { + async getEmailAddress(emailAddressId) { + this.requireId(emailAddressId); + return this.request({ + method: "GET", + path: joinPaths(basePath5, emailAddressId) + }); + } + async createEmailAddress(params) { + return this.request({ + method: "POST", + path: basePath5, + bodyParams: params + }); + } + async updateEmailAddress(emailAddressId, params = {}) { + this.requireId(emailAddressId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath5, emailAddressId), + bodyParams: params + }); + } + async deleteEmailAddress(emailAddressId) { + this.requireId(emailAddressId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath5, emailAddressId) + }); + } +}; + +// src/api/endpoints/InvitationApi.ts +var basePath6 = "/invitations"; +var InvitationAPI = class extends AbstractAPI { + async getInvitationList(params = {}) { + return this.request({ + method: "GET", + path: basePath6, + queryParams: { ...params, paginated: true } + }); + } + async createInvitation(params) { + return this.request({ + method: "POST", + path: basePath6, + bodyParams: params + }); + } + async revokeInvitation(invitationId) { + this.requireId(invitationId); + return this.request({ + method: "POST", + path: joinPaths(basePath6, invitationId, "revoke") + }); + } +}; + +// src/runtime.ts +var import_crypto = require("#crypto"); +var globalFetch = fetch.bind(globalThis); +var runtime = { + crypto: import_crypto.webcrypto, + get fetch() { + return process.env.NODE_ENV === "test" ? fetch : globalFetch; + }, + AbortController: globalThis.AbortController, + Blob: globalThis.Blob, + FormData: globalThis.FormData, + Headers: globalThis.Headers, + Request: globalThis.Request, + Response: globalThis.Response +}; + +// src/api/endpoints/OrganizationApi.ts +var basePath7 = "/organizations"; +var OrganizationAPI = class extends AbstractAPI { + async getOrganizationList(params) { + return this.request({ + method: "GET", + path: basePath7, + queryParams: params + }); + } + async createOrganization(params) { + return this.request({ + method: "POST", + path: basePath7, + bodyParams: params + }); + } + async getOrganization(params) { + const { includeMembersCount } = params; + const organizationIdOrSlug = "organizationId" in params ? params.organizationId : params.slug; + this.requireId(organizationIdOrSlug); + return this.request({ + method: "GET", + path: joinPaths(basePath7, organizationIdOrSlug), + queryParams: { + includeMembersCount + } + }); + } + async updateOrganization(organizationId, params) { + this.requireId(organizationId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath7, organizationId), + bodyParams: params + }); + } + async updateOrganizationLogo(organizationId, params) { + this.requireId(organizationId); + const formData = new runtime.FormData(); + formData.append("file", params?.file); + if (params?.uploaderUserId) { + formData.append("uploader_user_id", params?.uploaderUserId); + } + return this.request({ + method: "PUT", + path: joinPaths(basePath7, organizationId, "logo"), + formData + }); + } + async deleteOrganizationLogo(organizationId) { + this.requireId(organizationId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath7, organizationId, "logo") + }); + } + async updateOrganizationMetadata(organizationId, params) { + this.requireId(organizationId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath7, organizationId, "metadata"), + bodyParams: params + }); + } + async deleteOrganization(organizationId) { + return this.request({ + method: "DELETE", + path: joinPaths(basePath7, organizationId) + }); + } + async getOrganizationMembershipList(params) { + const { organizationId, ...queryParams } = params; + this.requireId(organizationId); + return this.request({ + method: "GET", + path: joinPaths(basePath7, organizationId, "memberships"), + queryParams + }); + } + async createOrganizationMembership(params) { + const { organizationId, ...bodyParams } = params; + this.requireId(organizationId); + return this.request({ + method: "POST", + path: joinPaths(basePath7, organizationId, "memberships"), + bodyParams + }); + } + async updateOrganizationMembership(params) { + const { organizationId, userId, ...bodyParams } = params; + this.requireId(organizationId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath7, organizationId, "memberships", userId), + bodyParams + }); + } + async updateOrganizationMembershipMetadata(params) { + const { organizationId, userId, ...bodyParams } = params; + return this.request({ + method: "PATCH", + path: joinPaths(basePath7, organizationId, "memberships", userId, "metadata"), + bodyParams + }); + } + async deleteOrganizationMembership(params) { + const { organizationId, userId } = params; + this.requireId(organizationId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath7, organizationId, "memberships", userId) + }); + } + async getOrganizationInvitationList(params) { + const { organizationId, ...queryParams } = params; + this.requireId(organizationId); + return this.request({ + method: "GET", + path: joinPaths(basePath7, organizationId, "invitations"), + queryParams + }); + } + async createOrganizationInvitation(params) { + const { organizationId, ...bodyParams } = params; + this.requireId(organizationId); + return this.request({ + method: "POST", + path: joinPaths(basePath7, organizationId, "invitations"), + bodyParams + }); + } + async getOrganizationInvitation(params) { + const { organizationId, invitationId } = params; + this.requireId(organizationId); + this.requireId(invitationId); + return this.request({ + method: "GET", + path: joinPaths(basePath7, organizationId, "invitations", invitationId) + }); + } + async revokeOrganizationInvitation(params) { + const { organizationId, invitationId, ...bodyParams } = params; + this.requireId(organizationId); + return this.request({ + method: "POST", + path: joinPaths(basePath7, organizationId, "invitations", invitationId, "revoke"), + bodyParams + }); + } + async getOrganizationDomainList(params) { + const { organizationId, ...queryParams } = params; + this.requireId(organizationId); + return this.request({ + method: "GET", + path: joinPaths(basePath7, organizationId, "domains"), + queryParams + }); + } + async createOrganizationDomain(params) { + const { organizationId, ...bodyParams } = params; + this.requireId(organizationId); + return this.request({ + method: "POST", + path: joinPaths(basePath7, organizationId, "domains"), + bodyParams: { + ...bodyParams, + verified: bodyParams.verified ?? true + } + }); + } + async updateOrganizationDomain(params) { + const { organizationId, domainId, ...bodyParams } = params; + this.requireId(organizationId); + this.requireId(domainId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath7, organizationId, "domains", domainId), + bodyParams + }); + } + async deleteOrganizationDomain(params) { + const { organizationId, domainId } = params; + this.requireId(organizationId); + this.requireId(domainId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath7, organizationId, "domains", domainId) + }); + } +}; + +// src/api/endpoints/PhoneNumberApi.ts +var basePath8 = "/phone_numbers"; +var PhoneNumberAPI = class extends AbstractAPI { + async getPhoneNumber(phoneNumberId) { + this.requireId(phoneNumberId); + return this.request({ + method: "GET", + path: joinPaths(basePath8, phoneNumberId) + }); + } + async createPhoneNumber(params) { + return this.request({ + method: "POST", + path: basePath8, + bodyParams: params + }); + } + async updatePhoneNumber(phoneNumberId, params = {}) { + this.requireId(phoneNumberId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath8, phoneNumberId), + bodyParams: params + }); + } + async deletePhoneNumber(phoneNumberId) { + this.requireId(phoneNumberId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath8, phoneNumberId) + }); + } +}; + +// src/api/endpoints/RedirectUrlApi.ts +var basePath9 = "/redirect_urls"; +var RedirectUrlAPI = class extends AbstractAPI { + async getRedirectUrlList() { + return this.request({ + method: "GET", + path: basePath9, + queryParams: { paginated: true } + }); + } + async getRedirectUrl(redirectUrlId) { + this.requireId(redirectUrlId); + return this.request({ + method: "GET", + path: joinPaths(basePath9, redirectUrlId) + }); + } + async createRedirectUrl(params) { + return this.request({ + method: "POST", + path: basePath9, + bodyParams: params + }); + } + async deleteRedirectUrl(redirectUrlId) { + this.requireId(redirectUrlId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath9, redirectUrlId) + }); + } +}; + +// src/api/endpoints/SessionApi.ts +var basePath10 = "/sessions"; +var SessionAPI = class extends AbstractAPI { + async getSessionList(params = {}) { + return this.request({ + method: "GET", + path: basePath10, + queryParams: { ...params, paginated: true } + }); + } + async getSession(sessionId) { + this.requireId(sessionId); + return this.request({ + method: "GET", + path: joinPaths(basePath10, sessionId) + }); + } + async revokeSession(sessionId) { + this.requireId(sessionId); + return this.request({ + method: "POST", + path: joinPaths(basePath10, sessionId, "revoke") + }); + } + async verifySession(sessionId, token) { + this.requireId(sessionId); + return this.request({ + method: "POST", + path: joinPaths(basePath10, sessionId, "verify"), + bodyParams: { token } + }); + } + async getToken(sessionId, template) { + this.requireId(sessionId); + return this.request({ + method: "POST", + path: joinPaths(basePath10, sessionId, "tokens", template || "") + }); + } + async refreshSession(sessionId, params) { + this.requireId(sessionId); + const { suffixed_cookies, ...restParams } = params; + return this.request({ + method: "POST", + path: joinPaths(basePath10, sessionId, "refresh"), + bodyParams: restParams, + queryParams: { suffixed_cookies } + }); + } +}; + +// src/api/endpoints/SignInTokenApi.ts +var basePath11 = "/sign_in_tokens"; +var SignInTokenAPI = class extends AbstractAPI { + async createSignInToken(params) { + return this.request({ + method: "POST", + path: basePath11, + bodyParams: params + }); + } + async revokeSignInToken(signInTokenId) { + this.requireId(signInTokenId); + return this.request({ + method: "POST", + path: joinPaths(basePath11, signInTokenId, "revoke") + }); + } +}; + +// src/util/shared.ts +var import_url = require("@clerk/shared/url"); +var import_retry = require("@clerk/shared/retry"); +var import_keys = require("@clerk/shared/keys"); +var import_deprecated = require("@clerk/shared/deprecated"); +var import_error = require("@clerk/shared/error"); +var import_keys2 = require("@clerk/shared/keys"); +var errorThrower = (0, import_error.buildErrorThrower)({ packageName: "@clerk/backend" }); +var { isDevOrStagingUrl } = (0, import_keys2.createDevOrStagingUrlCache)(); + +// src/api/endpoints/UserApi.ts +var basePath12 = "/users"; +var UserAPI = class extends AbstractAPI { + async getUserList(params = {}) { + const { limit, offset, orderBy, ...userCountParams } = params; + const [data, totalCount] = await Promise.all([ + this.request({ + method: "GET", + path: basePath12, + queryParams: params + }), + this.getCount(userCountParams) + ]); + return { data, totalCount }; + } + async getUser(userId) { + this.requireId(userId); + return this.request({ + method: "GET", + path: joinPaths(basePath12, userId) + }); + } + async createUser(params) { + return this.request({ + method: "POST", + path: basePath12, + bodyParams: params + }); + } + async updateUser(userId, params = {}) { + this.requireId(userId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath12, userId), + bodyParams: params + }); + } + async updateUserProfileImage(userId, params) { + this.requireId(userId); + const formData = new runtime.FormData(); + formData.append("file", params?.file); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "profile_image"), + formData + }); + } + async updateUserMetadata(userId, params) { + this.requireId(userId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath12, userId, "metadata"), + bodyParams: params + }); + } + async deleteUser(userId) { + this.requireId(userId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath12, userId) + }); + } + async getCount(params = {}) { + return this.request({ + method: "GET", + path: joinPaths(basePath12, "count"), + queryParams: params + }); + } + async getUserOauthAccessToken(userId, provider) { + this.requireId(userId); + const hasPrefix = provider.startsWith("oauth_"); + const _provider = hasPrefix ? provider : `oauth_${provider}`; + if (hasPrefix) { + (0, import_deprecated.deprecated)( + "getUserOauthAccessToken(userId, provider)", + "Remove the `oauth_` prefix from the `provider` argument." + ); + } + return this.request({ + method: "GET", + path: joinPaths(basePath12, userId, "oauth_access_tokens", _provider), + queryParams: { paginated: true } + }); + } + async disableUserMFA(userId) { + this.requireId(userId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath12, userId, "mfa") + }); + } + async getOrganizationMembershipList(params) { + const { userId, limit, offset } = params; + this.requireId(userId); + return this.request({ + method: "GET", + path: joinPaths(basePath12, userId, "organization_memberships"), + queryParams: { limit, offset } + }); + } + async verifyPassword(params) { + const { userId, password } = params; + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "verify_password"), + bodyParams: { password } + }); + } + async verifyTOTP(params) { + const { userId, code } = params; + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "verify_totp"), + bodyParams: { code } + }); + } + async banUser(userId) { + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "ban") + }); + } + async unbanUser(userId) { + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "unban") + }); + } + async lockUser(userId) { + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "lock") + }); + } + async unlockUser(userId) { + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "unlock") + }); + } + async deleteUserProfileImage(userId) { + this.requireId(userId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath12, userId, "profile_image") + }); + } +}; + +// src/api/endpoints/SamlConnectionApi.ts +var basePath13 = "/saml_connections"; +var SamlConnectionAPI = class extends AbstractAPI { + async getSamlConnectionList(params = {}) { + return this.request({ + method: "GET", + path: basePath13, + queryParams: params + }); + } + async createSamlConnection(params) { + return this.request({ + method: "POST", + path: basePath13, + bodyParams: params + }); + } + async getSamlConnection(samlConnectionId) { + this.requireId(samlConnectionId); + return this.request({ + method: "GET", + path: joinPaths(basePath13, samlConnectionId) + }); + } + async updateSamlConnection(samlConnectionId, params = {}) { + this.requireId(samlConnectionId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath13, samlConnectionId), + bodyParams: params + }); + } + async deleteSamlConnection(samlConnectionId) { + this.requireId(samlConnectionId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath13, samlConnectionId) + }); + } +}; + +// src/api/endpoints/TestingTokenApi.ts +var basePath14 = "/testing_tokens"; +var TestingTokenAPI = class extends AbstractAPI { + async createTestingToken() { + return this.request({ + method: "POST", + path: basePath14 + }); + } +}; + +// src/api/request.ts +var import_error2 = require("@clerk/shared/error"); +var import_snakecase_keys = __toESM(require("snakecase-keys")); + +// src/constants.ts +var API_URL = "https://api.clerk.com"; +var API_VERSION = "v1"; +var USER_AGENT = `${"@clerk/backend"}@${"1.24.3"}`; +var MAX_CACHE_LAST_UPDATED_AT_SECONDS = 5 * 60; +var SUPPORTED_BAPI_VERSION = "2024-10-01"; +var Attributes = { + AuthToken: "__clerkAuthToken", + AuthSignature: "__clerkAuthSignature", + AuthStatus: "__clerkAuthStatus", + AuthReason: "__clerkAuthReason", + AuthMessage: "__clerkAuthMessage", + ClerkUrl: "__clerkUrl" +}; +var Cookies = { + Session: "__session", + Refresh: "__refresh", + ClientUat: "__client_uat", + Handshake: "__clerk_handshake", + DevBrowser: "__clerk_db_jwt", + RedirectCount: "__clerk_redirect_count" +}; +var QueryParameters = { + ClerkSynced: "__clerk_synced", + SuffixedCookies: "suffixed_cookies", + ClerkRedirectUrl: "__clerk_redirect_url", + // use the reference to Cookies to indicate that it's the same value + DevBrowser: Cookies.DevBrowser, + Handshake: Cookies.Handshake, + HandshakeHelp: "__clerk_help", + LegacyDevBrowser: "__dev_session", + HandshakeReason: "__clerk_hs_reason" +}; +var Headers2 = { + AuthToken: "x-clerk-auth-token", + AuthSignature: "x-clerk-auth-signature", + AuthStatus: "x-clerk-auth-status", + AuthReason: "x-clerk-auth-reason", + AuthMessage: "x-clerk-auth-message", + ClerkUrl: "x-clerk-clerk-url", + EnableDebug: "x-clerk-debug", + ClerkRequestData: "x-clerk-request-data", + ClerkRedirectTo: "x-clerk-redirect-to", + CloudFrontForwardedProto: "cloudfront-forwarded-proto", + Authorization: "authorization", + ForwardedPort: "x-forwarded-port", + ForwardedProto: "x-forwarded-proto", + ForwardedHost: "x-forwarded-host", + Accept: "accept", + Referrer: "referer", + UserAgent: "user-agent", + Origin: "origin", + Host: "host", + ContentType: "content-type", + SecFetchDest: "sec-fetch-dest", + Location: "location", + CacheControl: "cache-control" +}; +var ContentTypes = { + Json: "application/json" +}; +var constants = { + Attributes, + Cookies, + Headers: Headers2, + ContentTypes, + QueryParameters +}; + +// src/util/optionsAssertions.ts +function assertValidSecretKey(val) { + if (!val || typeof val !== "string") { + throw Error("Missing Clerk Secret Key. Go to https://dashboard.clerk.com and get your key for your instance."); + } +} +function assertValidPublishableKey(val) { + (0, import_keys.parsePublishableKey)(val, { fatal: true }); +} + +// src/api/resources/AccountlessApplication.ts +var AccountlessApplication = class _AccountlessApplication { + constructor(publishableKey, secretKey, claimUrl, apiKeysUrl) { + this.publishableKey = publishableKey; + this.secretKey = secretKey; + this.claimUrl = claimUrl; + this.apiKeysUrl = apiKeysUrl; + } + static fromJSON(data) { + return new _AccountlessApplication(data.publishable_key, data.secret_key, data.claim_url, data.api_keys_url); + } +}; + +// src/api/resources/AllowlistIdentifier.ts +var AllowlistIdentifier = class _AllowlistIdentifier { + constructor(id, identifier, createdAt, updatedAt, invitationId) { + this.id = id; + this.identifier = identifier; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.invitationId = invitationId; + } + static fromJSON(data) { + return new _AllowlistIdentifier(data.id, data.identifier, data.created_at, data.updated_at, data.invitation_id); + } +}; + +// src/api/resources/Session.ts +var SessionActivity = class _SessionActivity { + constructor(id, isMobile, ipAddress, city, country, browserVersion, browserName, deviceType) { + this.id = id; + this.isMobile = isMobile; + this.ipAddress = ipAddress; + this.city = city; + this.country = country; + this.browserVersion = browserVersion; + this.browserName = browserName; + this.deviceType = deviceType; + } + static fromJSON(data) { + return new _SessionActivity( + data.id, + data.is_mobile, + data.ip_address, + data.city, + data.country, + data.browser_version, + data.browser_name, + data.device_type + ); + } +}; +var Session = class _Session { + constructor(id, clientId, userId, status, lastActiveAt, expireAt, abandonAt, createdAt, updatedAt, lastActiveOrganizationId, latestActivity, actor = null) { + this.id = id; + this.clientId = clientId; + this.userId = userId; + this.status = status; + this.lastActiveAt = lastActiveAt; + this.expireAt = expireAt; + this.abandonAt = abandonAt; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.lastActiveOrganizationId = lastActiveOrganizationId; + this.latestActivity = latestActivity; + this.actor = actor; + } + static fromJSON(data) { + return new _Session( + data.id, + data.client_id, + data.user_id, + data.status, + data.last_active_at, + data.expire_at, + data.abandon_at, + data.created_at, + data.updated_at, + data.last_active_organization_id, + data.latest_activity && SessionActivity.fromJSON(data.latest_activity), + data.actor + ); + } +}; + +// src/api/resources/Client.ts +var Client = class _Client { + constructor(id, sessionIds, sessions, signInId, signUpId, lastActiveSessionId, createdAt, updatedAt) { + this.id = id; + this.sessionIds = sessionIds; + this.sessions = sessions; + this.signInId = signInId; + this.signUpId = signUpId; + this.lastActiveSessionId = lastActiveSessionId; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + } + static fromJSON(data) { + return new _Client( + data.id, + data.session_ids, + data.sessions.map((x) => Session.fromJSON(x)), + data.sign_in_id, + data.sign_up_id, + data.last_active_session_id, + data.created_at, + data.updated_at + ); + } +}; + +// src/api/resources/Cookies.ts +var Cookies2 = class _Cookies { + constructor(cookies) { + this.cookies = cookies; + } + static fromJSON(data) { + return new _Cookies(data.cookies); + } +}; + +// src/api/resources/DeletedObject.ts +var DeletedObject = class _DeletedObject { + constructor(object, id, slug, deleted) { + this.object = object; + this.id = id; + this.slug = slug; + this.deleted = deleted; + } + static fromJSON(data) { + return new _DeletedObject(data.object, data.id || null, data.slug || null, data.deleted); + } +}; + +// src/api/resources/Email.ts +var Email = class _Email { + constructor(id, fromEmailName, emailAddressId, toEmailAddress, subject, body, bodyPlain, status, slug, data, deliveredByClerk) { + this.id = id; + this.fromEmailName = fromEmailName; + this.emailAddressId = emailAddressId; + this.toEmailAddress = toEmailAddress; + this.subject = subject; + this.body = body; + this.bodyPlain = bodyPlain; + this.status = status; + this.slug = slug; + this.data = data; + this.deliveredByClerk = deliveredByClerk; + } + static fromJSON(data) { + return new _Email( + data.id, + data.from_email_name, + data.email_address_id, + data.to_email_address, + data.subject, + data.body, + data.body_plain, + data.status, + data.slug, + data.data, + data.delivered_by_clerk + ); + } +}; + +// src/api/resources/IdentificationLink.ts +var IdentificationLink = class _IdentificationLink { + constructor(id, type) { + this.id = id; + this.type = type; + } + static fromJSON(data) { + return new _IdentificationLink(data.id, data.type); + } +}; + +// src/api/resources/Verification.ts +var Verification = class _Verification { + constructor(status, strategy, externalVerificationRedirectURL = null, attempts = null, expireAt = null, nonce = null, message = null) { + this.status = status; + this.strategy = strategy; + this.externalVerificationRedirectURL = externalVerificationRedirectURL; + this.attempts = attempts; + this.expireAt = expireAt; + this.nonce = nonce; + this.message = message; + } + static fromJSON(data) { + return new _Verification( + data.status, + data.strategy, + data.external_verification_redirect_url ? new URL(data.external_verification_redirect_url) : null, + data.attempts, + data.expire_at, + data.nonce + ); + } +}; + +// src/api/resources/EmailAddress.ts +var EmailAddress = class _EmailAddress { + constructor(id, emailAddress, verification, linkedTo) { + this.id = id; + this.emailAddress = emailAddress; + this.verification = verification; + this.linkedTo = linkedTo; + } + static fromJSON(data) { + return new _EmailAddress( + data.id, + data.email_address, + data.verification && Verification.fromJSON(data.verification), + data.linked_to.map((link) => IdentificationLink.fromJSON(link)) + ); + } +}; + +// src/api/resources/ExternalAccount.ts +var ExternalAccount = class _ExternalAccount { + constructor(id, provider, identificationId, externalId, approvedScopes, emailAddress, firstName, lastName, imageUrl, username, publicMetadata = {}, label, verification) { + this.id = id; + this.provider = provider; + this.identificationId = identificationId; + this.externalId = externalId; + this.approvedScopes = approvedScopes; + this.emailAddress = emailAddress; + this.firstName = firstName; + this.lastName = lastName; + this.imageUrl = imageUrl; + this.username = username; + this.publicMetadata = publicMetadata; + this.label = label; + this.verification = verification; + } + static fromJSON(data) { + return new _ExternalAccount( + data.id, + data.provider, + data.identification_id, + data.provider_user_id, + data.approved_scopes, + data.email_address, + data.first_name, + data.last_name, + data.image_url || "", + data.username, + data.public_metadata, + data.label, + data.verification && Verification.fromJSON(data.verification) + ); + } +}; + +// src/api/resources/Invitation.ts +var Invitation = class _Invitation { + constructor(id, emailAddress, publicMetadata, createdAt, updatedAt, status, url, revoked) { + this.id = id; + this.emailAddress = emailAddress; + this.publicMetadata = publicMetadata; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.status = status; + this.url = url; + this.revoked = revoked; + } + static fromJSON(data) { + return new _Invitation( + data.id, + data.email_address, + data.public_metadata, + data.created_at, + data.updated_at, + data.status, + data.url, + data.revoked + ); + } +}; + +// src/api/resources/JSON.ts +var ObjectType = { + AccountlessApplication: "accountless_application", + AllowlistIdentifier: "allowlist_identifier", + Client: "client", + Cookies: "cookies", + Email: "email", + EmailAddress: "email_address", + ExternalAccount: "external_account", + FacebookAccount: "facebook_account", + GoogleAccount: "google_account", + Invitation: "invitation", + OauthAccessToken: "oauth_access_token", + Organization: "organization", + OrganizationDomain: "organization_domain", + OrganizationInvitation: "organization_invitation", + OrganizationMembership: "organization_membership", + PhoneNumber: "phone_number", + RedirectUrl: "redirect_url", + SamlAccount: "saml_account", + Session: "session", + SignInAttempt: "sign_in_attempt", + SignInToken: "sign_in_token", + SignUpAttempt: "sign_up_attempt", + SmsMessage: "sms_message", + User: "user", + Web3Wallet: "web3_wallet", + Token: "token", + TotalCount: "total_count", + TestingToken: "testing_token", + Role: "role", + Permission: "permission" +}; + +// src/api/resources/OauthAccessToken.ts +var OauthAccessToken = class _OauthAccessToken { + constructor(externalAccountId, provider, token, publicMetadata = {}, label, scopes, tokenSecret) { + this.externalAccountId = externalAccountId; + this.provider = provider; + this.token = token; + this.publicMetadata = publicMetadata; + this.label = label; + this.scopes = scopes; + this.tokenSecret = tokenSecret; + } + static fromJSON(data) { + return new _OauthAccessToken( + data.external_account_id, + data.provider, + data.token, + data.public_metadata, + data.label || "", + data.scopes, + data.token_secret + ); + } +}; + +// src/api/resources/Organization.ts +var Organization = class _Organization { + constructor(id, name, slug, imageUrl, hasImage, createdAt, updatedAt, publicMetadata = {}, privateMetadata = {}, maxAllowedMemberships, adminDeleteEnabled, membersCount, createdBy) { + this.id = id; + this.name = name; + this.slug = slug; + this.imageUrl = imageUrl; + this.hasImage = hasImage; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.publicMetadata = publicMetadata; + this.privateMetadata = privateMetadata; + this.maxAllowedMemberships = maxAllowedMemberships; + this.adminDeleteEnabled = adminDeleteEnabled; + this.membersCount = membersCount; + this.createdBy = createdBy; + } + static fromJSON(data) { + return new _Organization( + data.id, + data.name, + data.slug, + data.image_url || "", + data.has_image, + data.created_at, + data.updated_at, + data.public_metadata, + data.private_metadata, + data.max_allowed_memberships, + data.admin_delete_enabled, + data.members_count, + data.created_by + ); + } +}; + +// src/api/resources/OrganizationInvitation.ts +var OrganizationInvitation = class _OrganizationInvitation { + constructor(id, emailAddress, role, organizationId, createdAt, updatedAt, status, publicMetadata = {}, privateMetadata = {}) { + this.id = id; + this.emailAddress = emailAddress; + this.role = role; + this.organizationId = organizationId; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.status = status; + this.publicMetadata = publicMetadata; + this.privateMetadata = privateMetadata; + } + static fromJSON(data) { + return new _OrganizationInvitation( + data.id, + data.email_address, + data.role, + data.organization_id, + data.created_at, + data.updated_at, + data.status, + data.public_metadata, + data.private_metadata + ); + } +}; + +// src/api/resources/OrganizationMembership.ts +var OrganizationMembership = class _OrganizationMembership { + constructor(id, role, permissions, publicMetadata = {}, privateMetadata = {}, createdAt, updatedAt, organization, publicUserData) { + this.id = id; + this.role = role; + this.permissions = permissions; + this.publicMetadata = publicMetadata; + this.privateMetadata = privateMetadata; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.organization = organization; + this.publicUserData = publicUserData; + } + static fromJSON(data) { + return new _OrganizationMembership( + data.id, + data.role, + data.permissions, + data.public_metadata, + data.private_metadata, + data.created_at, + data.updated_at, + Organization.fromJSON(data.organization), + OrganizationMembershipPublicUserData.fromJSON(data.public_user_data) + ); + } +}; +var OrganizationMembershipPublicUserData = class _OrganizationMembershipPublicUserData { + constructor(identifier, firstName, lastName, imageUrl, hasImage, userId) { + this.identifier = identifier; + this.firstName = firstName; + this.lastName = lastName; + this.imageUrl = imageUrl; + this.hasImage = hasImage; + this.userId = userId; + } + static fromJSON(data) { + return new _OrganizationMembershipPublicUserData( + data.identifier, + data.first_name, + data.last_name, + data.image_url, + data.has_image, + data.user_id + ); + } +}; + +// src/api/resources/PhoneNumber.ts +var PhoneNumber = class _PhoneNumber { + constructor(id, phoneNumber, reservedForSecondFactor, defaultSecondFactor, verification, linkedTo) { + this.id = id; + this.phoneNumber = phoneNumber; + this.reservedForSecondFactor = reservedForSecondFactor; + this.defaultSecondFactor = defaultSecondFactor; + this.verification = verification; + this.linkedTo = linkedTo; + } + static fromJSON(data) { + return new _PhoneNumber( + data.id, + data.phone_number, + data.reserved_for_second_factor, + data.default_second_factor, + data.verification && Verification.fromJSON(data.verification), + data.linked_to.map((link) => IdentificationLink.fromJSON(link)) + ); + } +}; + +// src/api/resources/RedirectUrl.ts +var RedirectUrl = class _RedirectUrl { + constructor(id, url, createdAt, updatedAt) { + this.id = id; + this.url = url; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + } + static fromJSON(data) { + return new _RedirectUrl(data.id, data.url, data.created_at, data.updated_at); + } +}; + +// src/api/resources/SignInTokens.ts +var SignInToken = class _SignInToken { + constructor(id, userId, token, status, url, createdAt, updatedAt) { + this.id = id; + this.userId = userId; + this.token = token; + this.status = status; + this.url = url; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + } + static fromJSON(data) { + return new _SignInToken(data.id, data.user_id, data.token, data.status, data.url, data.created_at, data.updated_at); + } +}; + +// src/api/resources/SMSMessage.ts +var SMSMessage = class _SMSMessage { + constructor(id, fromPhoneNumber, toPhoneNumber, message, status, phoneNumberId, data) { + this.id = id; + this.fromPhoneNumber = fromPhoneNumber; + this.toPhoneNumber = toPhoneNumber; + this.message = message; + this.status = status; + this.phoneNumberId = phoneNumberId; + this.data = data; + } + static fromJSON(data) { + return new _SMSMessage( + data.id, + data.from_phone_number, + data.to_phone_number, + data.message, + data.status, + data.phone_number_id, + data.data + ); + } +}; + +// src/api/resources/Token.ts +var Token = class _Token { + constructor(jwt) { + this.jwt = jwt; + } + static fromJSON(data) { + return new _Token(data.jwt); + } +}; + +// src/api/resources/SamlConnection.ts +var SamlAccountConnection = class _SamlAccountConnection { + constructor(id, name, domain, active, provider, syncUserAttributes, allowSubdomains, allowIdpInitiated, createdAt, updatedAt) { + this.id = id; + this.name = name; + this.domain = domain; + this.active = active; + this.provider = provider; + this.syncUserAttributes = syncUserAttributes; + this.allowSubdomains = allowSubdomains; + this.allowIdpInitiated = allowIdpInitiated; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + } + static fromJSON(data) { + return new _SamlAccountConnection( + data.id, + data.name, + data.domain, + data.active, + data.provider, + data.sync_user_attributes, + data.allow_subdomains, + data.allow_idp_initiated, + data.created_at, + data.updated_at + ); + } +}; + +// src/api/resources/SamlAccount.ts +var SamlAccount = class _SamlAccount { + constructor(id, provider, providerUserId, active, emailAddress, firstName, lastName, verification, samlConnection) { + this.id = id; + this.provider = provider; + this.providerUserId = providerUserId; + this.active = active; + this.emailAddress = emailAddress; + this.firstName = firstName; + this.lastName = lastName; + this.verification = verification; + this.samlConnection = samlConnection; + } + static fromJSON(data) { + return new _SamlAccount( + data.id, + data.provider, + data.provider_user_id, + data.active, + data.email_address, + data.first_name, + data.last_name, + data.verification && Verification.fromJSON(data.verification), + data.saml_connection && SamlAccountConnection.fromJSON(data.saml_connection) + ); + } +}; + +// src/api/resources/Web3Wallet.ts +var Web3Wallet = class _Web3Wallet { + constructor(id, web3Wallet, verification) { + this.id = id; + this.web3Wallet = web3Wallet; + this.verification = verification; + } + static fromJSON(data) { + return new _Web3Wallet(data.id, data.web3_wallet, data.verification && Verification.fromJSON(data.verification)); + } +}; + +// src/api/resources/User.ts +var User = class _User { + constructor(id, passwordEnabled, totpEnabled, backupCodeEnabled, twoFactorEnabled, banned, locked, createdAt, updatedAt, imageUrl, hasImage, primaryEmailAddressId, primaryPhoneNumberId, primaryWeb3WalletId, lastSignInAt, externalId, username, firstName, lastName, publicMetadata = {}, privateMetadata = {}, unsafeMetadata = {}, emailAddresses = [], phoneNumbers = [], web3Wallets = [], externalAccounts = [], samlAccounts = [], lastActiveAt, createOrganizationEnabled, createOrganizationsLimit = null, deleteSelfEnabled, legalAcceptedAt) { + this.id = id; + this.passwordEnabled = passwordEnabled; + this.totpEnabled = totpEnabled; + this.backupCodeEnabled = backupCodeEnabled; + this.twoFactorEnabled = twoFactorEnabled; + this.banned = banned; + this.locked = locked; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.imageUrl = imageUrl; + this.hasImage = hasImage; + this.primaryEmailAddressId = primaryEmailAddressId; + this.primaryPhoneNumberId = primaryPhoneNumberId; + this.primaryWeb3WalletId = primaryWeb3WalletId; + this.lastSignInAt = lastSignInAt; + this.externalId = externalId; + this.username = username; + this.firstName = firstName; + this.lastName = lastName; + this.publicMetadata = publicMetadata; + this.privateMetadata = privateMetadata; + this.unsafeMetadata = unsafeMetadata; + this.emailAddresses = emailAddresses; + this.phoneNumbers = phoneNumbers; + this.web3Wallets = web3Wallets; + this.externalAccounts = externalAccounts; + this.samlAccounts = samlAccounts; + this.lastActiveAt = lastActiveAt; + this.createOrganizationEnabled = createOrganizationEnabled; + this.createOrganizationsLimit = createOrganizationsLimit; + this.deleteSelfEnabled = deleteSelfEnabled; + this.legalAcceptedAt = legalAcceptedAt; + this._raw = null; + } + get raw() { + return this._raw; + } + static fromJSON(data) { + const res = new _User( + data.id, + data.password_enabled, + data.totp_enabled, + data.backup_code_enabled, + data.two_factor_enabled, + data.banned, + data.locked, + data.created_at, + data.updated_at, + data.image_url, + data.has_image, + data.primary_email_address_id, + data.primary_phone_number_id, + data.primary_web3_wallet_id, + data.last_sign_in_at, + data.external_id, + data.username, + data.first_name, + data.last_name, + data.public_metadata, + data.private_metadata, + data.unsafe_metadata, + (data.email_addresses || []).map((x) => EmailAddress.fromJSON(x)), + (data.phone_numbers || []).map((x) => PhoneNumber.fromJSON(x)), + (data.web3_wallets || []).map((x) => Web3Wallet.fromJSON(x)), + (data.external_accounts || []).map((x) => ExternalAccount.fromJSON(x)), + (data.saml_accounts || []).map((x) => SamlAccount.fromJSON(x)), + data.last_active_at, + data.create_organization_enabled, + data.create_organizations_limit, + data.delete_self_enabled, + data.legal_accepted_at + ); + res._raw = data; + return res; + } + get primaryEmailAddress() { + return this.emailAddresses.find(({ id }) => id === this.primaryEmailAddressId) ?? null; + } + get primaryPhoneNumber() { + return this.phoneNumbers.find(({ id }) => id === this.primaryPhoneNumberId) ?? null; + } + get primaryWeb3Wallet() { + return this.web3Wallets.find(({ id }) => id === this.primaryWeb3WalletId) ?? null; + } + get fullName() { + return [this.firstName, this.lastName].join(" ").trim() || null; + } +}; + +// src/api/resources/Deserializer.ts +function deserialize(payload) { + let data, totalCount; + if (Array.isArray(payload)) { + const data2 = payload.map((item) => jsonToObject(item)); + return { data: data2 }; + } else if (isPaginated(payload)) { + data = payload.data.map((item) => jsonToObject(item)); + totalCount = payload.total_count; + return { data, totalCount }; + } else { + return { data: jsonToObject(payload) }; + } +} +function isPaginated(payload) { + if (!payload || typeof payload !== "object" || !("data" in payload)) { + return false; + } + return Array.isArray(payload.data) && payload.data !== void 0; +} +function getCount(item) { + return item.total_count; +} +function jsonToObject(item) { + if (typeof item !== "string" && "object" in item && "deleted" in item) { + return DeletedObject.fromJSON(item); + } + switch (item.object) { + case ObjectType.AccountlessApplication: + return AccountlessApplication.fromJSON(item); + case ObjectType.AllowlistIdentifier: + return AllowlistIdentifier.fromJSON(item); + case ObjectType.Client: + return Client.fromJSON(item); + case ObjectType.Cookies: + return Cookies2.fromJSON(item); + case ObjectType.EmailAddress: + return EmailAddress.fromJSON(item); + case ObjectType.Email: + return Email.fromJSON(item); + case ObjectType.Invitation: + return Invitation.fromJSON(item); + case ObjectType.OauthAccessToken: + return OauthAccessToken.fromJSON(item); + case ObjectType.Organization: + return Organization.fromJSON(item); + case ObjectType.OrganizationInvitation: + return OrganizationInvitation.fromJSON(item); + case ObjectType.OrganizationMembership: + return OrganizationMembership.fromJSON(item); + case ObjectType.PhoneNumber: + return PhoneNumber.fromJSON(item); + case ObjectType.RedirectUrl: + return RedirectUrl.fromJSON(item); + case ObjectType.SignInToken: + return SignInToken.fromJSON(item); + case ObjectType.Session: + return Session.fromJSON(item); + case ObjectType.SmsMessage: + return SMSMessage.fromJSON(item); + case ObjectType.Token: + return Token.fromJSON(item); + case ObjectType.TotalCount: + return getCount(item); + case ObjectType.User: + return User.fromJSON(item); + default: + return item; + } +} + +// src/api/request.ts +function buildRequest(options) { + const requestFn = async (requestOptions) => { + const { + secretKey, + requireSecretKey = true, + apiUrl = API_URL, + apiVersion = API_VERSION, + userAgent = USER_AGENT + } = options; + const { path, method, queryParams, headerParams, bodyParams, formData } = requestOptions; + if (requireSecretKey) { + assertValidSecretKey(secretKey); + } + const url = joinPaths(apiUrl, apiVersion, path); + const finalUrl = new URL(url); + if (queryParams) { + const snakecasedQueryParams = (0, import_snakecase_keys.default)({ ...queryParams }); + for (const [key, val] of Object.entries(snakecasedQueryParams)) { + if (val) { + [val].flat().forEach((v) => finalUrl.searchParams.append(key, v)); + } + } + } + const headers = { + Authorization: `Bearer ${secretKey}`, + "Clerk-API-Version": SUPPORTED_BAPI_VERSION, + "User-Agent": userAgent, + ...headerParams + }; + let res; + try { + if (formData) { + res = await runtime.fetch(finalUrl.href, { + method, + headers, + body: formData + }); + } else { + headers["Content-Type"] = "application/json"; + const hasBody = method !== "GET" && bodyParams && Object.keys(bodyParams).length > 0; + const body = hasBody ? { body: JSON.stringify((0, import_snakecase_keys.default)(bodyParams, { deep: false })) } : null; + res = await runtime.fetch(finalUrl.href, { + method, + headers, + ...body + }); + } + const isJSONResponse = res?.headers && res.headers?.get(constants.Headers.ContentType) === constants.ContentTypes.Json; + const responseBody = await (isJSONResponse ? res.json() : res.text()); + if (!res.ok) { + return { + data: null, + errors: parseErrors(responseBody), + status: res?.status, + statusText: res?.statusText, + clerkTraceId: getTraceId(responseBody, res?.headers) + }; + } + return { + ...deserialize(responseBody), + errors: null + }; + } catch (err) { + if (err instanceof Error) { + return { + data: null, + errors: [ + { + code: "unexpected_error", + message: err.message || "Unexpected error" + } + ], + clerkTraceId: getTraceId(err, res?.headers) + }; + } + return { + data: null, + errors: parseErrors(err), + status: res?.status, + statusText: res?.statusText, + clerkTraceId: getTraceId(err, res?.headers) + }; + } + }; + return withLegacyRequestReturn(requestFn); +} +function getTraceId(data, headers) { + if (data && typeof data === "object" && "clerk_trace_id" in data && typeof data.clerk_trace_id === "string") { + return data.clerk_trace_id; + } + const cfRay = headers?.get("cf-ray"); + return cfRay || ""; +} +function parseErrors(data) { + if (!!data && typeof data === "object" && "errors" in data) { + const errors = data.errors; + return errors.length > 0 ? errors.map(import_error2.parseError) : []; + } + return []; +} +function withLegacyRequestReturn(cb) { + return async (...args) => { + const { data, errors, totalCount, status, statusText, clerkTraceId } = await cb(...args); + if (errors) { + const error = new import_error2.ClerkAPIResponseError(statusText || "", { + data: [], + status, + clerkTraceId + }); + error.errors = errors; + throw error; + } + if (typeof totalCount !== "undefined") { + return { data, totalCount }; + } + return data; + }; +} + +// src/api/factory.ts +function createBackendApiClient(options) { + const request = buildRequest(options); + return { + __experimental_accountlessApplications: new AccountlessApplicationAPI( + buildRequest({ ...options, requireSecretKey: false }) + ), + allowlistIdentifiers: new AllowlistIdentifierAPI(request), + clients: new ClientAPI(request), + emailAddresses: new EmailAddressAPI(request), + invitations: new InvitationAPI(request), + organizations: new OrganizationAPI(request), + phoneNumbers: new PhoneNumberAPI(request), + redirectUrls: new RedirectUrlAPI(request), + sessions: new SessionAPI(request), + signInTokens: new SignInTokenAPI(request), + users: new UserAPI(request), + domains: new DomainAPI(request), + samlConnections: new SamlConnectionAPI(request), + testingTokens: new TestingTokenAPI(request) + }; +} + +// src/jwt/legacyReturn.ts +function withLegacyReturn(cb) { + return async (...args) => { + const { data, errors } = await cb(...args); + if (errors) { + throw errors[0]; + } + return data; + }; +} + +// src/util/mergePreDefinedOptions.ts +function mergePreDefinedOptions(preDefinedOptions, options) { + return Object.keys(preDefinedOptions).reduce( + (obj, key) => { + return { ...obj, [key]: options[key] || obj[key] }; + }, + { ...preDefinedOptions } + ); +} + +// src/tokens/request.ts +var import_pathToRegexp = require("@clerk/shared/pathToRegexp"); + +// src/errors.ts +var TokenVerificationErrorCode = { + InvalidSecretKey: "clerk_key_invalid" +}; +var TokenVerificationErrorReason = { + TokenExpired: "token-expired", + TokenInvalid: "token-invalid", + TokenInvalidAlgorithm: "token-invalid-algorithm", + TokenInvalidAuthorizedParties: "token-invalid-authorized-parties", + TokenInvalidSignature: "token-invalid-signature", + TokenNotActiveYet: "token-not-active-yet", + TokenIatInTheFuture: "token-iat-in-the-future", + TokenVerificationFailed: "token-verification-failed", + InvalidSecretKey: "secret-key-invalid", + LocalJWKMissing: "jwk-local-missing", + RemoteJWKFailedToLoad: "jwk-remote-failed-to-load", + RemoteJWKInvalid: "jwk-remote-invalid", + RemoteJWKMissing: "jwk-remote-missing", + JWKFailedToResolve: "jwk-failed-to-resolve", + JWKKidMismatch: "jwk-kid-mismatch" +}; +var TokenVerificationErrorAction = { + ContactSupport: "Contact support@clerk.com", + EnsureClerkJWT: "Make sure that this is a valid Clerk generate JWT.", + SetClerkJWTKey: "Set the CLERK_JWT_KEY environment variable.", + SetClerkSecretKey: "Set the CLERK_SECRET_KEY environment variable.", + EnsureClockSync: "Make sure your system clock is in sync (e.g. turn off and on automatic time synchronization)." +}; +var TokenVerificationError = class _TokenVerificationError extends Error { + constructor({ + action, + message, + reason + }) { + super(message); + Object.setPrototypeOf(this, _TokenVerificationError.prototype); + this.reason = reason; + this.message = message; + this.action = action; + } + getFullMessage() { + return `${[this.message, this.action].filter((m) => m).join(" ")} (reason=${this.reason}, token-carrier=${this.tokenCarrier})`; + } +}; + +// src/util/rfc4648.ts +var base64url = { + parse(string, opts) { + return parse(string, base64UrlEncoding, opts); + }, + stringify(data, opts) { + return stringify(data, base64UrlEncoding, opts); + } +}; +var base64UrlEncoding = { + chars: "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_", + bits: 6 +}; +function parse(string, encoding, opts = {}) { + if (!encoding.codes) { + encoding.codes = {}; + for (let i = 0; i < encoding.chars.length; ++i) { + encoding.codes[encoding.chars[i]] = i; + } + } + if (!opts.loose && string.length * encoding.bits & 7) { + throw new SyntaxError("Invalid padding"); + } + let end = string.length; + while (string[end - 1] === "=") { + --end; + if (!opts.loose && !((string.length - end) * encoding.bits & 7)) { + throw new SyntaxError("Invalid padding"); + } + } + const out = new (opts.out ?? Uint8Array)(end * encoding.bits / 8 | 0); + let bits = 0; + let buffer = 0; + let written = 0; + for (let i = 0; i < end; ++i) { + const value = encoding.codes[string[i]]; + if (value === void 0) { + throw new SyntaxError("Invalid character " + string[i]); + } + buffer = buffer << encoding.bits | value; + bits += encoding.bits; + if (bits >= 8) { + bits -= 8; + out[written++] = 255 & buffer >> bits; + } + } + if (bits >= encoding.bits || 255 & buffer << 8 - bits) { + throw new SyntaxError("Unexpected end of data"); + } + return out; +} +function stringify(data, encoding, opts = {}) { + const { pad = true } = opts; + const mask = (1 << encoding.bits) - 1; + let out = ""; + let bits = 0; + let buffer = 0; + for (let i = 0; i < data.length; ++i) { + buffer = buffer << 8 | 255 & data[i]; + bits += 8; + while (bits > encoding.bits) { + bits -= encoding.bits; + out += encoding.chars[mask & buffer >> bits]; + } + } + if (bits) { + out += encoding.chars[mask & buffer << encoding.bits - bits]; + } + if (pad) { + while (out.length * encoding.bits & 7) { + out += "="; + } + } + return out; +} + +// src/jwt/algorithms.ts +var algToHash = { + RS256: "SHA-256", + RS384: "SHA-384", + RS512: "SHA-512" +}; +var RSA_ALGORITHM_NAME = "RSASSA-PKCS1-v1_5"; +var jwksAlgToCryptoAlg = { + RS256: RSA_ALGORITHM_NAME, + RS384: RSA_ALGORITHM_NAME, + RS512: RSA_ALGORITHM_NAME +}; +var algs = Object.keys(algToHash); +function getCryptoAlgorithm(algorithmName) { + const hash = algToHash[algorithmName]; + const name = jwksAlgToCryptoAlg[algorithmName]; + if (!hash || !name) { + throw new Error(`Unsupported algorithm ${algorithmName}, expected one of ${algs.join(",")}.`); + } + return { + hash: { name: algToHash[algorithmName] }, + name: jwksAlgToCryptoAlg[algorithmName] + }; +} + +// src/jwt/assertions.ts +var isArrayString = (s) => { + return Array.isArray(s) && s.length > 0 && s.every((a) => typeof a === "string"); +}; +var assertAudienceClaim = (aud, audience) => { + const audienceList = [audience].flat().filter((a) => !!a); + const audList = [aud].flat().filter((a) => !!a); + const shouldVerifyAudience = audienceList.length > 0 && audList.length > 0; + if (!shouldVerifyAudience) { + return; + } + if (typeof aud === "string") { + if (!audienceList.includes(aud)) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT audience claim (aud) ${JSON.stringify(aud)}. Is not included in "${JSON.stringify( + audienceList + )}".` + }); + } + } else if (isArrayString(aud)) { + if (!aud.some((a) => audienceList.includes(a))) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT audience claim array (aud) ${JSON.stringify(aud)}. Is not included in "${JSON.stringify( + audienceList + )}".` + }); + } + } +}; +var assertHeaderType = (typ) => { + if (typeof typ === "undefined") { + return; + } + if (typ !== "JWT") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenInvalid, + message: `Invalid JWT type ${JSON.stringify(typ)}. Expected "JWT".` + }); + } +}; +var assertHeaderAlgorithm = (alg) => { + if (!algs.includes(alg)) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenInvalidAlgorithm, + message: `Invalid JWT algorithm ${JSON.stringify(alg)}. Supported: ${algs}.` + }); + } +}; +var assertSubClaim = (sub) => { + if (typeof sub !== "string") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Subject claim (sub) is required and must be a string. Received ${JSON.stringify(sub)}.` + }); + } +}; +var assertAuthorizedPartiesClaim = (azp, authorizedParties) => { + if (!azp || !authorizedParties || authorizedParties.length === 0) { + return; + } + if (!authorizedParties.includes(azp)) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalidAuthorizedParties, + message: `Invalid JWT Authorized party claim (azp) ${JSON.stringify(azp)}. Expected "${authorizedParties}".` + }); + } +}; +var assertExpirationClaim = (exp, clockSkewInMs) => { + if (typeof exp !== "number") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT expiry date claim (exp) ${JSON.stringify(exp)}. Expected number.` + }); + } + const currentDate = new Date(Date.now()); + const expiryDate = /* @__PURE__ */ new Date(0); + expiryDate.setUTCSeconds(exp); + const expired = expiryDate.getTime() <= currentDate.getTime() - clockSkewInMs; + if (expired) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenExpired, + message: `JWT is expired. Expiry date: ${expiryDate.toUTCString()}, Current date: ${currentDate.toUTCString()}.` + }); + } +}; +var assertActivationClaim = (nbf, clockSkewInMs) => { + if (typeof nbf === "undefined") { + return; + } + if (typeof nbf !== "number") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT not before date claim (nbf) ${JSON.stringify(nbf)}. Expected number.` + }); + } + const currentDate = new Date(Date.now()); + const notBeforeDate = /* @__PURE__ */ new Date(0); + notBeforeDate.setUTCSeconds(nbf); + const early = notBeforeDate.getTime() > currentDate.getTime() + clockSkewInMs; + if (early) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenNotActiveYet, + message: `JWT cannot be used prior to not before date claim (nbf). Not before date: ${notBeforeDate.toUTCString()}; Current date: ${currentDate.toUTCString()};` + }); + } +}; +var assertIssuedAtClaim = (iat, clockSkewInMs) => { + if (typeof iat === "undefined") { + return; + } + if (typeof iat !== "number") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT issued at date claim (iat) ${JSON.stringify(iat)}. Expected number.` + }); + } + const currentDate = new Date(Date.now()); + const issuedAtDate = /* @__PURE__ */ new Date(0); + issuedAtDate.setUTCSeconds(iat); + const postIssued = issuedAtDate.getTime() > currentDate.getTime() + clockSkewInMs; + if (postIssued) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenIatInTheFuture, + message: `JWT issued at date claim (iat) is in the future. Issued at date: ${issuedAtDate.toUTCString()}; Current date: ${currentDate.toUTCString()};` + }); + } +}; + +// src/jwt/cryptoKeys.ts +var import_isomorphicAtob = require("@clerk/shared/isomorphicAtob"); +function pemToBuffer(secret) { + const trimmed = secret.replace(/-----BEGIN.*?-----/g, "").replace(/-----END.*?-----/g, "").replace(/\s/g, ""); + const decoded = (0, import_isomorphicAtob.isomorphicAtob)(trimmed); + const buffer = new ArrayBuffer(decoded.length); + const bufView = new Uint8Array(buffer); + for (let i = 0, strLen = decoded.length; i < strLen; i++) { + bufView[i] = decoded.charCodeAt(i); + } + return bufView; +} +function importKey(key, algorithm, keyUsage) { + if (typeof key === "object") { + return runtime.crypto.subtle.importKey("jwk", key, algorithm, false, [keyUsage]); + } + const keyData = pemToBuffer(key); + const format = keyUsage === "sign" ? "pkcs8" : "spki"; + return runtime.crypto.subtle.importKey(format, keyData, algorithm, false, [keyUsage]); +} + +// src/jwt/verifyJwt.ts +var DEFAULT_CLOCK_SKEW_IN_SECONDS = 5 * 1e3; +async function hasValidSignature(jwt, key) { + const { header, signature, raw } = jwt; + const encoder = new TextEncoder(); + const data = encoder.encode([raw.header, raw.payload].join(".")); + const algorithm = getCryptoAlgorithm(header.alg); + try { + const cryptoKey = await importKey(key, algorithm, "verify"); + const verified = await runtime.crypto.subtle.verify(algorithm.name, cryptoKey, signature, data); + return { data: verified }; + } catch (error) { + return { + errors: [ + new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalidSignature, + message: error?.message + }) + ] + }; + } +} +function decodeJwt(token) { + const tokenParts = (token || "").toString().split("."); + if (tokenParts.length !== 3) { + return { + errors: [ + new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalid, + message: `Invalid JWT form. A JWT consists of three parts separated by dots.` + }) + ] + }; + } + const [rawHeader, rawPayload, rawSignature] = tokenParts; + const decoder = new TextDecoder(); + const header = JSON.parse(decoder.decode(base64url.parse(rawHeader, { loose: true }))); + const payload = JSON.parse(decoder.decode(base64url.parse(rawPayload, { loose: true }))); + const signature = base64url.parse(rawSignature, { loose: true }); + const data = { + header, + payload, + signature, + raw: { + header: rawHeader, + payload: rawPayload, + signature: rawSignature, + text: token + } + }; + return { data }; +} +async function verifyJwt(token, options) { + const { audience, authorizedParties, clockSkewInMs, key } = options; + const clockSkew = clockSkewInMs || DEFAULT_CLOCK_SKEW_IN_SECONDS; + const { data: decoded, errors } = decodeJwt(token); + if (errors) { + return { errors }; + } + const { header, payload } = decoded; + try { + const { typ, alg } = header; + assertHeaderType(typ); + assertHeaderAlgorithm(alg); + const { azp, sub, aud, iat, exp, nbf } = payload; + assertSubClaim(sub); + assertAudienceClaim([aud], [audience]); + assertAuthorizedPartiesClaim(azp, authorizedParties); + assertExpirationClaim(exp, clockSkew); + assertActivationClaim(nbf, clockSkew); + assertIssuedAtClaim(iat, clockSkew); + } catch (err) { + return { errors: [err] }; + } + const { data: signatureValid, errors: signatureErrors } = await hasValidSignature(decoded, key); + if (signatureErrors) { + return { + errors: [ + new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Error verifying JWT signature. ${signatureErrors[0]}` + }) + ] + }; + } + if (!signatureValid) { + return { + errors: [ + new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalidSignature, + message: "JWT signature is invalid." + }) + ] + }; + } + return { data: payload }; +} + +// src/tokens/authenticateContext.ts +var AuthenticateContext = class { + constructor(cookieSuffix, clerkRequest, options) { + this.cookieSuffix = cookieSuffix; + this.clerkRequest = clerkRequest; + this.initPublishableKeyValues(options); + this.initHeaderValues(); + this.initCookieValues(); + this.initHandshakeValues(); + Object.assign(this, options); + this.clerkUrl = this.clerkRequest.clerkUrl; + } + /** + * Retrieves the session token from either the cookie or the header. + * + * @returns {string | undefined} The session token if available, otherwise undefined. + */ + get sessionToken() { + return this.sessionTokenInCookie || this.sessionTokenInHeader; + } + usesSuffixedCookies() { + const suffixedClientUat = this.getSuffixedCookie(constants.Cookies.ClientUat); + const clientUat = this.getCookie(constants.Cookies.ClientUat); + const suffixedSession = this.getSuffixedCookie(constants.Cookies.Session) || ""; + const session = this.getCookie(constants.Cookies.Session) || ""; + if (session && !this.tokenHasIssuer(session)) { + return false; + } + if (session && !this.tokenBelongsToInstance(session)) { + return true; + } + if (!suffixedClientUat && !suffixedSession) { + return false; + } + const { data: sessionData } = decodeJwt(session); + const sessionIat = sessionData?.payload.iat || 0; + const { data: suffixedSessionData } = decodeJwt(suffixedSession); + const suffixedSessionIat = suffixedSessionData?.payload.iat || 0; + if (suffixedClientUat !== "0" && clientUat !== "0" && sessionIat > suffixedSessionIat) { + return false; + } + if (suffixedClientUat === "0" && clientUat !== "0") { + return false; + } + if (this.instanceType !== "production") { + const isSuffixedSessionExpired = this.sessionExpired(suffixedSessionData); + if (suffixedClientUat !== "0" && clientUat === "0" && isSuffixedSessionExpired) { + return false; + } + } + if (!suffixedClientUat && suffixedSession) { + return false; + } + return true; + } + initPublishableKeyValues(options) { + assertValidPublishableKey(options.publishableKey); + this.publishableKey = options.publishableKey; + const pk = (0, import_keys.parsePublishableKey)(this.publishableKey, { + fatal: true, + proxyUrl: options.proxyUrl, + domain: options.domain + }); + this.instanceType = pk.instanceType; + this.frontendApi = pk.frontendApi; + } + initHeaderValues() { + this.sessionTokenInHeader = this.stripAuthorizationHeader(this.getHeader(constants.Headers.Authorization)); + this.origin = this.getHeader(constants.Headers.Origin); + this.host = this.getHeader(constants.Headers.Host); + this.forwardedHost = this.getHeader(constants.Headers.ForwardedHost); + this.forwardedProto = this.getHeader(constants.Headers.CloudFrontForwardedProto) || this.getHeader(constants.Headers.ForwardedProto); + this.referrer = this.getHeader(constants.Headers.Referrer); + this.userAgent = this.getHeader(constants.Headers.UserAgent); + this.secFetchDest = this.getHeader(constants.Headers.SecFetchDest); + this.accept = this.getHeader(constants.Headers.Accept); + } + initCookieValues() { + this.sessionTokenInCookie = this.getSuffixedOrUnSuffixedCookie(constants.Cookies.Session); + this.refreshTokenInCookie = this.getSuffixedCookie(constants.Cookies.Refresh); + this.clientUat = Number.parseInt(this.getSuffixedOrUnSuffixedCookie(constants.Cookies.ClientUat) || "") || 0; + } + initHandshakeValues() { + this.devBrowserToken = this.getQueryParam(constants.QueryParameters.DevBrowser) || this.getSuffixedOrUnSuffixedCookie(constants.Cookies.DevBrowser); + this.handshakeToken = this.getQueryParam(constants.QueryParameters.Handshake) || this.getCookie(constants.Cookies.Handshake); + this.handshakeRedirectLoopCounter = Number(this.getCookie(constants.Cookies.RedirectCount)) || 0; + } + stripAuthorizationHeader(authValue) { + return authValue?.replace("Bearer ", ""); + } + getQueryParam(name) { + return this.clerkRequest.clerkUrl.searchParams.get(name); + } + getHeader(name) { + return this.clerkRequest.headers.get(name) || void 0; + } + getCookie(name) { + return this.clerkRequest.cookies.get(name) || void 0; + } + getSuffixedCookie(name) { + return this.getCookie((0, import_keys.getSuffixedCookieName)(name, this.cookieSuffix)) || void 0; + } + getSuffixedOrUnSuffixedCookie(cookieName) { + if (this.usesSuffixedCookies()) { + return this.getSuffixedCookie(cookieName); + } + return this.getCookie(cookieName); + } + tokenHasIssuer(token) { + const { data, errors } = decodeJwt(token); + if (errors) { + return false; + } + return !!data.payload.iss; + } + tokenBelongsToInstance(token) { + if (!token) { + return false; + } + const { data, errors } = decodeJwt(token); + if (errors) { + return false; + } + const tokenIssuer = data.payload.iss.replace(/https?:\/\//gi, ""); + return this.frontendApi === tokenIssuer; + } + sessionExpired(jwt) { + return !!jwt && jwt?.payload.exp <= Date.now() / 1e3 >> 0; + } +}; +var createAuthenticateContext = async (clerkRequest, options) => { + const cookieSuffix = options.publishableKey ? await (0, import_keys.getCookieSuffix)(options.publishableKey, runtime.crypto.subtle) : ""; + return new AuthenticateContext(cookieSuffix, clerkRequest, options); +}; + +// src/tokens/authObjects.ts +var import_authorization = require("@clerk/shared/authorization"); +var createDebug = (data) => { + return () => { + const res = { ...data }; + res.secretKey = (res.secretKey || "").substring(0, 7); + res.jwtKey = (res.jwtKey || "").substring(0, 7); + return { ...res }; + }; +}; +function signedInAuthObject(authenticateContext, sessionToken, sessionClaims) { + const { + act: actor, + sid: sessionId, + org_id: orgId, + org_role: orgRole, + org_slug: orgSlug, + org_permissions: orgPermissions, + sub: userId, + fva + } = sessionClaims; + const apiClient = createBackendApiClient(authenticateContext); + const getToken = createGetToken({ + sessionId, + sessionToken, + fetcher: async (...args) => (await apiClient.sessions.getToken(...args)).jwt + }); + const factorVerificationAge = fva ?? null; + return { + actor, + sessionClaims, + sessionId, + userId, + orgId, + orgRole, + orgSlug, + orgPermissions, + factorVerificationAge, + getToken, + has: (0, import_authorization.createCheckAuthorization)({ orgId, orgRole, orgPermissions, userId, factorVerificationAge }), + debug: createDebug({ ...authenticateContext, sessionToken }) + }; +} +function signedOutAuthObject(debugData) { + return { + sessionClaims: null, + sessionId: null, + userId: null, + actor: null, + orgId: null, + orgRole: null, + orgSlug: null, + orgPermissions: null, + factorVerificationAge: null, + getToken: () => Promise.resolve(null), + has: () => false, + debug: createDebug(debugData) + }; +} +var createGetToken = (params) => { + const { fetcher, sessionToken, sessionId } = params || {}; + return async (options = {}) => { + if (!sessionId) { + return null; + } + if (options.template) { + return fetcher(sessionId, options.template); + } + return sessionToken; + }; +}; + +// src/tokens/authStatus.ts +var AuthStatus = { + SignedIn: "signed-in", + SignedOut: "signed-out", + Handshake: "handshake" +}; +var AuthErrorReason = { + ClientUATWithoutSessionToken: "client-uat-but-no-session-token", + DevBrowserMissing: "dev-browser-missing", + DevBrowserSync: "dev-browser-sync", + PrimaryRespondsToSyncing: "primary-responds-to-syncing", + SatelliteCookieNeedsSyncing: "satellite-needs-syncing", + SessionTokenAndUATMissing: "session-token-and-uat-missing", + SessionTokenMissing: "session-token-missing", + SessionTokenExpired: "session-token-expired", + SessionTokenIATBeforeClientUAT: "session-token-iat-before-client-uat", + SessionTokenNBF: "session-token-nbf", + SessionTokenIatInTheFuture: "session-token-iat-in-the-future", + SessionTokenWithoutClientUAT: "session-token-but-no-client-uat", + ActiveOrganizationMismatch: "active-organization-mismatch", + UnexpectedError: "unexpected-error" +}; +function signedIn(authenticateContext, sessionClaims, headers = new Headers(), token) { + const authObject = signedInAuthObject(authenticateContext, token, sessionClaims); + return { + status: AuthStatus.SignedIn, + reason: null, + message: null, + proxyUrl: authenticateContext.proxyUrl || "", + publishableKey: authenticateContext.publishableKey || "", + isSatellite: authenticateContext.isSatellite || false, + domain: authenticateContext.domain || "", + signInUrl: authenticateContext.signInUrl || "", + signUpUrl: authenticateContext.signUpUrl || "", + afterSignInUrl: authenticateContext.afterSignInUrl || "", + afterSignUpUrl: authenticateContext.afterSignUpUrl || "", + isSignedIn: true, + toAuth: () => authObject, + headers, + token + }; +} +function signedOut(authenticateContext, reason, message = "", headers = new Headers()) { + return withDebugHeaders({ + status: AuthStatus.SignedOut, + reason, + message, + proxyUrl: authenticateContext.proxyUrl || "", + publishableKey: authenticateContext.publishableKey || "", + isSatellite: authenticateContext.isSatellite || false, + domain: authenticateContext.domain || "", + signInUrl: authenticateContext.signInUrl || "", + signUpUrl: authenticateContext.signUpUrl || "", + afterSignInUrl: authenticateContext.afterSignInUrl || "", + afterSignUpUrl: authenticateContext.afterSignUpUrl || "", + isSignedIn: false, + headers, + toAuth: () => signedOutAuthObject({ ...authenticateContext, status: AuthStatus.SignedOut, reason, message }), + token: null + }); +} +function handshake(authenticateContext, reason, message = "", headers) { + return withDebugHeaders({ + status: AuthStatus.Handshake, + reason, + message, + publishableKey: authenticateContext.publishableKey || "", + isSatellite: authenticateContext.isSatellite || false, + domain: authenticateContext.domain || "", + proxyUrl: authenticateContext.proxyUrl || "", + signInUrl: authenticateContext.signInUrl || "", + signUpUrl: authenticateContext.signUpUrl || "", + afterSignInUrl: authenticateContext.afterSignInUrl || "", + afterSignUpUrl: authenticateContext.afterSignUpUrl || "", + isSignedIn: false, + headers, + toAuth: () => null, + token: null + }); +} +var withDebugHeaders = (requestState) => { + const headers = new Headers(requestState.headers || {}); + if (requestState.message) { + try { + headers.set(constants.Headers.AuthMessage, requestState.message); + } catch { + } + } + if (requestState.reason) { + try { + headers.set(constants.Headers.AuthReason, requestState.reason); + } catch { + } + } + if (requestState.status) { + try { + headers.set(constants.Headers.AuthStatus, requestState.status); + } catch { + } + } + requestState.headers = headers; + return requestState; +}; + +// src/tokens/clerkRequest.ts +var import_cookie = require("cookie"); + +// src/tokens/clerkUrl.ts +var ClerkUrl = class extends URL { + isCrossOrigin(other) { + return this.origin !== new URL(other.toString()).origin; + } +}; +var createClerkUrl = (...args) => { + return new ClerkUrl(...args); +}; + +// src/tokens/clerkRequest.ts +var ClerkRequest = class extends Request { + constructor(input, init) { + const url = typeof input !== "string" && "url" in input ? input.url : String(input); + super(url, init || typeof input === "string" ? void 0 : input); + this.clerkUrl = this.deriveUrlFromHeaders(this); + this.cookies = this.parseCookies(this); + } + toJSON() { + return { + url: this.clerkUrl.href, + method: this.method, + headers: JSON.stringify(Object.fromEntries(this.headers)), + clerkUrl: this.clerkUrl.toString(), + cookies: JSON.stringify(Object.fromEntries(this.cookies)) + }; + } + /** + * Used to fix request.url using the x-forwarded-* headers + * TODO add detailed description of the issues this solves + */ + deriveUrlFromHeaders(req) { + const initialUrl = new URL(req.url); + const forwardedProto = req.headers.get(constants.Headers.ForwardedProto); + const forwardedHost = req.headers.get(constants.Headers.ForwardedHost); + const host = req.headers.get(constants.Headers.Host); + const protocol = initialUrl.protocol; + const resolvedHost = this.getFirstValueFromHeader(forwardedHost) ?? host; + const resolvedProtocol = this.getFirstValueFromHeader(forwardedProto) ?? protocol?.replace(/[:/]/, ""); + const origin = resolvedHost && resolvedProtocol ? `${resolvedProtocol}://${resolvedHost}` : initialUrl.origin; + if (origin === initialUrl.origin) { + return createClerkUrl(initialUrl); + } + return createClerkUrl(initialUrl.pathname + initialUrl.search, origin); + } + getFirstValueFromHeader(value) { + return value?.split(",")[0]; + } + parseCookies(req) { + const cookiesRecord = (0, import_cookie.parse)(this.decodeCookieValue(req.headers.get("cookie") || "")); + return new Map(Object.entries(cookiesRecord)); + } + decodeCookieValue(str) { + return str ? str.replace(/(%[0-9A-Z]{2})+/g, decodeURIComponent) : str; + } +}; +var createClerkRequest = (...args) => { + return args[0] instanceof ClerkRequest ? args[0] : new ClerkRequest(...args); +}; + +// src/tokens/cookie.ts +var getCookieName = (cookieDirective) => { + return cookieDirective.split(";")[0]?.split("=")[0]; +}; +var getCookieValue = (cookieDirective) => { + return cookieDirective.split(";")[0]?.split("=")[1]; +}; + +// src/tokens/keys.ts +var cache = {}; +var lastUpdatedAt = 0; +function getFromCache(kid) { + return cache[kid]; +} +function getCacheValues() { + return Object.values(cache); +} +function setInCache(jwk, shouldExpire = true) { + cache[jwk.kid] = jwk; + lastUpdatedAt = shouldExpire ? Date.now() : -1; +} +var LocalJwkKid = "local"; +var PEM_HEADER = "-----BEGIN PUBLIC KEY-----"; +var PEM_TRAILER = "-----END PUBLIC KEY-----"; +var RSA_PREFIX = "MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA"; +var RSA_SUFFIX = "IDAQAB"; +function loadClerkJWKFromLocal(localKey) { + if (!getFromCache(LocalJwkKid)) { + if (!localKey) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.SetClerkJWTKey, + message: "Missing local JWK.", + reason: TokenVerificationErrorReason.LocalJWKMissing + }); + } + const modulus = localKey.replace(/\r\n|\n|\r/g, "").replace(PEM_HEADER, "").replace(PEM_TRAILER, "").replace(RSA_PREFIX, "").replace(RSA_SUFFIX, "").replace(/\+/g, "-").replace(/\//g, "_"); + setInCache( + { + kid: "local", + kty: "RSA", + alg: "RS256", + n: modulus, + e: "AQAB" + }, + false + // local key never expires in cache + ); + } + return getFromCache(LocalJwkKid); +} +async function loadClerkJWKFromRemote({ + secretKey, + apiUrl = API_URL, + apiVersion = API_VERSION, + kid, + skipJwksCache +}) { + if (skipJwksCache || cacheHasExpired() || !getFromCache(kid)) { + if (!secretKey) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.ContactSupport, + message: "Failed to load JWKS from Clerk Backend or Frontend API.", + reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad + }); + } + const fetcher = () => fetchJWKSFromBAPI(apiUrl, secretKey, apiVersion); + const { keys } = await (0, import_retry.retry)(fetcher); + if (!keys || !keys.length) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.ContactSupport, + message: "The JWKS endpoint did not contain any signing keys. Contact support@clerk.com.", + reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad + }); + } + keys.forEach((key) => setInCache(key)); + } + const jwk = getFromCache(kid); + if (!jwk) { + const cacheValues = getCacheValues(); + const jwkKeys = cacheValues.map((jwk2) => jwk2.kid).sort().join(", "); + throw new TokenVerificationError({ + action: `Go to your Dashboard and validate your secret and public keys are correct. ${TokenVerificationErrorAction.ContactSupport} if the issue persists.`, + message: `Unable to find a signing key in JWKS that matches the kid='${kid}' of the provided session token. Please make sure that the __session cookie or the HTTP authorization header contain a Clerk-generated session JWT. The following kid is available: ${jwkKeys}`, + reason: TokenVerificationErrorReason.JWKKidMismatch + }); + } + return jwk; +} +async function fetchJWKSFromBAPI(apiUrl, key, apiVersion) { + if (!key) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.SetClerkSecretKey, + message: "Missing Clerk Secret Key or API Key. Go to https://dashboard.clerk.com and get your key for your instance.", + reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad + }); + } + const url = new URL(apiUrl); + url.pathname = joinPaths(url.pathname, apiVersion, "/jwks"); + const response = await runtime.fetch(url.href, { + headers: { + Authorization: `Bearer ${key}`, + "Clerk-API-Version": SUPPORTED_BAPI_VERSION, + "Content-Type": "application/json", + "User-Agent": USER_AGENT + } + }); + if (!response.ok) { + const json = await response.json(); + const invalidSecretKeyError = getErrorObjectByCode(json?.errors, TokenVerificationErrorCode.InvalidSecretKey); + if (invalidSecretKeyError) { + const reason = TokenVerificationErrorReason.InvalidSecretKey; + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.ContactSupport, + message: invalidSecretKeyError.message, + reason + }); + } + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.ContactSupport, + message: `Error loading Clerk JWKS from ${url.href} with code=${response.status}`, + reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad + }); + } + return response.json(); +} +function cacheHasExpired() { + if (lastUpdatedAt === -1) { + return false; + } + const isExpired = Date.now() - lastUpdatedAt >= MAX_CACHE_LAST_UPDATED_AT_SECONDS * 1e3; + if (isExpired) { + cache = {}; + } + return isExpired; +} +var getErrorObjectByCode = (errors, code) => { + if (!errors) { + return null; + } + return errors.find((err) => err.code === code); +}; + +// src/tokens/handshake.ts +async function verifyHandshakeJwt(token, { key }) { + const { data: decoded, errors } = decodeJwt(token); + if (errors) { + throw errors[0]; + } + const { header, payload } = decoded; + const { typ, alg } = header; + assertHeaderType(typ); + assertHeaderAlgorithm(alg); + const { data: signatureValid, errors: signatureErrors } = await hasValidSignature(decoded, key); + if (signatureErrors) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Error verifying handshake token. ${signatureErrors[0]}` + }); + } + if (!signatureValid) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalidSignature, + message: "Handshake signature is invalid." + }); + } + return payload; +} +async function verifyHandshakeToken(token, options) { + const { secretKey, apiUrl, apiVersion, jwksCacheTtlInMs, jwtKey, skipJwksCache } = options; + const { data, errors } = decodeJwt(token); + if (errors) { + throw errors[0]; + } + const { kid } = data.header; + let key; + if (jwtKey) { + key = loadClerkJWKFromLocal(jwtKey); + } else if (secretKey) { + key = await loadClerkJWKFromRemote({ secretKey, apiUrl, apiVersion, kid, jwksCacheTtlInMs, skipJwksCache }); + } else { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.SetClerkJWTKey, + message: "Failed to resolve JWK during handshake verification.", + reason: TokenVerificationErrorReason.JWKFailedToResolve + }); + } + return await verifyHandshakeJwt(token, { + key + }); +} + +// src/tokens/verify.ts +async function verifyToken(token, options) { + const { data: decodedResult, errors } = decodeJwt(token); + if (errors) { + return { errors }; + } + const { header } = decodedResult; + const { kid } = header; + try { + let key; + if (options.jwtKey) { + key = loadClerkJWKFromLocal(options.jwtKey); + } else if (options.secretKey) { + key = await loadClerkJWKFromRemote({ ...options, kid }); + } else { + return { + errors: [ + new TokenVerificationError({ + action: TokenVerificationErrorAction.SetClerkJWTKey, + message: "Failed to resolve JWK during verification.", + reason: TokenVerificationErrorReason.JWKFailedToResolve + }) + ] + }; + } + return await verifyJwt(token, { ...options, key }); + } catch (error) { + return { errors: [error] }; + } +} + +// src/tokens/request.ts +var RefreshTokenErrorReason = { + NonEligibleNoCookie: "non-eligible-no-refresh-cookie", + NonEligibleNonGet: "non-eligible-non-get", + InvalidSessionToken: "invalid-session-token", + MissingApiClient: "missing-api-client", + MissingSessionToken: "missing-session-token", + MissingRefreshToken: "missing-refresh-token", + ExpiredSessionTokenDecodeFailed: "expired-session-token-decode-failed", + ExpiredSessionTokenMissingSidClaim: "expired-session-token-missing-sid-claim", + FetchError: "fetch-error", + UnexpectedSDKError: "unexpected-sdk-error", + UnexpectedBAPIError: "unexpected-bapi-error" +}; +function assertSignInUrlExists(signInUrl, key) { + if (!signInUrl && (0, import_keys.isDevelopmentFromSecretKey)(key)) { + throw new Error(`Missing signInUrl. Pass a signInUrl for dev instances if an app is satellite`); + } +} +function assertProxyUrlOrDomain(proxyUrlOrDomain) { + if (!proxyUrlOrDomain) { + throw new Error(`Missing domain and proxyUrl. A satellite application needs to specify a domain or a proxyUrl`); + } +} +function assertSignInUrlFormatAndOrigin(_signInUrl, origin) { + let signInUrl; + try { + signInUrl = new URL(_signInUrl); + } catch { + throw new Error(`The signInUrl needs to have a absolute url format.`); + } + if (signInUrl.origin === origin) { + throw new Error(`The signInUrl needs to be on a different origin than your satellite application.`); + } +} +function isRequestEligibleForHandshake(authenticateContext) { + const { accept, secFetchDest } = authenticateContext; + if (secFetchDest === "document" || secFetchDest === "iframe") { + return true; + } + if (!secFetchDest && accept?.startsWith("text/html")) { + return true; + } + return false; +} +function isRequestEligibleForRefresh(err, authenticateContext, request) { + return err.reason === TokenVerificationErrorReason.TokenExpired && !!authenticateContext.refreshTokenInCookie && request.method === "GET"; +} +async function authenticateRequest(request, options) { + const authenticateContext = await createAuthenticateContext(createClerkRequest(request), options); + assertValidSecretKey(authenticateContext.secretKey); + if (authenticateContext.isSatellite) { + assertSignInUrlExists(authenticateContext.signInUrl, authenticateContext.secretKey); + if (authenticateContext.signInUrl && authenticateContext.origin) { + assertSignInUrlFormatAndOrigin(authenticateContext.signInUrl, authenticateContext.origin); + } + assertProxyUrlOrDomain(authenticateContext.proxyUrl || authenticateContext.domain); + } + const organizationSyncTargetMatchers = computeOrganizationSyncTargetMatchers(options.organizationSyncOptions); + function removeDevBrowserFromURL(url) { + const updatedURL = new URL(url); + updatedURL.searchParams.delete(constants.QueryParameters.DevBrowser); + updatedURL.searchParams.delete(constants.QueryParameters.LegacyDevBrowser); + return updatedURL; + } + function buildRedirectToHandshake({ handshakeReason }) { + const redirectUrl = removeDevBrowserFromURL(authenticateContext.clerkUrl); + const frontendApiNoProtocol = authenticateContext.frontendApi.replace(/http(s)?:\/\//, ""); + const url = new URL(`https://${frontendApiNoProtocol}/v1/client/handshake`); + url.searchParams.append("redirect_url", redirectUrl?.href || ""); + url.searchParams.append( + constants.QueryParameters.SuffixedCookies, + authenticateContext.usesSuffixedCookies().toString() + ); + url.searchParams.append(constants.QueryParameters.HandshakeReason, handshakeReason); + if (authenticateContext.instanceType === "development" && authenticateContext.devBrowserToken) { + url.searchParams.append(constants.QueryParameters.DevBrowser, authenticateContext.devBrowserToken); + } + const toActivate = getOrganizationSyncTarget( + authenticateContext.clerkUrl, + options.organizationSyncOptions, + organizationSyncTargetMatchers + ); + if (toActivate) { + const params = getOrganizationSyncQueryParams(toActivate); + params.forEach((value, key) => { + url.searchParams.append(key, value); + }); + } + return new Headers({ [constants.Headers.Location]: url.href }); + } + async function resolveHandshake() { + const headers = new Headers({ + "Access-Control-Allow-Origin": "null", + "Access-Control-Allow-Credentials": "true" + }); + const handshakePayload = await verifyHandshakeToken(authenticateContext.handshakeToken, authenticateContext); + const cookiesToSet = handshakePayload.handshake; + let sessionToken = ""; + cookiesToSet.forEach((x) => { + headers.append("Set-Cookie", x); + if (getCookieName(x).startsWith(constants.Cookies.Session)) { + sessionToken = getCookieValue(x); + } + }); + if (authenticateContext.instanceType === "development") { + const newUrl = new URL(authenticateContext.clerkUrl); + newUrl.searchParams.delete(constants.QueryParameters.Handshake); + newUrl.searchParams.delete(constants.QueryParameters.HandshakeHelp); + headers.append(constants.Headers.Location, newUrl.toString()); + headers.set(constants.Headers.CacheControl, "no-store"); + } + if (sessionToken === "") { + return signedOut(authenticateContext, AuthErrorReason.SessionTokenMissing, "", headers); + } + const { data, errors: [error] = [] } = await verifyToken(sessionToken, authenticateContext); + if (data) { + return signedIn(authenticateContext, data, headers, sessionToken); + } + if (authenticateContext.instanceType === "development" && (error?.reason === TokenVerificationErrorReason.TokenExpired || error?.reason === TokenVerificationErrorReason.TokenNotActiveYet || error?.reason === TokenVerificationErrorReason.TokenIatInTheFuture)) { + error.tokenCarrier = "cookie"; + console.error( + `Clerk: Clock skew detected. This usually means that your system clock is inaccurate. Clerk will attempt to account for the clock skew in development. + +To resolve this issue, make sure your system's clock is set to the correct time (e.g. turn off and on automatic time synchronization). + +--- + +${error.getFullMessage()}` + ); + const { data: retryResult, errors: [retryError] = [] } = await verifyToken(sessionToken, { + ...authenticateContext, + clockSkewInMs: 864e5 + }); + if (retryResult) { + return signedIn(authenticateContext, retryResult, headers, sessionToken); + } + throw new Error(retryError?.message || "Clerk: Handshake retry failed."); + } + throw new Error(error?.message || "Clerk: Handshake failed."); + } + async function refreshToken(authenticateContext2) { + if (!options.apiClient) { + return { + data: null, + error: { + message: "An apiClient is needed to perform token refresh.", + cause: { reason: RefreshTokenErrorReason.MissingApiClient } + } + }; + } + const { sessionToken: expiredSessionToken, refreshTokenInCookie: refreshToken2 } = authenticateContext2; + if (!expiredSessionToken) { + return { + data: null, + error: { + message: "Session token must be provided.", + cause: { reason: RefreshTokenErrorReason.MissingSessionToken } + } + }; + } + if (!refreshToken2) { + return { + data: null, + error: { + message: "Refresh token must be provided.", + cause: { reason: RefreshTokenErrorReason.MissingRefreshToken } + } + }; + } + const { data: decodeResult, errors: decodedErrors } = decodeJwt(expiredSessionToken); + if (!decodeResult || decodedErrors) { + return { + data: null, + error: { + message: "Unable to decode the expired session token.", + cause: { reason: RefreshTokenErrorReason.ExpiredSessionTokenDecodeFailed, errors: decodedErrors } + } + }; + } + if (!decodeResult?.payload?.sid) { + return { + data: null, + error: { + message: "Expired session token is missing the `sid` claim.", + cause: { reason: RefreshTokenErrorReason.ExpiredSessionTokenMissingSidClaim } + } + }; + } + try { + const response = await options.apiClient.sessions.refreshSession(decodeResult.payload.sid, { + format: "cookie", + suffixed_cookies: authenticateContext2.usesSuffixedCookies(), + expired_token: expiredSessionToken || "", + refresh_token: refreshToken2 || "", + request_origin: authenticateContext2.clerkUrl.origin, + // The refresh endpoint expects headers as Record, so we need to transform it. + request_headers: Object.fromEntries(Array.from(request.headers.entries()).map(([k, v]) => [k, [v]])) + }); + return { data: response.cookies, error: null }; + } catch (err) { + if (err?.errors?.length) { + if (err.errors[0].code === "unexpected_error") { + return { + data: null, + error: { + message: `Fetch unexpected error`, + cause: { reason: RefreshTokenErrorReason.FetchError, errors: err.errors } + } + }; + } + return { + data: null, + error: { + message: err.errors[0].code, + cause: { reason: err.errors[0].code, errors: err.errors } + } + }; + } else { + return { + data: null, + error: { + message: `Unexpected Server/BAPI error`, + cause: { reason: RefreshTokenErrorReason.UnexpectedBAPIError, errors: [err] } + } + }; + } + } + } + async function attemptRefresh(authenticateContext2) { + const { data: cookiesToSet, error } = await refreshToken(authenticateContext2); + if (!cookiesToSet || cookiesToSet.length === 0) { + return { data: null, error }; + } + const headers = new Headers(); + let sessionToken = ""; + cookiesToSet.forEach((x) => { + headers.append("Set-Cookie", x); + if (getCookieName(x).startsWith(constants.Cookies.Session)) { + sessionToken = getCookieValue(x); + } + }); + const { data: jwtPayload, errors } = await verifyToken(sessionToken, authenticateContext2); + if (errors) { + return { + data: null, + error: { + message: `Clerk: unable to verify refreshed session token.`, + cause: { reason: RefreshTokenErrorReason.InvalidSessionToken, errors } + } + }; + } + return { data: { jwtPayload, sessionToken, headers }, error: null }; + } + function handleMaybeHandshakeStatus(authenticateContext2, reason, message, headers) { + if (isRequestEligibleForHandshake(authenticateContext2)) { + const handshakeHeaders = headers ?? buildRedirectToHandshake({ handshakeReason: reason }); + if (handshakeHeaders.get(constants.Headers.Location)) { + handshakeHeaders.set(constants.Headers.CacheControl, "no-store"); + } + const isRedirectLoop = setHandshakeInfiniteRedirectionLoopHeaders(handshakeHeaders); + if (isRedirectLoop) { + const msg = `Clerk: Refreshing the session token resulted in an infinite redirect loop. This usually means that your Clerk instance keys do not match - make sure to copy the correct publishable and secret keys from the Clerk dashboard.`; + console.log(msg); + return signedOut(authenticateContext2, reason, message); + } + return handshake(authenticateContext2, reason, message, handshakeHeaders); + } + return signedOut(authenticateContext2, reason, message); + } + function handleMaybeOrganizationSyncHandshake(authenticateContext2, auth) { + const organizationSyncTarget = getOrganizationSyncTarget( + authenticateContext2.clerkUrl, + options.organizationSyncOptions, + organizationSyncTargetMatchers + ); + if (!organizationSyncTarget) { + return null; + } + let mustActivate = false; + if (organizationSyncTarget.type === "organization") { + if (organizationSyncTarget.organizationSlug && organizationSyncTarget.organizationSlug !== auth.orgSlug) { + mustActivate = true; + } + if (organizationSyncTarget.organizationId && organizationSyncTarget.organizationId !== auth.orgId) { + mustActivate = true; + } + } + if (organizationSyncTarget.type === "personalAccount" && auth.orgId) { + mustActivate = true; + } + if (!mustActivate) { + return null; + } + if (authenticateContext2.handshakeRedirectLoopCounter > 0) { + console.warn( + "Clerk: Organization activation handshake loop detected. This is likely due to an invalid organization ID or slug. Skipping organization activation." + ); + return null; + } + const handshakeState = handleMaybeHandshakeStatus( + authenticateContext2, + AuthErrorReason.ActiveOrganizationMismatch, + "" + ); + if (handshakeState.status !== "handshake") { + return null; + } + return handshakeState; + } + async function authenticateRequestWithTokenInHeader() { + const { sessionTokenInHeader } = authenticateContext; + try { + const { data, errors } = await verifyToken(sessionTokenInHeader, authenticateContext); + if (errors) { + throw errors[0]; + } + return signedIn(authenticateContext, data, void 0, sessionTokenInHeader); + } catch (err) { + return handleError(err, "header"); + } + } + function setHandshakeInfiniteRedirectionLoopHeaders(headers) { + if (authenticateContext.handshakeRedirectLoopCounter === 3) { + return true; + } + const newCounterValue = authenticateContext.handshakeRedirectLoopCounter + 1; + const cookieName = constants.Cookies.RedirectCount; + headers.append("Set-Cookie", `${cookieName}=${newCounterValue}; SameSite=Lax; HttpOnly; Max-Age=3`); + return false; + } + function handleHandshakeTokenVerificationErrorInDevelopment(error) { + if (error.reason === TokenVerificationErrorReason.TokenInvalidSignature) { + const msg = `Clerk: Handshake token verification failed due to an invalid signature. If you have switched Clerk keys locally, clear your cookies and try again.`; + throw new Error(msg); + } + throw new Error(`Clerk: Handshake token verification failed: ${error.getFullMessage()}.`); + } + async function authenticateRequestWithTokenInCookie() { + const hasActiveClient = authenticateContext.clientUat; + const hasSessionToken = !!authenticateContext.sessionTokenInCookie; + const hasDevBrowserToken = !!authenticateContext.devBrowserToken; + if (authenticateContext.handshakeToken) { + try { + return await resolveHandshake(); + } catch (error) { + if (error instanceof TokenVerificationError && authenticateContext.instanceType === "development") { + handleHandshakeTokenVerificationErrorInDevelopment(error); + } else { + console.error("Clerk: unable to resolve handshake:", error); + } + } + } + if (authenticateContext.instanceType === "development" && authenticateContext.clerkUrl.searchParams.has(constants.QueryParameters.DevBrowser)) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.DevBrowserSync, ""); + } + const isRequestEligibleForMultiDomainSync = authenticateContext.isSatellite && authenticateContext.secFetchDest === "document"; + if (authenticateContext.instanceType === "production" && isRequestEligibleForMultiDomainSync) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SatelliteCookieNeedsSyncing, ""); + } + if (authenticateContext.instanceType === "development" && isRequestEligibleForMultiDomainSync && !authenticateContext.clerkUrl.searchParams.has(constants.QueryParameters.ClerkSynced)) { + const redirectURL = new URL(authenticateContext.signInUrl); + redirectURL.searchParams.append( + constants.QueryParameters.ClerkRedirectUrl, + authenticateContext.clerkUrl.toString() + ); + const headers = new Headers({ [constants.Headers.Location]: redirectURL.toString() }); + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SatelliteCookieNeedsSyncing, "", headers); + } + const redirectUrl = new URL(authenticateContext.clerkUrl).searchParams.get( + constants.QueryParameters.ClerkRedirectUrl + ); + if (authenticateContext.instanceType === "development" && !authenticateContext.isSatellite && redirectUrl) { + const redirectBackToSatelliteUrl = new URL(redirectUrl); + if (authenticateContext.devBrowserToken) { + redirectBackToSatelliteUrl.searchParams.append( + constants.QueryParameters.DevBrowser, + authenticateContext.devBrowserToken + ); + } + redirectBackToSatelliteUrl.searchParams.append(constants.QueryParameters.ClerkSynced, "true"); + const headers = new Headers({ [constants.Headers.Location]: redirectBackToSatelliteUrl.toString() }); + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.PrimaryRespondsToSyncing, "", headers); + } + if (authenticateContext.instanceType === "development" && !hasDevBrowserToken) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.DevBrowserMissing, ""); + } + if (!hasActiveClient && !hasSessionToken) { + return signedOut(authenticateContext, AuthErrorReason.SessionTokenAndUATMissing, ""); + } + if (!hasActiveClient && hasSessionToken) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SessionTokenWithoutClientUAT, ""); + } + if (hasActiveClient && !hasSessionToken) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.ClientUATWithoutSessionToken, ""); + } + const { data: decodeResult, errors: decodedErrors } = decodeJwt(authenticateContext.sessionTokenInCookie); + if (decodedErrors) { + return handleError(decodedErrors[0], "cookie"); + } + if (decodeResult.payload.iat < authenticateContext.clientUat) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SessionTokenIATBeforeClientUAT, ""); + } + try { + const { data, errors } = await verifyToken(authenticateContext.sessionTokenInCookie, authenticateContext); + if (errors) { + throw errors[0]; + } + const signedInRequestState = signedIn( + authenticateContext, + data, + void 0, + authenticateContext.sessionTokenInCookie + ); + const handshakeRequestState = handleMaybeOrganizationSyncHandshake( + authenticateContext, + signedInRequestState.toAuth() + ); + if (handshakeRequestState) { + return handshakeRequestState; + } + return signedInRequestState; + } catch (err) { + return handleError(err, "cookie"); + } + return signedOut(authenticateContext, AuthErrorReason.UnexpectedError); + } + async function handleError(err, tokenCarrier) { + if (!(err instanceof TokenVerificationError)) { + return signedOut(authenticateContext, AuthErrorReason.UnexpectedError); + } + let refreshError; + if (isRequestEligibleForRefresh(err, authenticateContext, request)) { + const { data, error } = await attemptRefresh(authenticateContext); + if (data) { + return signedIn(authenticateContext, data.jwtPayload, data.headers, data.sessionToken); + } + if (error?.cause?.reason) { + refreshError = error.cause.reason; + } else { + refreshError = RefreshTokenErrorReason.UnexpectedSDKError; + } + } else { + if (request.method !== "GET") { + refreshError = RefreshTokenErrorReason.NonEligibleNonGet; + } else if (!authenticateContext.refreshTokenInCookie) { + refreshError = RefreshTokenErrorReason.NonEligibleNoCookie; + } else { + refreshError = null; + } + } + err.tokenCarrier = tokenCarrier; + const reasonToHandshake = [ + TokenVerificationErrorReason.TokenExpired, + TokenVerificationErrorReason.TokenNotActiveYet, + TokenVerificationErrorReason.TokenIatInTheFuture + ].includes(err.reason); + if (reasonToHandshake) { + return handleMaybeHandshakeStatus( + authenticateContext, + convertTokenVerificationErrorReasonToAuthErrorReason({ tokenError: err.reason, refreshError }), + err.getFullMessage() + ); + } + return signedOut(authenticateContext, err.reason, err.getFullMessage()); + } + if (authenticateContext.sessionTokenInHeader) { + return authenticateRequestWithTokenInHeader(); + } + return authenticateRequestWithTokenInCookie(); +} +var debugRequestState = (params) => { + const { isSignedIn, proxyUrl, reason, message, publishableKey, isSatellite, domain } = params; + return { isSignedIn, proxyUrl, reason, message, publishableKey, isSatellite, domain }; +}; +function computeOrganizationSyncTargetMatchers(options) { + let personalAccountMatcher = null; + if (options?.personalAccountPatterns) { + try { + personalAccountMatcher = (0, import_pathToRegexp.match)(options.personalAccountPatterns); + } catch (e) { + throw new Error(`Invalid personal account pattern "${options.personalAccountPatterns}": "${e}"`); + } + } + let organizationMatcher = null; + if (options?.organizationPatterns) { + try { + organizationMatcher = (0, import_pathToRegexp.match)(options.organizationPatterns); + } catch (e) { + throw new Error(`Clerk: Invalid organization pattern "${options.organizationPatterns}": "${e}"`); + } + } + return { + OrganizationMatcher: organizationMatcher, + PersonalAccountMatcher: personalAccountMatcher + }; +} +function getOrganizationSyncTarget(url, options, matchers) { + if (!options) { + return null; + } + if (matchers.OrganizationMatcher) { + let orgResult; + try { + orgResult = matchers.OrganizationMatcher(url.pathname); + } catch (e) { + console.error(`Clerk: Failed to apply organization pattern "${options.organizationPatterns}" to a path`, e); + return null; + } + if (orgResult && "params" in orgResult) { + const params = orgResult.params; + if ("id" in params && typeof params.id === "string") { + return { type: "organization", organizationId: params.id }; + } + if ("slug" in params && typeof params.slug === "string") { + return { type: "organization", organizationSlug: params.slug }; + } + console.warn( + "Clerk: Detected an organization pattern match, but no organization ID or slug was found in the URL. Does the pattern include `:id` or `:slug`?" + ); + } + } + if (matchers.PersonalAccountMatcher) { + let personalResult; + try { + personalResult = matchers.PersonalAccountMatcher(url.pathname); + } catch (e) { + console.error(`Failed to apply personal account pattern "${options.personalAccountPatterns}" to a path`, e); + return null; + } + if (personalResult) { + return { type: "personalAccount" }; + } + } + return null; +} +function getOrganizationSyncQueryParams(toActivate) { + const ret = /* @__PURE__ */ new Map(); + if (toActivate.type === "personalAccount") { + ret.set("organization_id", ""); + } + if (toActivate.type === "organization") { + if (toActivate.organizationId) { + ret.set("organization_id", toActivate.organizationId); + } + if (toActivate.organizationSlug) { + ret.set("organization_id", toActivate.organizationSlug); + } + } + return ret; +} +var convertTokenVerificationErrorReasonToAuthErrorReason = ({ + tokenError, + refreshError +}) => { + switch (tokenError) { + case TokenVerificationErrorReason.TokenExpired: + return `${AuthErrorReason.SessionTokenExpired}-refresh-${refreshError}`; + case TokenVerificationErrorReason.TokenNotActiveYet: + return AuthErrorReason.SessionTokenNBF; + case TokenVerificationErrorReason.TokenIatInTheFuture: + return AuthErrorReason.SessionTokenIatInTheFuture; + default: + return AuthErrorReason.UnexpectedError; + } +}; + +// src/tokens/factory.ts +var defaultOptions = { + secretKey: "", + jwtKey: "", + apiUrl: void 0, + apiVersion: void 0, + proxyUrl: "", + publishableKey: "", + isSatellite: false, + domain: "", + audience: "" +}; +function createAuthenticateRequest(params) { + const buildTimeOptions = mergePreDefinedOptions(defaultOptions, params.options); + const apiClient = params.apiClient; + const authenticateRequest2 = (request, options = {}) => { + const { apiUrl, apiVersion } = buildTimeOptions; + const runTimeOptions = mergePreDefinedOptions(buildTimeOptions, options); + return authenticateRequest(request, { + ...options, + ...runTimeOptions, + // We should add all the omitted props from options here (eg apiUrl / apiVersion) + // to avoid runtime options override them. + apiUrl, + apiVersion, + apiClient + }); + }; + return { + authenticateRequest: authenticateRequest2, + debugRequestState + }; +} + +// src/index.ts +var verifyToken2 = withLegacyReturn(verifyToken); +function createClerkClient(options) { + const opts = { ...options }; + const apiClient = createBackendApiClient(opts); + const requestState = createAuthenticateRequest({ options: opts, apiClient }); + const telemetry = new import_telemetry.TelemetryCollector({ + ...options.telemetry, + publishableKey: opts.publishableKey, + secretKey: opts.secretKey, + ...opts.sdkMetadata ? { sdk: opts.sdkMetadata.name, sdkVersion: opts.sdkMetadata.version } : {} + }); + return { + ...apiClient, + ...requestState, + telemetry + }; +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + createClerkClient, + verifyToken +}); +//# sourceMappingURL=index.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/index.js.map b/backend/node_modules/@clerk/backend/dist/index.js.map new file mode 100644 index 000000000..5ca71e915 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/index.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/index.ts","../src/util/path.ts","../src/api/endpoints/AbstractApi.ts","../src/api/endpoints/AccountlessApplicationsAPI.ts","../src/api/endpoints/AllowlistIdentifierApi.ts","../src/api/endpoints/ClientApi.ts","../src/api/endpoints/DomainApi.ts","../src/api/endpoints/EmailAddressApi.ts","../src/api/endpoints/InvitationApi.ts","../src/runtime.ts","../src/api/endpoints/OrganizationApi.ts","../src/api/endpoints/PhoneNumberApi.ts","../src/api/endpoints/RedirectUrlApi.ts","../src/api/endpoints/SessionApi.ts","../src/api/endpoints/SignInTokenApi.ts","../src/util/shared.ts","../src/api/endpoints/UserApi.ts","../src/api/endpoints/SamlConnectionApi.ts","../src/api/endpoints/TestingTokenApi.ts","../src/api/request.ts","../src/constants.ts","../src/util/optionsAssertions.ts","../src/api/resources/AccountlessApplication.ts","../src/api/resources/AllowlistIdentifier.ts","../src/api/resources/Session.ts","../src/api/resources/Client.ts","../src/api/resources/Cookies.ts","../src/api/resources/DeletedObject.ts","../src/api/resources/Email.ts","../src/api/resources/IdentificationLink.ts","../src/api/resources/Verification.ts","../src/api/resources/EmailAddress.ts","../src/api/resources/ExternalAccount.ts","../src/api/resources/Invitation.ts","../src/api/resources/JSON.ts","../src/api/resources/OauthAccessToken.ts","../src/api/resources/Organization.ts","../src/api/resources/OrganizationInvitation.ts","../src/api/resources/OrganizationMembership.ts","../src/api/resources/PhoneNumber.ts","../src/api/resources/RedirectUrl.ts","../src/api/resources/SignInTokens.ts","../src/api/resources/SMSMessage.ts","../src/api/resources/Token.ts","../src/api/resources/SamlConnection.ts","../src/api/resources/SamlAccount.ts","../src/api/resources/Web3Wallet.ts","../src/api/resources/User.ts","../src/api/resources/Deserializer.ts","../src/api/factory.ts","../src/jwt/legacyReturn.ts","../src/util/mergePreDefinedOptions.ts","../src/tokens/request.ts","../src/errors.ts","../src/util/rfc4648.ts","../src/jwt/algorithms.ts","../src/jwt/assertions.ts","../src/jwt/cryptoKeys.ts","../src/jwt/verifyJwt.ts","../src/tokens/authenticateContext.ts","../src/tokens/authObjects.ts","../src/tokens/authStatus.ts","../src/tokens/clerkRequest.ts","../src/tokens/clerkUrl.ts","../src/tokens/cookie.ts","../src/tokens/keys.ts","../src/tokens/handshake.ts","../src/tokens/verify.ts","../src/tokens/factory.ts"],"sourcesContent":["import type { TelemetryCollectorOptions } from '@clerk/shared/telemetry';\nimport { TelemetryCollector } from '@clerk/shared/telemetry';\nimport type { SDKMetadata } from '@clerk/types';\n\nimport type { ApiClient, CreateBackendApiOptions } from './api';\nimport { createBackendApiClient } from './api';\nimport { withLegacyReturn } from './jwt/legacyReturn';\nimport type { CreateAuthenticateRequestOptions } from './tokens/factory';\nimport { createAuthenticateRequest } from './tokens/factory';\nimport { verifyToken as _verifyToken } from './tokens/verify';\n\nexport const verifyToken = withLegacyReturn(_verifyToken);\n\nexport type ClerkOptions = CreateBackendApiOptions &\n Partial<\n Pick<\n CreateAuthenticateRequestOptions['options'],\n 'audience' | 'jwtKey' | 'proxyUrl' | 'secretKey' | 'publishableKey' | 'domain' | 'isSatellite'\n >\n > & { sdkMetadata?: SDKMetadata; telemetry?: Pick };\n\n// The current exported type resolves the following issue in packages importing createClerkClient\n// TS4023: Exported variable 'clerkClient' has or is using name 'AuthErrorReason' from external module \"/packages/backend/dist/index\" but cannot be named.\nexport type ClerkClient = {\n telemetry: TelemetryCollector;\n} & ApiClient &\n ReturnType;\n\nexport function createClerkClient(options: ClerkOptions): ClerkClient {\n const opts = { ...options };\n const apiClient = createBackendApiClient(opts);\n const requestState = createAuthenticateRequest({ options: opts, apiClient });\n const telemetry = new TelemetryCollector({\n ...options.telemetry,\n publishableKey: opts.publishableKey,\n secretKey: opts.secretKey,\n ...(opts.sdkMetadata ? { sdk: opts.sdkMetadata.name, sdkVersion: opts.sdkMetadata.version } : {}),\n });\n\n return {\n ...apiClient,\n ...requestState,\n telemetry,\n };\n}\n\n/**\n * General Types\n */\nexport type { OrganizationMembershipRole } from './api/resources';\nexport type { VerifyTokenOptions } from './tokens/verify';\n/**\n * JSON types\n */\nexport type {\n AccountlessApplicationJSON,\n ClerkResourceJSON,\n TokenJSON,\n AllowlistIdentifierJSON,\n ClientJSON,\n EmailJSON,\n EmailAddressJSON,\n ExternalAccountJSON,\n IdentificationLinkJSON,\n InvitationJSON,\n OauthAccessTokenJSON,\n OrganizationJSON,\n OrganizationDomainJSON,\n OrganizationDomainVerificationJSON,\n OrganizationInvitationJSON,\n PublicOrganizationDataJSON,\n OrganizationMembershipJSON,\n OrganizationMembershipPublicUserDataJSON,\n PhoneNumberJSON,\n RedirectUrlJSON,\n SessionJSON,\n SignInJSON,\n SignInTokenJSON,\n SignUpJSON,\n SMSMessageJSON,\n UserJSON,\n VerificationJSON,\n Web3WalletJSON,\n DeletedObjectJSON,\n PaginatedResponseJSON,\n TestingTokenJSON,\n} from './api/resources/JSON';\n\n/**\n * Resources\n */\nexport type {\n AccountlessApplication,\n AllowlistIdentifier,\n Client,\n EmailAddress,\n ExternalAccount,\n Invitation,\n OauthAccessToken,\n Organization,\n OrganizationDomain,\n OrganizationDomainVerification,\n OrganizationInvitation,\n OrganizationMembership,\n OrganizationMembershipPublicUserData,\n PhoneNumber,\n Session,\n SignInToken,\n SMSMessage,\n Token,\n User,\n TestingToken,\n} from './api/resources';\n\n/**\n * Webhooks event types\n */\nexport type {\n EmailWebhookEvent,\n OrganizationWebhookEvent,\n OrganizationDomainWebhookEvent,\n OrganizationInvitationWebhookEvent,\n OrganizationMembershipWebhookEvent,\n RoleWebhookEvent,\n PermissionWebhookEvent,\n SessionWebhookEvent,\n SMSWebhookEvent,\n UserWebhookEvent,\n WebhookEvent,\n WebhookEventType,\n} from './api/resources/Webhooks';\n\n/**\n * Auth objects\n */\nexport type { AuthObject } from './tokens/authObjects';\n","const SEPARATOR = '/';\nconst MULTIPLE_SEPARATOR_REGEX = new RegExp('(? p)\n .join(SEPARATOR)\n .replace(MULTIPLE_SEPARATOR_REGEX, SEPARATOR);\n}\n","import type { RequestFunction } from '../request';\n\nexport abstract class AbstractAPI {\n constructor(protected request: RequestFunction) {}\n\n protected requireId(id: string) {\n if (!id) {\n throw new Error('A valid resource ID is required.');\n }\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { AccountlessApplication } from '../resources/AccountlessApplication';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/accountless_applications';\n\nexport class AccountlessApplicationAPI extends AbstractAPI {\n public async createAccountlessApplication() {\n return this.request({\n method: 'POST',\n path: basePath,\n });\n }\n\n public async completeAccountlessApplicationOnboarding() {\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, 'complete'),\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { AllowlistIdentifier } from '../resources/AllowlistIdentifier';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/allowlist_identifiers';\n\ntype AllowlistIdentifierCreateParams = {\n identifier: string;\n notify: boolean;\n};\n\nexport class AllowlistIdentifierAPI extends AbstractAPI {\n public async getAllowlistIdentifierList() {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: { paginated: true },\n });\n }\n\n public async createAllowlistIdentifier(params: AllowlistIdentifierCreateParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async deleteAllowlistIdentifier(allowlistIdentifierId: string) {\n this.requireId(allowlistIdentifierId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, allowlistIdentifierId),\n });\n }\n}\n","import type { ClerkPaginationRequest } from '@clerk/types';\n\nimport { joinPaths } from '../../util/path';\nimport type { Client } from '../resources/Client';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/clients';\n\nexport class ClientAPI extends AbstractAPI {\n public async getClientList(params: ClerkPaginationRequest = {}) {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: { ...params, paginated: true },\n });\n }\n\n public async getClient(clientId: string) {\n this.requireId(clientId);\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, clientId),\n });\n }\n\n public verifyClient(token: string) {\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, 'verify'),\n bodyParams: { token },\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { DeletedObject } from '../resources/DeletedObject';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/domains';\n\nexport class DomainAPI extends AbstractAPI {\n public async deleteDomain(id: string) {\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, id),\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { DeletedObject, EmailAddress } from '../resources';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/email_addresses';\n\ntype CreateEmailAddressParams = {\n userId: string;\n emailAddress: string;\n verified?: boolean;\n primary?: boolean;\n};\n\ntype UpdateEmailAddressParams = {\n verified?: boolean;\n primary?: boolean;\n};\n\nexport class EmailAddressAPI extends AbstractAPI {\n public async getEmailAddress(emailAddressId: string) {\n this.requireId(emailAddressId);\n\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, emailAddressId),\n });\n }\n\n public async createEmailAddress(params: CreateEmailAddressParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async updateEmailAddress(emailAddressId: string, params: UpdateEmailAddressParams = {}) {\n this.requireId(emailAddressId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, emailAddressId),\n bodyParams: params,\n });\n }\n\n public async deleteEmailAddress(emailAddressId: string) {\n this.requireId(emailAddressId);\n\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, emailAddressId),\n });\n }\n}\n","import type { ClerkPaginationRequest } from '@clerk/types';\n\nimport { joinPaths } from '../../util/path';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport type { Invitation } from '../resources/Invitation';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/invitations';\n\ntype CreateParams = {\n emailAddress: string;\n redirectUrl?: string;\n publicMetadata?: UserPublicMetadata;\n notify?: boolean;\n ignoreExisting?: boolean;\n};\n\ntype GetInvitationListParams = ClerkPaginationRequest<{\n /**\n * Filters invitations based on their status(accepted, pending, revoked).\n *\n * @example\n * Get all revoked invitations\n * ```ts\n * import { createClerkClient } from '@clerk/backend';\n * const clerkClient = createClerkClient(...)\n * await clerkClient.invitations.getInvitationList({ status: 'revoked' })\n * ```\n */\n status?: 'accepted' | 'pending' | 'revoked';\n /**\n * Filters invitations based on `email_address` or `id`.\n *\n * @example\n * Get all invitations for a specific email address\n * ```ts\n * import { createClerkClient } from '@clerk/backend';\n * const clerkClient = createClerkClient(...)\n * await clerkClient.invitations.getInvitationList({ query: 'user@example.com' })\n * ```\n */\n query?: string;\n}>;\n\nexport class InvitationAPI extends AbstractAPI {\n public async getInvitationList(params: GetInvitationListParams = {}) {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: { ...params, paginated: true },\n });\n }\n\n public async createInvitation(params: CreateParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async revokeInvitation(invitationId: string) {\n this.requireId(invitationId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, invitationId, 'revoke'),\n });\n }\n}\n","/**\n * This file exports APIs that vary across runtimes (i.e. Node & Browser - V8 isolates)\n * as a singleton object.\n *\n * Runtime polyfills are written in VanillaJS for now to avoid TS complication. Moreover,\n * due to this issue https://github.com/microsoft/TypeScript/issues/44848, there is not a good way\n * to tell Typescript which conditional import to use during build type.\n *\n * The Runtime type definition ensures type safety for now.\n * Runtime js modules are copied into dist folder with bash script.\n *\n * TODO: Support TS runtime modules\n */\n\n// @ts-ignore - These are package subpaths\nimport { webcrypto as crypto } from '#crypto';\n\ntype Runtime = {\n crypto: Crypto;\n fetch: typeof globalThis.fetch;\n AbortController: typeof globalThis.AbortController;\n Blob: typeof globalThis.Blob;\n FormData: typeof globalThis.FormData;\n Headers: typeof globalThis.Headers;\n Request: typeof globalThis.Request;\n Response: typeof globalThis.Response;\n};\n\n// Invoking the global.fetch without binding it first to the globalObject fails in\n// Cloudflare Workers with an \"Illegal Invocation\" error.\n//\n// The globalThis object is supported for Node >= 12.0.\n//\n// https://github.com/supabase/supabase/issues/4417\nconst globalFetch = fetch.bind(globalThis);\n\nexport const runtime: Runtime = {\n crypto,\n get fetch() {\n // We need to use the globalFetch for Cloudflare Workers but the fetch for testing\n return process.env.NODE_ENV === 'test' ? fetch : globalFetch;\n },\n AbortController: globalThis.AbortController,\n Blob: globalThis.Blob,\n FormData: globalThis.FormData,\n Headers: globalThis.Headers,\n Request: globalThis.Request,\n Response: globalThis.Response,\n};\n","import type { ClerkPaginationRequest, OrganizationEnrollmentMode } from '@clerk/types';\n\nimport { runtime } from '../../runtime';\nimport { joinPaths } from '../../util/path';\nimport type {\n Organization,\n OrganizationDomain,\n OrganizationInvitation,\n OrganizationInvitationStatus,\n OrganizationMembership,\n} from '../resources';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport type { OrganizationMembershipRole } from '../resources/Enums';\nimport { AbstractAPI } from './AbstractApi';\nimport type { WithSign } from './util-types';\n\nconst basePath = '/organizations';\n\ntype MetadataParams = {\n publicMetadata?: TPublic;\n privateMetadata?: TPrivate;\n};\n\ntype GetOrganizationListParams = ClerkPaginationRequest<{\n includeMembersCount?: boolean;\n query?: string;\n orderBy?: WithSign<'name' | 'created_at' | 'members_count'>;\n organizationId?: string[];\n}>;\n\ntype CreateParams = {\n name: string;\n slug?: string;\n /* The User id for the user creating the organization. The user will become an administrator for the organization. */\n createdBy?: string;\n maxAllowedMemberships?: number;\n} & MetadataParams;\n\ntype GetOrganizationParams = ({ organizationId: string } | { slug: string }) & {\n includeMembersCount?: boolean;\n};\n\ntype UpdateParams = {\n name?: string;\n slug?: string;\n maxAllowedMemberships?: number;\n} & MetadataParams;\n\ntype UpdateLogoParams = {\n file: Blob | File;\n uploaderUserId?: string;\n};\n\ntype UpdateMetadataParams = MetadataParams;\n\ntype GetOrganizationMembershipListParams = ClerkPaginationRequest<{\n organizationId: string;\n orderBy?: WithSign<'phone_number' | 'email_address' | 'created_at' | 'first_name' | 'last_name' | 'username'>;\n}>;\n\ntype CreateOrganizationMembershipParams = {\n organizationId: string;\n userId: string;\n role: OrganizationMembershipRole;\n};\n\ntype UpdateOrganizationMembershipParams = CreateOrganizationMembershipParams;\n\ntype UpdateOrganizationMembershipMetadataParams = {\n organizationId: string;\n userId: string;\n} & MetadataParams;\n\ntype DeleteOrganizationMembershipParams = {\n organizationId: string;\n userId: string;\n};\n\ntype CreateOrganizationInvitationParams = {\n organizationId: string;\n inviterUserId: string;\n emailAddress: string;\n role: OrganizationMembershipRole;\n redirectUrl?: string;\n publicMetadata?: OrganizationInvitationPublicMetadata;\n};\n\ntype GetOrganizationInvitationListParams = ClerkPaginationRequest<{\n organizationId: string;\n status?: OrganizationInvitationStatus[];\n}>;\n\ntype GetOrganizationInvitationParams = {\n organizationId: string;\n invitationId: string;\n};\n\ntype RevokeOrganizationInvitationParams = {\n organizationId: string;\n invitationId: string;\n requestingUserId: string;\n};\n\ntype GetOrganizationDomainListParams = {\n organizationId: string;\n limit?: number;\n offset?: number;\n};\n\ntype CreateOrganizationDomainParams = {\n organizationId: string;\n name: string;\n enrollmentMode: OrganizationEnrollmentMode;\n verified?: boolean;\n};\n\ntype UpdateOrganizationDomainParams = {\n organizationId: string;\n domainId: string;\n} & Partial;\n\ntype DeleteOrganizationDomainParams = {\n organizationId: string;\n domainId: string;\n};\n\nexport class OrganizationAPI extends AbstractAPI {\n public async getOrganizationList(params?: GetOrganizationListParams) {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: params,\n });\n }\n\n public async createOrganization(params: CreateParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async getOrganization(params: GetOrganizationParams) {\n const { includeMembersCount } = params;\n const organizationIdOrSlug = 'organizationId' in params ? params.organizationId : params.slug;\n this.requireId(organizationIdOrSlug);\n\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, organizationIdOrSlug),\n queryParams: {\n includeMembersCount,\n },\n });\n }\n\n public async updateOrganization(organizationId: string, params: UpdateParams) {\n this.requireId(organizationId);\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, organizationId),\n bodyParams: params,\n });\n }\n\n public async updateOrganizationLogo(organizationId: string, params: UpdateLogoParams) {\n this.requireId(organizationId);\n\n const formData = new runtime.FormData();\n formData.append('file', params?.file);\n if (params?.uploaderUserId) {\n formData.append('uploader_user_id', params?.uploaderUserId);\n }\n\n return this.request({\n method: 'PUT',\n path: joinPaths(basePath, organizationId, 'logo'),\n formData,\n });\n }\n\n public async deleteOrganizationLogo(organizationId: string) {\n this.requireId(organizationId);\n\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, organizationId, 'logo'),\n });\n }\n\n public async updateOrganizationMetadata(organizationId: string, params: UpdateMetadataParams) {\n this.requireId(organizationId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, organizationId, 'metadata'),\n bodyParams: params,\n });\n }\n\n public async deleteOrganization(organizationId: string) {\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, organizationId),\n });\n }\n\n public async getOrganizationMembershipList(params: GetOrganizationMembershipListParams) {\n const { organizationId, ...queryParams } = params;\n this.requireId(organizationId);\n\n return this.request>({\n method: 'GET',\n path: joinPaths(basePath, organizationId, 'memberships'),\n queryParams,\n });\n }\n\n public async createOrganizationMembership(params: CreateOrganizationMembershipParams) {\n const { organizationId, ...bodyParams } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, organizationId, 'memberships'),\n bodyParams,\n });\n }\n\n public async updateOrganizationMembership(params: UpdateOrganizationMembershipParams) {\n const { organizationId, userId, ...bodyParams } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, organizationId, 'memberships', userId),\n bodyParams,\n });\n }\n\n public async updateOrganizationMembershipMetadata(params: UpdateOrganizationMembershipMetadataParams) {\n const { organizationId, userId, ...bodyParams } = params;\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, organizationId, 'memberships', userId, 'metadata'),\n bodyParams,\n });\n }\n\n public async deleteOrganizationMembership(params: DeleteOrganizationMembershipParams) {\n const { organizationId, userId } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, organizationId, 'memberships', userId),\n });\n }\n\n public async getOrganizationInvitationList(params: GetOrganizationInvitationListParams) {\n const { organizationId, ...queryParams } = params;\n this.requireId(organizationId);\n\n return this.request>({\n method: 'GET',\n path: joinPaths(basePath, organizationId, 'invitations'),\n queryParams,\n });\n }\n\n public async createOrganizationInvitation(params: CreateOrganizationInvitationParams) {\n const { organizationId, ...bodyParams } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, organizationId, 'invitations'),\n bodyParams,\n });\n }\n\n public async getOrganizationInvitation(params: GetOrganizationInvitationParams) {\n const { organizationId, invitationId } = params;\n this.requireId(organizationId);\n this.requireId(invitationId);\n\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, organizationId, 'invitations', invitationId),\n });\n }\n\n public async revokeOrganizationInvitation(params: RevokeOrganizationInvitationParams) {\n const { organizationId, invitationId, ...bodyParams } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, organizationId, 'invitations', invitationId, 'revoke'),\n bodyParams,\n });\n }\n\n public async getOrganizationDomainList(params: GetOrganizationDomainListParams) {\n const { organizationId, ...queryParams } = params;\n this.requireId(organizationId);\n\n return this.request>({\n method: 'GET',\n path: joinPaths(basePath, organizationId, 'domains'),\n queryParams,\n });\n }\n\n public async createOrganizationDomain(params: CreateOrganizationDomainParams) {\n const { organizationId, ...bodyParams } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, organizationId, 'domains'),\n bodyParams: {\n ...bodyParams,\n verified: bodyParams.verified ?? true,\n },\n });\n }\n\n public async updateOrganizationDomain(params: UpdateOrganizationDomainParams) {\n const { organizationId, domainId, ...bodyParams } = params;\n this.requireId(organizationId);\n this.requireId(domainId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, organizationId, 'domains', domainId),\n bodyParams,\n });\n }\n\n public async deleteOrganizationDomain(params: DeleteOrganizationDomainParams) {\n const { organizationId, domainId } = params;\n this.requireId(organizationId);\n this.requireId(domainId);\n\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, organizationId, 'domains', domainId),\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { DeletedObject, PhoneNumber } from '../resources';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/phone_numbers';\n\ntype CreatePhoneNumberParams = {\n userId: string;\n phoneNumber: string;\n verified?: boolean;\n primary?: boolean;\n reservedForSecondFactor?: boolean;\n};\n\ntype UpdatePhoneNumberParams = {\n verified?: boolean;\n primary?: boolean;\n reservedForSecondFactor?: boolean;\n};\n\nexport class PhoneNumberAPI extends AbstractAPI {\n public async getPhoneNumber(phoneNumberId: string) {\n this.requireId(phoneNumberId);\n\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, phoneNumberId),\n });\n }\n\n public async createPhoneNumber(params: CreatePhoneNumberParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async updatePhoneNumber(phoneNumberId: string, params: UpdatePhoneNumberParams = {}) {\n this.requireId(phoneNumberId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, phoneNumberId),\n bodyParams: params,\n });\n }\n\n public async deletePhoneNumber(phoneNumberId: string) {\n this.requireId(phoneNumberId);\n\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, phoneNumberId),\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport type { RedirectUrl } from '../resources/RedirectUrl';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/redirect_urls';\n\ntype CreateRedirectUrlParams = {\n url: string;\n};\n\nexport class RedirectUrlAPI extends AbstractAPI {\n public async getRedirectUrlList() {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: { paginated: true },\n });\n }\n\n public async getRedirectUrl(redirectUrlId: string) {\n this.requireId(redirectUrlId);\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, redirectUrlId),\n });\n }\n\n public async createRedirectUrl(params: CreateRedirectUrlParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async deleteRedirectUrl(redirectUrlId: string) {\n this.requireId(redirectUrlId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, redirectUrlId),\n });\n }\n}\n","import type { ClerkPaginationRequest, SessionStatus } from '@clerk/types';\n\nimport { joinPaths } from '../../util/path';\nimport type { Cookies } from '../resources/Cookies';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport type { Session } from '../resources/Session';\nimport type { Token } from '../resources/Token';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/sessions';\n\ntype SessionListParams = ClerkPaginationRequest<{\n clientId?: string;\n userId?: string;\n status?: SessionStatus;\n}>;\n\ntype RefreshTokenParams = {\n expired_token: string;\n refresh_token: string;\n request_origin: string;\n request_originating_ip?: string;\n request_headers?: Record;\n suffixed_cookies?: boolean;\n format?: 'token' | 'cookie';\n};\n\nexport class SessionAPI extends AbstractAPI {\n public async getSessionList(params: SessionListParams = {}) {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: { ...params, paginated: true },\n });\n }\n\n public async getSession(sessionId: string) {\n this.requireId(sessionId);\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, sessionId),\n });\n }\n\n public async revokeSession(sessionId: string) {\n this.requireId(sessionId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, sessionId, 'revoke'),\n });\n }\n\n public async verifySession(sessionId: string, token: string) {\n this.requireId(sessionId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, sessionId, 'verify'),\n bodyParams: { token },\n });\n }\n\n public async getToken(sessionId: string, template: string) {\n this.requireId(sessionId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, sessionId, 'tokens', template || ''),\n });\n }\n\n public async refreshSession(sessionId: string, params: RefreshTokenParams & { format: 'token' }): Promise;\n public async refreshSession(sessionId: string, params: RefreshTokenParams & { format: 'cookie' }): Promise;\n public async refreshSession(sessionId: string, params: RefreshTokenParams): Promise;\n public async refreshSession(sessionId: string, params: RefreshTokenParams): Promise {\n this.requireId(sessionId);\n const { suffixed_cookies, ...restParams } = params;\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, sessionId, 'refresh'),\n bodyParams: restParams,\n queryParams: { suffixed_cookies },\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { SignInToken } from '../resources/SignInTokens';\nimport { AbstractAPI } from './AbstractApi';\n\ntype CreateSignInTokensParams = {\n userId: string;\n expiresInSeconds: number;\n};\n\nconst basePath = '/sign_in_tokens';\n\nexport class SignInTokenAPI extends AbstractAPI {\n public async createSignInToken(params: CreateSignInTokensParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async revokeSignInToken(signInTokenId: string) {\n this.requireId(signInTokenId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, signInTokenId, 'revoke'),\n });\n }\n}\n","export { addClerkPrefix, getScriptUrl, getClerkJsMajorVersionOrTag } from '@clerk/shared/url';\nexport { retry } from '@clerk/shared/retry';\nexport {\n isDevelopmentFromSecretKey,\n isProductionFromSecretKey,\n parsePublishableKey,\n getCookieSuffix,\n getSuffixedCookieName,\n} from '@clerk/shared/keys';\nexport { deprecated, deprecatedProperty } from '@clerk/shared/deprecated';\n\nimport { buildErrorThrower } from '@clerk/shared/error';\nimport { createDevOrStagingUrlCache } from '@clerk/shared/keys';\n// TODO: replace packageName with `${PACKAGE_NAME}@${PACKAGE_VERSION}` from tsup.config.ts\nexport const errorThrower = buildErrorThrower({ packageName: '@clerk/backend' });\n\nexport const { isDevOrStagingUrl } = createDevOrStagingUrlCache();\n","import type { ClerkPaginationRequest, OAuthProvider } from '@clerk/types';\n\nimport { runtime } from '../../runtime';\nimport { joinPaths } from '../../util/path';\nimport { deprecated } from '../../util/shared';\nimport type { OauthAccessToken, OrganizationMembership, User } from '../resources';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport { AbstractAPI } from './AbstractApi';\nimport type { WithSign } from './util-types';\n\nconst basePath = '/users';\n\ntype UserCountParams = {\n emailAddress?: string[];\n phoneNumber?: string[];\n username?: string[];\n web3Wallet?: string[];\n query?: string;\n userId?: string[];\n externalId?: string[];\n};\n\ntype UserListParams = ClerkPaginationRequest<\n UserCountParams & {\n orderBy?: WithSign<\n | 'created_at'\n | 'updated_at'\n | 'email_address'\n | 'web3wallet'\n | 'first_name'\n | 'last_name'\n | 'phone_number'\n | 'username'\n | 'last_active_at'\n | 'last_sign_in_at'\n >;\n last_active_at_since?: number;\n organizationId?: string[];\n }\n>;\n\ntype UserMetadataParams = {\n publicMetadata?: UserPublicMetadata;\n privateMetadata?: UserPrivateMetadata;\n unsafeMetadata?: UserUnsafeMetadata;\n};\n\ntype PasswordHasher =\n | 'argon2i'\n | 'argon2id'\n | 'awscognito'\n | 'bcrypt'\n | 'bcrypt_sha256_django'\n | 'md5'\n | 'pbkdf2_sha256'\n | 'pbkdf2_sha256_django'\n | 'pbkdf2_sha1'\n | 'phpass'\n | 'scrypt_firebase'\n | 'scrypt_werkzeug'\n | 'sha256';\n\ntype UserPasswordHashingParams = {\n passwordDigest: string;\n passwordHasher: PasswordHasher;\n};\n\ntype CreateUserParams = {\n externalId?: string;\n emailAddress?: string[];\n phoneNumber?: string[];\n username?: string;\n password?: string;\n firstName?: string;\n lastName?: string;\n skipPasswordChecks?: boolean;\n skipPasswordRequirement?: boolean;\n skipLegalChecks?: boolean;\n legalAcceptedAt?: Date;\n totpSecret?: string;\n backupCodes?: string[];\n createdAt?: Date;\n} & UserMetadataParams &\n (UserPasswordHashingParams | object);\n\ntype UpdateUserParams = {\n firstName?: string;\n lastName?: string;\n username?: string;\n password?: string;\n skipPasswordChecks?: boolean;\n signOutOfOtherSessions?: boolean;\n primaryEmailAddressID?: string;\n primaryPhoneNumberID?: string;\n primaryWeb3WalletID?: string;\n profileImageID?: string;\n totpSecret?: string;\n backupCodes?: string[];\n externalId?: string;\n createdAt?: Date;\n skipLegalChecks?: boolean;\n legalAcceptedAt?: Date;\n deleteSelfEnabled?: boolean;\n createOrganizationEnabled?: boolean;\n createOrganizationsLimit?: number;\n} & UserMetadataParams &\n (UserPasswordHashingParams | object);\n\ntype GetOrganizationMembershipListParams = ClerkPaginationRequest<{\n userId: string;\n}>;\n\ntype VerifyPasswordParams = {\n userId: string;\n password: string;\n};\n\ntype VerifyTOTPParams = {\n userId: string;\n code: string;\n};\n\nexport class UserAPI extends AbstractAPI {\n public async getUserList(params: UserListParams = {}) {\n const { limit, offset, orderBy, ...userCountParams } = params;\n // TODO(dimkl): Temporary change to populate totalCount using a 2nd BAPI call to /users/count endpoint\n // until we update the /users endpoint to be paginated in a next BAPI version.\n // In some edge cases the data.length != totalCount due to a creation of a user between the 2 api responses\n const [data, totalCount] = await Promise.all([\n this.request({\n method: 'GET',\n path: basePath,\n queryParams: params,\n }),\n this.getCount(userCountParams),\n ]);\n return { data, totalCount } as PaginatedResourceResponse;\n }\n\n public async getUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, userId),\n });\n }\n\n public async createUser(params: CreateUserParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async updateUser(userId: string, params: UpdateUserParams = {}) {\n this.requireId(userId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, userId),\n bodyParams: params,\n });\n }\n\n public async updateUserProfileImage(userId: string, params: { file: Blob | File }) {\n this.requireId(userId);\n\n const formData = new runtime.FormData();\n formData.append('file', params?.file);\n\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, userId, 'profile_image'),\n formData,\n });\n }\n\n public async updateUserMetadata(userId: string, params: UserMetadataParams) {\n this.requireId(userId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, userId, 'metadata'),\n bodyParams: params,\n });\n }\n\n public async deleteUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, userId),\n });\n }\n\n public async getCount(params: UserCountParams = {}) {\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, 'count'),\n queryParams: params,\n });\n }\n\n /** @deprecated Please use getUserOauthAccessToken without the `oauth_` provider prefix . */\n public async getUserOauthAccessToken(\n userId: string,\n provider: `oauth_${OAuthProvider}`,\n ): Promise>;\n public async getUserOauthAccessToken(\n userId: string,\n provider: OAuthProvider,\n ): Promise>;\n public async getUserOauthAccessToken(userId: string, provider: `oauth_${OAuthProvider}` | OAuthProvider) {\n this.requireId(userId);\n const hasPrefix = provider.startsWith('oauth_');\n const _provider = hasPrefix ? provider : `oauth_${provider}`;\n\n if (hasPrefix) {\n deprecated(\n 'getUserOauthAccessToken(userId, provider)',\n 'Remove the `oauth_` prefix from the `provider` argument.',\n );\n }\n\n return this.request>({\n method: 'GET',\n path: joinPaths(basePath, userId, 'oauth_access_tokens', _provider),\n queryParams: { paginated: true },\n });\n }\n\n public async disableUserMFA(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, userId, 'mfa'),\n });\n }\n\n public async getOrganizationMembershipList(params: GetOrganizationMembershipListParams) {\n const { userId, limit, offset } = params;\n this.requireId(userId);\n\n return this.request>({\n method: 'GET',\n path: joinPaths(basePath, userId, 'organization_memberships'),\n queryParams: { limit, offset },\n });\n }\n\n public async verifyPassword(params: VerifyPasswordParams) {\n const { userId, password } = params;\n this.requireId(userId);\n\n return this.request<{ verified: true }>({\n method: 'POST',\n path: joinPaths(basePath, userId, 'verify_password'),\n bodyParams: { password },\n });\n }\n\n public async verifyTOTP(params: VerifyTOTPParams) {\n const { userId, code } = params;\n this.requireId(userId);\n\n return this.request<{ verified: true; code_type: 'totp' }>({\n method: 'POST',\n path: joinPaths(basePath, userId, 'verify_totp'),\n bodyParams: { code },\n });\n }\n\n public async banUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, userId, 'ban'),\n });\n }\n\n public async unbanUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, userId, 'unban'),\n });\n }\n\n public async lockUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, userId, 'lock'),\n });\n }\n\n public async unlockUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, userId, 'unlock'),\n });\n }\n\n public async deleteUserProfileImage(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, userId, 'profile_image'),\n });\n }\n}\n","import type { SamlIdpSlug } from '@clerk/types';\n\nimport { joinPaths } from '../../util/path';\nimport type { SamlConnection } from '../resources';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/saml_connections';\n\ntype SamlConnectionListParams = {\n limit?: number;\n offset?: number;\n};\ntype CreateSamlConnectionParams = {\n name: string;\n provider: SamlIdpSlug;\n domain: string;\n organizationId?: string;\n idpEntityId?: string;\n idpSsoUrl?: string;\n idpCertificate?: string;\n idpMetadataUrl?: string;\n idpMetadata?: string;\n attributeMapping?: {\n emailAddress?: string;\n firstName?: string;\n lastName?: string;\n userId?: string;\n };\n};\n\ntype UpdateSamlConnectionParams = {\n name?: string;\n provider?: SamlIdpSlug;\n domain?: string;\n organizationId?: string;\n idpEntityId?: string;\n idpSsoUrl?: string;\n idpCertificate?: string;\n idpMetadataUrl?: string;\n idpMetadata?: string;\n attributeMapping?: {\n emailAddress?: string;\n firstName?: string;\n lastName?: string;\n userId?: string;\n };\n active?: boolean;\n syncUserAttributes?: boolean;\n allowSubdomains?: boolean;\n allowIdpInitiated?: boolean;\n};\n\nexport class SamlConnectionAPI extends AbstractAPI {\n public async getSamlConnectionList(params: SamlConnectionListParams = {}) {\n return this.request({\n method: 'GET',\n path: basePath,\n queryParams: params,\n });\n }\n\n public async createSamlConnection(params: CreateSamlConnectionParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async getSamlConnection(samlConnectionId: string) {\n this.requireId(samlConnectionId);\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, samlConnectionId),\n });\n }\n\n public async updateSamlConnection(samlConnectionId: string, params: UpdateSamlConnectionParams = {}) {\n this.requireId(samlConnectionId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, samlConnectionId),\n bodyParams: params,\n });\n }\n public async deleteSamlConnection(samlConnectionId: string) {\n this.requireId(samlConnectionId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, samlConnectionId),\n });\n }\n}\n","import type { TestingToken } from '../resources/TestingToken';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/testing_tokens';\n\nexport class TestingTokenAPI extends AbstractAPI {\n public async createTestingToken() {\n return this.request({\n method: 'POST',\n path: basePath,\n });\n }\n}\n","import { ClerkAPIResponseError, parseError } from '@clerk/shared/error';\nimport type { ClerkAPIError, ClerkAPIErrorJSON } from '@clerk/types';\nimport snakecaseKeys from 'snakecase-keys';\n\nimport { API_URL, API_VERSION, constants, SUPPORTED_BAPI_VERSION, USER_AGENT } from '../constants';\nimport { runtime } from '../runtime';\nimport { assertValidSecretKey } from '../util/optionsAssertions';\nimport { joinPaths } from '../util/path';\nimport { deserialize } from './resources/Deserializer';\n\nexport type ClerkBackendApiRequestOptions = {\n method: 'GET' | 'POST' | 'PATCH' | 'DELETE' | 'PUT';\n queryParams?: Record;\n headerParams?: Record;\n bodyParams?: Record;\n formData?: FormData;\n} & (\n | {\n url: string;\n path?: string;\n }\n | {\n url?: string;\n path: string;\n }\n);\n\nexport type ClerkBackendApiResponse =\n | {\n data: T;\n errors: null;\n totalCount?: number;\n }\n | {\n data: null;\n errors: ClerkAPIError[];\n totalCount?: never;\n clerkTraceId?: string;\n status?: number;\n statusText?: string;\n };\n\nexport type RequestFunction = ReturnType;\n\ntype BuildRequestOptions = {\n /* Secret Key */\n secretKey?: string;\n /* Backend API URL */\n apiUrl?: string;\n /* Backend API version */\n apiVersion?: string;\n /* Library/SDK name */\n userAgent?: string;\n /**\n * Allow requests without specifying a secret key. In most cases this should be set to `false`.\n * Defaults to `true`.\n */\n requireSecretKey?: boolean;\n};\nexport function buildRequest(options: BuildRequestOptions) {\n const requestFn = async (requestOptions: ClerkBackendApiRequestOptions): Promise> => {\n const {\n secretKey,\n requireSecretKey = true,\n apiUrl = API_URL,\n apiVersion = API_VERSION,\n userAgent = USER_AGENT,\n } = options;\n const { path, method, queryParams, headerParams, bodyParams, formData } = requestOptions;\n\n if (requireSecretKey) {\n assertValidSecretKey(secretKey);\n }\n\n const url = joinPaths(apiUrl, apiVersion, path);\n\n // Build final URL with search parameters\n const finalUrl = new URL(url);\n\n if (queryParams) {\n // Snakecase query parameters\n const snakecasedQueryParams = snakecaseKeys({ ...queryParams });\n\n // Support array values for queryParams such as { foo: [42, 43] }\n for (const [key, val] of Object.entries(snakecasedQueryParams)) {\n if (val) {\n [val].flat().forEach(v => finalUrl.searchParams.append(key, v as string));\n }\n }\n }\n\n // Build headers\n const headers: Record = {\n Authorization: `Bearer ${secretKey}`,\n 'Clerk-API-Version': SUPPORTED_BAPI_VERSION,\n 'User-Agent': userAgent,\n ...headerParams,\n };\n\n let res: Response | undefined;\n try {\n if (formData) {\n res = await runtime.fetch(finalUrl.href, {\n method,\n headers,\n body: formData,\n });\n } else {\n // Enforce application/json for all non form-data requests\n headers['Content-Type'] = 'application/json';\n // Build body\n const hasBody = method !== 'GET' && bodyParams && Object.keys(bodyParams).length > 0;\n const body = hasBody ? { body: JSON.stringify(snakecaseKeys(bodyParams, { deep: false })) } : null;\n\n res = await runtime.fetch(finalUrl.href, {\n method,\n headers,\n ...body,\n });\n }\n\n // TODO: Parse JSON or Text response based on a response header\n const isJSONResponse =\n res?.headers && res.headers?.get(constants.Headers.ContentType) === constants.ContentTypes.Json;\n const responseBody = await (isJSONResponse ? res.json() : res.text());\n\n if (!res.ok) {\n return {\n data: null,\n errors: parseErrors(responseBody),\n status: res?.status,\n statusText: res?.statusText,\n clerkTraceId: getTraceId(responseBody, res?.headers),\n };\n }\n\n return {\n ...deserialize(responseBody),\n errors: null,\n };\n } catch (err) {\n if (err instanceof Error) {\n return {\n data: null,\n errors: [\n {\n code: 'unexpected_error',\n message: err.message || 'Unexpected error',\n },\n ],\n clerkTraceId: getTraceId(err, res?.headers),\n };\n }\n\n return {\n data: null,\n errors: parseErrors(err),\n status: res?.status,\n statusText: res?.statusText,\n clerkTraceId: getTraceId(err, res?.headers),\n };\n }\n };\n\n return withLegacyRequestReturn(requestFn);\n}\n\n// Returns either clerk_trace_id if present in response json, otherwise defaults to CF-Ray header\n// If the request failed before receiving a response, returns undefined\nfunction getTraceId(data: unknown, headers?: Headers): string {\n if (data && typeof data === 'object' && 'clerk_trace_id' in data && typeof data.clerk_trace_id === 'string') {\n return data.clerk_trace_id;\n }\n\n const cfRay = headers?.get('cf-ray');\n return cfRay || '';\n}\n\nfunction parseErrors(data: unknown): ClerkAPIError[] {\n if (!!data && typeof data === 'object' && 'errors' in data) {\n const errors = data.errors as ClerkAPIErrorJSON[];\n return errors.length > 0 ? errors.map(parseError) : [];\n }\n return [];\n}\n\ntype LegacyRequestFunction = (requestOptions: ClerkBackendApiRequestOptions) => Promise;\n\n// TODO(dimkl): Will be probably be dropped in next major version\nfunction withLegacyRequestReturn(cb: any): LegacyRequestFunction {\n return async (...args) => {\n // @ts-ignore\n const { data, errors, totalCount, status, statusText, clerkTraceId } = await cb(...args);\n if (errors) {\n // instead of passing `data: errors`, we have set the `error.errors` because\n // the errors returned from callback is already parsed and passing them as `data`\n // will not be able to assign them to the instance\n const error = new ClerkAPIResponseError(statusText || '', {\n data: [],\n status,\n clerkTraceId,\n });\n error.errors = errors;\n throw error;\n }\n\n if (typeof totalCount !== 'undefined') {\n return { data, totalCount };\n }\n\n return data;\n };\n}\n","export const API_URL = 'https://api.clerk.com';\nexport const API_VERSION = 'v1';\n\nexport const USER_AGENT = `${PACKAGE_NAME}@${PACKAGE_VERSION}`;\nexport const MAX_CACHE_LAST_UPDATED_AT_SECONDS = 5 * 60;\nexport const SUPPORTED_BAPI_VERSION = '2024-10-01';\n\nconst Attributes = {\n AuthToken: '__clerkAuthToken',\n AuthSignature: '__clerkAuthSignature',\n AuthStatus: '__clerkAuthStatus',\n AuthReason: '__clerkAuthReason',\n AuthMessage: '__clerkAuthMessage',\n ClerkUrl: '__clerkUrl',\n} as const;\n\nconst Cookies = {\n Session: '__session',\n Refresh: '__refresh',\n ClientUat: '__client_uat',\n Handshake: '__clerk_handshake',\n DevBrowser: '__clerk_db_jwt',\n RedirectCount: '__clerk_redirect_count',\n} as const;\n\nconst QueryParameters = {\n ClerkSynced: '__clerk_synced',\n SuffixedCookies: 'suffixed_cookies',\n ClerkRedirectUrl: '__clerk_redirect_url',\n // use the reference to Cookies to indicate that it's the same value\n DevBrowser: Cookies.DevBrowser,\n Handshake: Cookies.Handshake,\n HandshakeHelp: '__clerk_help',\n LegacyDevBrowser: '__dev_session',\n HandshakeReason: '__clerk_hs_reason',\n} as const;\n\nconst Headers = {\n AuthToken: 'x-clerk-auth-token',\n AuthSignature: 'x-clerk-auth-signature',\n AuthStatus: 'x-clerk-auth-status',\n AuthReason: 'x-clerk-auth-reason',\n AuthMessage: 'x-clerk-auth-message',\n ClerkUrl: 'x-clerk-clerk-url',\n EnableDebug: 'x-clerk-debug',\n ClerkRequestData: 'x-clerk-request-data',\n ClerkRedirectTo: 'x-clerk-redirect-to',\n CloudFrontForwardedProto: 'cloudfront-forwarded-proto',\n Authorization: 'authorization',\n ForwardedPort: 'x-forwarded-port',\n ForwardedProto: 'x-forwarded-proto',\n ForwardedHost: 'x-forwarded-host',\n Accept: 'accept',\n Referrer: 'referer',\n UserAgent: 'user-agent',\n Origin: 'origin',\n Host: 'host',\n ContentType: 'content-type',\n SecFetchDest: 'sec-fetch-dest',\n Location: 'location',\n CacheControl: 'cache-control',\n} as const;\n\nconst ContentTypes = {\n Json: 'application/json',\n} as const;\n\n/**\n * @internal\n */\nexport const constants = {\n Attributes,\n Cookies,\n Headers,\n ContentTypes,\n QueryParameters,\n} as const;\n\nexport type Constants = typeof constants;\n","import { parsePublishableKey } from './shared';\n\nexport function assertValidSecretKey(val: unknown): asserts val is string {\n if (!val || typeof val !== 'string') {\n throw Error('Missing Clerk Secret Key. Go to https://dashboard.clerk.com and get your key for your instance.');\n }\n\n //TODO: Check if the key is invalid and throw error\n}\n\nexport function assertValidPublishableKey(val: unknown): asserts val is string {\n parsePublishableKey(val as string | undefined, { fatal: true });\n}\n","import type { AccountlessApplicationJSON } from './JSON';\n\nexport class AccountlessApplication {\n constructor(\n readonly publishableKey: string,\n readonly secretKey: string,\n readonly claimUrl: string,\n readonly apiKeysUrl: string,\n ) {}\n\n static fromJSON(data: AccountlessApplicationJSON): AccountlessApplication {\n return new AccountlessApplication(data.publishable_key, data.secret_key, data.claim_url, data.api_keys_url);\n }\n}\n","import type { AllowlistIdentifierJSON } from './JSON';\n\nexport class AllowlistIdentifier {\n constructor(\n readonly id: string,\n readonly identifier: string,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly invitationId?: string,\n ) {}\n\n static fromJSON(data: AllowlistIdentifierJSON): AllowlistIdentifier {\n return new AllowlistIdentifier(data.id, data.identifier, data.created_at, data.updated_at, data.invitation_id);\n }\n}\n","import type { SessionActivityJSON, SessionJSON } from './JSON';\n\nexport class SessionActivity {\n constructor(\n readonly id: string,\n readonly isMobile: boolean,\n readonly ipAddress?: string,\n readonly city?: string,\n readonly country?: string,\n readonly browserVersion?: string,\n readonly browserName?: string,\n readonly deviceType?: string,\n ) {}\n\n static fromJSON(data: SessionActivityJSON): SessionActivity {\n return new SessionActivity(\n data.id,\n data.is_mobile,\n data.ip_address,\n data.city,\n data.country,\n data.browser_version,\n data.browser_name,\n data.device_type,\n );\n }\n}\n\nexport class Session {\n constructor(\n readonly id: string,\n readonly clientId: string,\n readonly userId: string,\n readonly status: string,\n readonly lastActiveAt: number,\n readonly expireAt: number,\n readonly abandonAt: number,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly lastActiveOrganizationId?: string,\n readonly latestActivity?: SessionActivity,\n readonly actor: Record | null = null,\n ) {}\n\n static fromJSON(data: SessionJSON): Session {\n return new Session(\n data.id,\n data.client_id,\n data.user_id,\n data.status,\n data.last_active_at,\n data.expire_at,\n data.abandon_at,\n data.created_at,\n data.updated_at,\n data.last_active_organization_id,\n data.latest_activity && SessionActivity.fromJSON(data.latest_activity),\n data.actor,\n );\n }\n}\n","import type { ClientJSON } from './JSON';\nimport { Session } from './Session';\n\nexport class Client {\n constructor(\n readonly id: string,\n readonly sessionIds: string[],\n readonly sessions: Session[],\n readonly signInId: string | null,\n readonly signUpId: string | null,\n readonly lastActiveSessionId: string | null,\n readonly createdAt: number,\n readonly updatedAt: number,\n ) {}\n\n static fromJSON(data: ClientJSON): Client {\n return new Client(\n data.id,\n data.session_ids,\n data.sessions.map(x => Session.fromJSON(x)),\n data.sign_in_id,\n data.sign_up_id,\n data.last_active_session_id,\n data.created_at,\n data.updated_at,\n );\n }\n}\n","import type { CookiesJSON } from './JSON';\n\nexport class Cookies {\n constructor(readonly cookies: string[]) {}\n\n static fromJSON(data: CookiesJSON): Cookies {\n return new Cookies(data.cookies);\n }\n}\n","import type { DeletedObjectJSON } from './JSON';\n\nexport class DeletedObject {\n constructor(\n readonly object: string,\n readonly id: string | null,\n readonly slug: string | null,\n readonly deleted: boolean,\n ) {}\n\n static fromJSON(data: DeletedObjectJSON) {\n return new DeletedObject(data.object, data.id || null, data.slug || null, data.deleted);\n }\n}\n","import type { EmailJSON } from './JSON';\n\nexport class Email {\n constructor(\n readonly id: string,\n readonly fromEmailName: string,\n readonly emailAddressId: string | null,\n readonly toEmailAddress?: string,\n readonly subject?: string,\n readonly body?: string,\n readonly bodyPlain?: string | null,\n readonly status?: string,\n readonly slug?: string | null,\n readonly data?: Record | null,\n readonly deliveredByClerk?: boolean,\n ) {}\n\n static fromJSON(data: EmailJSON): Email {\n return new Email(\n data.id,\n data.from_email_name,\n data.email_address_id,\n data.to_email_address,\n data.subject,\n data.body,\n data.body_plain,\n data.status,\n data.slug,\n data.data,\n data.delivered_by_clerk,\n );\n }\n}\n","import type { IdentificationLinkJSON } from './JSON';\n\nexport class IdentificationLink {\n constructor(\n readonly id: string,\n readonly type: string,\n ) {}\n\n static fromJSON(data: IdentificationLinkJSON): IdentificationLink {\n return new IdentificationLink(data.id, data.type);\n }\n}\n","import type { OrganizationDomainVerificationJSON, VerificationJSON } from './JSON';\n\nexport class Verification {\n constructor(\n readonly status: string,\n readonly strategy: string,\n readonly externalVerificationRedirectURL: URL | null = null,\n readonly attempts: number | null = null,\n readonly expireAt: number | null = null,\n readonly nonce: string | null = null,\n readonly message: string | null = null,\n ) {}\n\n static fromJSON(data: VerificationJSON): Verification {\n return new Verification(\n data.status,\n data.strategy,\n data.external_verification_redirect_url ? new URL(data.external_verification_redirect_url) : null,\n data.attempts,\n data.expire_at,\n data.nonce,\n );\n }\n}\n\nexport class OrganizationDomainVerification {\n constructor(\n readonly status: string,\n readonly strategy: string,\n readonly attempts: number | null = null,\n readonly expireAt: number | null = null,\n ) {}\n\n static fromJSON(data: OrganizationDomainVerificationJSON): OrganizationDomainVerification {\n return new OrganizationDomainVerification(data.status, data.strategy, data.attempts, data.expires_at);\n }\n}\n","import { IdentificationLink } from './IdentificationLink';\nimport type { EmailAddressJSON } from './JSON';\nimport { Verification } from './Verification';\n\nexport class EmailAddress {\n constructor(\n readonly id: string,\n readonly emailAddress: string,\n readonly verification: Verification | null,\n readonly linkedTo: IdentificationLink[],\n ) {}\n\n static fromJSON(data: EmailAddressJSON): EmailAddress {\n return new EmailAddress(\n data.id,\n data.email_address,\n data.verification && Verification.fromJSON(data.verification),\n data.linked_to.map(link => IdentificationLink.fromJSON(link)),\n );\n }\n}\n","import type { ExternalAccountJSON } from './JSON';\nimport { Verification } from './Verification';\n\nexport class ExternalAccount {\n constructor(\n readonly id: string,\n readonly provider: string,\n readonly identificationId: string,\n readonly externalId: string,\n readonly approvedScopes: string,\n readonly emailAddress: string,\n readonly firstName: string,\n readonly lastName: string,\n readonly imageUrl: string,\n readonly username: string | null,\n readonly publicMetadata: Record | null = {},\n readonly label: string | null,\n readonly verification: Verification | null,\n ) {}\n\n static fromJSON(data: ExternalAccountJSON): ExternalAccount {\n return new ExternalAccount(\n data.id,\n data.provider,\n data.identification_id,\n data.provider_user_id,\n data.approved_scopes,\n data.email_address,\n data.first_name,\n data.last_name,\n data.image_url || '',\n data.username,\n data.public_metadata,\n data.label,\n data.verification && Verification.fromJSON(data.verification),\n );\n }\n}\n","import type { InvitationStatus } from './Enums';\nimport type { InvitationJSON } from './JSON';\n\nexport class Invitation {\n constructor(\n readonly id: string,\n readonly emailAddress: string,\n readonly publicMetadata: Record | null,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly status: InvitationStatus,\n readonly url?: string,\n readonly revoked?: boolean,\n ) {}\n\n static fromJSON(data: InvitationJSON): Invitation {\n return new Invitation(\n data.id,\n data.email_address,\n data.public_metadata,\n data.created_at,\n data.updated_at,\n data.status,\n data.url,\n data.revoked,\n );\n }\n}\n","import type {\n InvitationStatus,\n OrganizationDomainVerificationStatus,\n OrganizationDomainVerificationStrategy,\n OrganizationEnrollmentMode,\n OrganizationInvitationStatus,\n OrganizationMembershipRole,\n SignInStatus,\n SignUpStatus,\n} from './Enums';\n\nexport const ObjectType = {\n AccountlessApplication: 'accountless_application',\n AllowlistIdentifier: 'allowlist_identifier',\n Client: 'client',\n Cookies: 'cookies',\n Email: 'email',\n EmailAddress: 'email_address',\n ExternalAccount: 'external_account',\n FacebookAccount: 'facebook_account',\n GoogleAccount: 'google_account',\n Invitation: 'invitation',\n OauthAccessToken: 'oauth_access_token',\n Organization: 'organization',\n OrganizationDomain: 'organization_domain',\n OrganizationInvitation: 'organization_invitation',\n OrganizationMembership: 'organization_membership',\n PhoneNumber: 'phone_number',\n RedirectUrl: 'redirect_url',\n SamlAccount: 'saml_account',\n Session: 'session',\n SignInAttempt: 'sign_in_attempt',\n SignInToken: 'sign_in_token',\n SignUpAttempt: 'sign_up_attempt',\n SmsMessage: 'sms_message',\n User: 'user',\n Web3Wallet: 'web3_wallet',\n Token: 'token',\n TotalCount: 'total_count',\n TestingToken: 'testing_token',\n Role: 'role',\n Permission: 'permission',\n} as const;\n\nexport type ObjectType = (typeof ObjectType)[keyof typeof ObjectType];\n\nexport interface ClerkResourceJSON {\n object: ObjectType;\n id: string;\n}\n\nexport interface CookiesJSON {\n object: typeof ObjectType.Cookies;\n cookies: string[];\n}\n\nexport interface TokenJSON {\n object: typeof ObjectType.Token;\n jwt: string;\n}\n\nexport interface AccountlessApplicationJSON extends ClerkResourceJSON {\n object: typeof ObjectType.AccountlessApplication;\n publishable_key: string;\n secret_key: string;\n claim_url: string;\n api_keys_url: string;\n}\n\nexport interface AllowlistIdentifierJSON extends ClerkResourceJSON {\n object: typeof ObjectType.AllowlistIdentifier;\n identifier: string;\n created_at: number;\n updated_at: number;\n invitation_id?: string;\n}\n\nexport interface ClientJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Client;\n session_ids: string[];\n sessions: SessionJSON[];\n sign_in_id: string | null;\n sign_up_id: string | null;\n last_active_session_id: string | null;\n created_at: number;\n updated_at: number;\n}\n\nexport interface EmailJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Email;\n slug?: string | null;\n from_email_name: string;\n to_email_address?: string;\n email_address_id: string | null;\n user_id?: string | null;\n subject?: string;\n body?: string;\n body_plain?: string | null;\n status?: string;\n data?: Record | null;\n delivered_by_clerk: boolean;\n}\n\nexport interface EmailAddressJSON extends ClerkResourceJSON {\n object: typeof ObjectType.EmailAddress;\n email_address: string;\n verification: VerificationJSON | null;\n linked_to: IdentificationLinkJSON[];\n}\n\nexport interface ExternalAccountJSON extends ClerkResourceJSON {\n object: typeof ObjectType.ExternalAccount;\n provider: string;\n identification_id: string;\n provider_user_id: string;\n approved_scopes: string;\n email_address: string;\n first_name: string;\n last_name: string;\n image_url?: string;\n username: string | null;\n public_metadata?: Record | null;\n label: string | null;\n verification: VerificationJSON | null;\n}\n\nexport interface SamlAccountJSON extends ClerkResourceJSON {\n object: typeof ObjectType.SamlAccount;\n provider: string;\n provider_user_id: string | null;\n active: boolean;\n email_address: string;\n first_name: string;\n last_name: string;\n verification: VerificationJSON | null;\n saml_connection: SamlAccountConnectionJSON | null;\n}\n\nexport interface IdentificationLinkJSON extends ClerkResourceJSON {\n type: string;\n}\n\nexport interface InvitationJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Invitation;\n email_address: string;\n public_metadata: Record | null;\n revoked?: boolean;\n status: InvitationStatus;\n url?: string;\n created_at: number;\n updated_at: number;\n}\n\nexport interface OauthAccessTokenJSON {\n external_account_id: string;\n object: typeof ObjectType.OauthAccessToken;\n token: string;\n provider: string;\n public_metadata: Record;\n label: string | null;\n // Only set in OAuth 2.0 tokens\n scopes?: string[];\n // Only set in OAuth 1.0 tokens\n token_secret?: string;\n}\n\nexport interface OrganizationJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Organization;\n name: string;\n slug: string;\n image_url?: string;\n has_image: boolean;\n members_count?: number;\n pending_invitations_count?: number;\n max_allowed_memberships: number;\n admin_delete_enabled: boolean;\n public_metadata: OrganizationPublicMetadata | null;\n private_metadata?: OrganizationPrivateMetadata;\n created_by?: string;\n created_at: number;\n updated_at: number;\n}\n\nexport interface OrganizationDomainJSON extends ClerkResourceJSON {\n object: typeof ObjectType.OrganizationDomain;\n id: string;\n name: string;\n organization_id: string;\n enrollment_mode: OrganizationEnrollmentMode;\n verification: OrganizationDomainVerificationJSON | null;\n affiliation_email_address: string | null;\n created_at: number;\n updated_at: number;\n total_pending_invitations: number;\n total_pending_suggestions: number;\n}\n\nexport interface OrganizationDomainVerificationJSON {\n status: OrganizationDomainVerificationStatus;\n strategy: OrganizationDomainVerificationStrategy;\n attempts: number;\n expires_at: number;\n}\n\nexport interface OrganizationInvitationJSON extends ClerkResourceJSON {\n email_address: string;\n role: OrganizationMembershipRole;\n organization_id: string;\n public_organization_data?: PublicOrganizationDataJSON | null;\n status?: OrganizationInvitationStatus;\n public_metadata: OrganizationInvitationPublicMetadata;\n private_metadata: OrganizationInvitationPrivateMetadata;\n created_at: number;\n updated_at: number;\n}\n\nexport interface PublicOrganizationDataJSON extends ClerkResourceJSON {\n name: string;\n slug: string;\n image_url?: string;\n has_image: boolean;\n}\n\nexport interface OrganizationMembershipJSON extends ClerkResourceJSON {\n object: typeof ObjectType.OrganizationMembership;\n public_metadata: OrganizationMembershipPublicMetadata;\n private_metadata?: OrganizationMembershipPrivateMetadata;\n role: OrganizationMembershipRole;\n permissions: string[];\n created_at: number;\n updated_at: number;\n organization: OrganizationJSON;\n public_user_data: OrganizationMembershipPublicUserDataJSON;\n}\n\nexport interface OrganizationMembershipPublicUserDataJSON {\n identifier: string;\n first_name: string | null;\n last_name: string | null;\n image_url: string;\n has_image: boolean;\n user_id: string;\n}\n\nexport interface PhoneNumberJSON extends ClerkResourceJSON {\n object: typeof ObjectType.PhoneNumber;\n phone_number: string;\n reserved_for_second_factor: boolean;\n default_second_factor: boolean;\n reserved: boolean;\n verification: VerificationJSON | null;\n linked_to: IdentificationLinkJSON[];\n backup_codes: string[];\n}\n\nexport interface RedirectUrlJSON extends ClerkResourceJSON {\n object: typeof ObjectType.RedirectUrl;\n url: string;\n created_at: number;\n updated_at: number;\n}\n\nexport interface SessionActivityJSON extends ClerkResourceJSON {\n id: string;\n device_type?: string;\n is_mobile: boolean;\n browser_name?: string;\n browser_version?: string;\n ip_address?: string;\n city?: string;\n country?: string;\n}\n\nexport interface SessionJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Session;\n client_id: string;\n user_id: string;\n status: string;\n last_active_organization_id?: string;\n actor: Record | null;\n latest_activity?: SessionActivityJSON;\n last_active_at: number;\n expire_at: number;\n abandon_at: number;\n created_at: number;\n updated_at: number;\n}\n\nexport interface SignInJSON extends ClerkResourceJSON {\n object: typeof ObjectType.SignInToken;\n status: SignInStatus;\n identifier: string;\n created_session_id: string | null;\n}\n\nexport interface SignInTokenJSON extends ClerkResourceJSON {\n object: typeof ObjectType.SignInToken;\n user_id: string;\n token: string;\n status: 'pending' | 'accepted' | 'revoked';\n url: string;\n created_at: number;\n updated_at: number;\n}\n\nexport interface SignUpJSON extends ClerkResourceJSON {\n object: typeof ObjectType.SignUpAttempt;\n status: SignUpStatus;\n username: string | null;\n email_address: string | null;\n phone_number: string | null;\n web3_wallet: string | null;\n web3_wallet_verification: VerificationJSON | null;\n external_account: any;\n has_password: boolean;\n name_full: string | null;\n created_session_id: string | null;\n created_user_id: string | null;\n abandon_at: number | null;\n}\n\nexport interface SMSMessageJSON extends ClerkResourceJSON {\n object: typeof ObjectType.SmsMessage;\n from_phone_number: string;\n to_phone_number: string;\n phone_number_id: string | null;\n user_id?: string;\n message: string;\n status: string;\n slug?: string | null;\n data?: Record | null;\n delivered_by_clerk: boolean;\n}\n\nexport interface UserJSON extends ClerkResourceJSON {\n object: typeof ObjectType.User;\n username: string | null;\n first_name: string | null;\n last_name: string | null;\n image_url: string;\n has_image: boolean;\n primary_email_address_id: string | null;\n primary_phone_number_id: string | null;\n primary_web3_wallet_id: string | null;\n password_enabled: boolean;\n two_factor_enabled: boolean;\n totp_enabled: boolean;\n backup_code_enabled: boolean;\n email_addresses: EmailAddressJSON[];\n phone_numbers: PhoneNumberJSON[];\n web3_wallets: Web3WalletJSON[];\n organization_memberships: OrganizationMembershipJSON[] | null;\n external_accounts: ExternalAccountJSON[];\n saml_accounts: SamlAccountJSON[];\n password_last_updated_at: number | null;\n public_metadata: UserPublicMetadata;\n private_metadata: UserPrivateMetadata;\n unsafe_metadata: UserUnsafeMetadata;\n external_id: string | null;\n last_sign_in_at: number | null;\n banned: boolean;\n locked: boolean;\n lockout_expires_in_seconds: number | null;\n verification_attempts_remaining: number | null;\n created_at: number;\n updated_at: number;\n last_active_at: number | null;\n create_organization_enabled: boolean;\n create_organizations_limit: number | null;\n delete_self_enabled: boolean;\n legal_accepted_at: number | null;\n}\n\nexport interface VerificationJSON extends ClerkResourceJSON {\n status: string;\n strategy: string;\n attempts: number | null;\n expire_at: number | null;\n verified_at_client?: string;\n external_verification_redirect_url?: string | null;\n nonce?: string | null;\n message?: string | null;\n}\n\nexport interface Web3WalletJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Web3Wallet;\n web3_wallet: string;\n verification: VerificationJSON | null;\n}\n\nexport interface DeletedObjectJSON {\n object: string;\n id?: string;\n slug?: string;\n deleted: boolean;\n}\n\nexport interface PaginatedResponseJSON {\n data: object[];\n total_count?: number;\n}\n\nexport interface SamlConnectionJSON extends ClerkResourceJSON {\n name: string;\n domain: string;\n organization_id: string | null;\n idp_entity_id: string;\n idp_sso_url: string;\n idp_certificate: string;\n idp_metadata_url: string;\n idp_metadata: string;\n acs_url: string;\n sp_entity_id: string;\n sp_metadata_url: string;\n active: boolean;\n provider: string;\n user_count: number;\n sync_user_attributes: boolean;\n allow_subdomains: boolean;\n allow_idp_initiated: boolean;\n created_at: number;\n updated_at: number;\n attribute_mapping: AttributeMappingJSON;\n}\n\nexport interface AttributeMappingJSON {\n user_id: string;\n email_address: string;\n first_name: string;\n last_name: string;\n}\n\nexport interface TestingTokenJSON {\n object: typeof ObjectType.TestingToken;\n token: string;\n expires_at: number;\n}\n\nexport interface RoleJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Role;\n key: string;\n name: string;\n description: string;\n permissions: PermissionJSON[];\n is_creator_eligible: boolean;\n created_at: number;\n updated_at: number;\n}\n\nexport interface PermissionJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Permission;\n key: string;\n name: string;\n description: string;\n created_at: number;\n updated_at: number;\n}\n\nexport interface SamlAccountConnectionJSON extends ClerkResourceJSON {\n id: string;\n name: string;\n domain: string;\n active: boolean;\n provider: string;\n sync_user_attributes: boolean;\n allow_subdomains: boolean;\n allow_idp_initiated: boolean;\n disable_additional_identifications: boolean;\n created_at: number;\n updated_at: number;\n}\n","import type { OauthAccessTokenJSON } from './JSON';\n\nexport class OauthAccessToken {\n constructor(\n readonly externalAccountId: string,\n readonly provider: string,\n readonly token: string,\n readonly publicMetadata: Record = {},\n readonly label: string,\n readonly scopes?: string[],\n readonly tokenSecret?: string,\n ) {}\n\n static fromJSON(data: OauthAccessTokenJSON) {\n return new OauthAccessToken(\n data.external_account_id,\n data.provider,\n data.token,\n data.public_metadata,\n data.label || '',\n data.scopes,\n data.token_secret,\n );\n }\n}\n","import type { OrganizationJSON } from './JSON';\n\nexport class Organization {\n constructor(\n readonly id: string,\n readonly name: string,\n readonly slug: string | null,\n readonly imageUrl: string,\n readonly hasImage: boolean,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly publicMetadata: OrganizationPublicMetadata | null = {},\n readonly privateMetadata: OrganizationPrivateMetadata = {},\n readonly maxAllowedMemberships: number,\n readonly adminDeleteEnabled: boolean,\n readonly membersCount?: number,\n readonly createdBy?: string,\n ) {}\n\n static fromJSON(data: OrganizationJSON): Organization {\n return new Organization(\n data.id,\n data.name,\n data.slug,\n data.image_url || '',\n data.has_image,\n data.created_at,\n data.updated_at,\n data.public_metadata,\n data.private_metadata,\n data.max_allowed_memberships,\n data.admin_delete_enabled,\n data.members_count,\n data.created_by,\n );\n }\n}\n","import type { OrganizationInvitationStatus, OrganizationMembershipRole } from './Enums';\nimport type { OrganizationInvitationJSON } from './JSON';\n\nexport class OrganizationInvitation {\n constructor(\n readonly id: string,\n readonly emailAddress: string,\n readonly role: OrganizationMembershipRole,\n readonly organizationId: string,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly status?: OrganizationInvitationStatus,\n readonly publicMetadata: OrganizationInvitationPublicMetadata = {},\n readonly privateMetadata: OrganizationInvitationPrivateMetadata = {},\n ) {}\n\n static fromJSON(data: OrganizationInvitationJSON) {\n return new OrganizationInvitation(\n data.id,\n data.email_address,\n data.role,\n data.organization_id,\n data.created_at,\n data.updated_at,\n data.status,\n data.public_metadata,\n data.private_metadata,\n );\n }\n}\n","import { Organization } from '../resources';\nimport type { OrganizationMembershipRole } from './Enums';\nimport type { OrganizationMembershipJSON, OrganizationMembershipPublicUserDataJSON } from './JSON';\n\nexport class OrganizationMembership {\n constructor(\n readonly id: string,\n readonly role: OrganizationMembershipRole,\n readonly permissions: string[],\n readonly publicMetadata: OrganizationMembershipPublicMetadata = {},\n readonly privateMetadata: OrganizationMembershipPrivateMetadata = {},\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly organization: Organization,\n readonly publicUserData?: OrganizationMembershipPublicUserData | null,\n ) {}\n\n static fromJSON(data: OrganizationMembershipJSON) {\n return new OrganizationMembership(\n data.id,\n data.role,\n data.permissions,\n data.public_metadata,\n data.private_metadata,\n data.created_at,\n data.updated_at,\n Organization.fromJSON(data.organization),\n OrganizationMembershipPublicUserData.fromJSON(data.public_user_data),\n );\n }\n}\n\nexport class OrganizationMembershipPublicUserData {\n constructor(\n readonly identifier: string,\n readonly firstName: string | null,\n readonly lastName: string | null,\n readonly imageUrl: string,\n readonly hasImage: boolean,\n readonly userId: string,\n ) {}\n\n static fromJSON(data: OrganizationMembershipPublicUserDataJSON) {\n return new OrganizationMembershipPublicUserData(\n data.identifier,\n data.first_name,\n data.last_name,\n data.image_url,\n data.has_image,\n data.user_id,\n );\n }\n}\n","import { IdentificationLink } from './IdentificationLink';\nimport type { PhoneNumberJSON } from './JSON';\nimport { Verification } from './Verification';\n\nexport class PhoneNumber {\n constructor(\n readonly id: string,\n readonly phoneNumber: string,\n readonly reservedForSecondFactor: boolean,\n readonly defaultSecondFactor: boolean,\n readonly verification: Verification | null,\n readonly linkedTo: IdentificationLink[],\n ) {}\n\n static fromJSON(data: PhoneNumberJSON): PhoneNumber {\n return new PhoneNumber(\n data.id,\n data.phone_number,\n data.reserved_for_second_factor,\n data.default_second_factor,\n data.verification && Verification.fromJSON(data.verification),\n data.linked_to.map(link => IdentificationLink.fromJSON(link)),\n );\n }\n}\n","import type { RedirectUrlJSON } from './JSON';\n\nexport class RedirectUrl {\n constructor(\n readonly id: string,\n readonly url: string,\n readonly createdAt: number,\n readonly updatedAt: number,\n ) {}\n\n static fromJSON(data: RedirectUrlJSON): RedirectUrl {\n return new RedirectUrl(data.id, data.url, data.created_at, data.updated_at);\n }\n}\n","import type { SignInTokenJSON } from './JSON';\n\nexport class SignInToken {\n constructor(\n readonly id: string,\n readonly userId: string,\n readonly token: string,\n readonly status: string,\n readonly url: string,\n readonly createdAt: number,\n readonly updatedAt: number,\n ) {}\n\n static fromJSON(data: SignInTokenJSON): SignInToken {\n return new SignInToken(data.id, data.user_id, data.token, data.status, data.url, data.created_at, data.updated_at);\n }\n}\n","import type { SMSMessageJSON } from './JSON';\n\nexport class SMSMessage {\n constructor(\n readonly id: string,\n readonly fromPhoneNumber: string,\n readonly toPhoneNumber: string,\n readonly message: string,\n readonly status: string,\n readonly phoneNumberId: string | null,\n readonly data?: Record | null,\n ) {}\n\n static fromJSON(data: SMSMessageJSON): SMSMessage {\n return new SMSMessage(\n data.id,\n data.from_phone_number,\n data.to_phone_number,\n data.message,\n data.status,\n data.phone_number_id,\n data.data,\n );\n }\n}\n","import type { TokenJSON } from './JSON';\n\nexport class Token {\n constructor(readonly jwt: string) {}\n\n static fromJSON(data: TokenJSON): Token {\n return new Token(data.jwt);\n }\n}\n","import type { AttributeMappingJSON, SamlAccountConnectionJSON, SamlConnectionJSON } from './JSON';\n\nexport class SamlConnection {\n constructor(\n readonly id: string,\n readonly name: string,\n readonly domain: string,\n readonly organizationId: string | null,\n readonly idpEntityId: string | null,\n readonly idpSsoUrl: string | null,\n readonly idpCertificate: string | null,\n readonly idpMetadataUrl: string | null,\n readonly idpMetadata: string | null,\n readonly acsUrl: string,\n readonly spEntityId: string,\n readonly spMetadataUrl: string,\n readonly active: boolean,\n readonly provider: string,\n readonly userCount: number,\n readonly syncUserAttributes: boolean,\n readonly allowSubdomains: boolean,\n readonly allowIdpInitiated: boolean,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly attributeMapping: AttributeMapping,\n ) {}\n static fromJSON(data: SamlConnectionJSON): SamlConnection {\n return new SamlConnection(\n data.id,\n data.name,\n data.domain,\n data.organization_id,\n data.idp_entity_id,\n data.idp_sso_url,\n data.idp_certificate,\n data.idp_metadata_url,\n data.idp_metadata,\n data.acs_url,\n data.sp_entity_id,\n data.sp_metadata_url,\n data.active,\n data.provider,\n data.user_count,\n data.sync_user_attributes,\n data.allow_subdomains,\n data.allow_idp_initiated,\n data.created_at,\n data.updated_at,\n data.attribute_mapping && AttributeMapping.fromJSON(data.attribute_mapping),\n );\n }\n}\n\nexport class SamlAccountConnection {\n constructor(\n readonly id: string,\n readonly name: string,\n readonly domain: string,\n readonly active: boolean,\n readonly provider: string,\n readonly syncUserAttributes: boolean,\n readonly allowSubdomains: boolean,\n readonly allowIdpInitiated: boolean,\n readonly createdAt: number,\n readonly updatedAt: number,\n ) {}\n static fromJSON(data: SamlAccountConnectionJSON): SamlAccountConnection {\n return new SamlAccountConnection(\n data.id,\n data.name,\n data.domain,\n data.active,\n data.provider,\n data.sync_user_attributes,\n data.allow_subdomains,\n data.allow_idp_initiated,\n data.created_at,\n data.updated_at,\n );\n }\n}\n\nclass AttributeMapping {\n constructor(\n readonly userId: string,\n readonly emailAddress: string,\n readonly firstName: string,\n readonly lastName: string,\n ) {}\n\n static fromJSON(data: AttributeMappingJSON): AttributeMapping {\n return new AttributeMapping(data.user_id, data.email_address, data.first_name, data.last_name);\n }\n}\n","import type { SamlAccountJSON } from './JSON';\nimport { SamlAccountConnection } from './SamlConnection';\nimport { Verification } from './Verification';\n\nexport class SamlAccount {\n constructor(\n readonly id: string,\n readonly provider: string,\n readonly providerUserId: string | null,\n readonly active: boolean,\n readonly emailAddress: string,\n readonly firstName: string,\n readonly lastName: string,\n readonly verification: Verification | null,\n readonly samlConnection: SamlAccountConnection | null,\n ) {}\n\n static fromJSON(data: SamlAccountJSON): SamlAccount {\n return new SamlAccount(\n data.id,\n data.provider,\n data.provider_user_id,\n data.active,\n data.email_address,\n data.first_name,\n data.last_name,\n data.verification && Verification.fromJSON(data.verification),\n data.saml_connection && SamlAccountConnection.fromJSON(data.saml_connection),\n );\n }\n}\n","import type { Web3WalletJSON } from './JSON';\nimport { Verification } from './Verification';\n\nexport class Web3Wallet {\n constructor(\n readonly id: string,\n readonly web3Wallet: string,\n readonly verification: Verification | null,\n ) {}\n\n static fromJSON(data: Web3WalletJSON): Web3Wallet {\n return new Web3Wallet(data.id, data.web3_wallet, data.verification && Verification.fromJSON(data.verification));\n }\n}\n","import { EmailAddress } from './EmailAddress';\nimport { ExternalAccount } from './ExternalAccount';\nimport type { ExternalAccountJSON, SamlAccountJSON, UserJSON } from './JSON';\nimport { PhoneNumber } from './PhoneNumber';\nimport { SamlAccount } from './SamlAccount';\nimport { Web3Wallet } from './Web3Wallet';\n\nexport class User {\n private _raw: UserJSON | null = null;\n\n public get raw(): UserJSON | null {\n return this._raw;\n }\n\n constructor(\n readonly id: string,\n readonly passwordEnabled: boolean,\n readonly totpEnabled: boolean,\n readonly backupCodeEnabled: boolean,\n readonly twoFactorEnabled: boolean,\n readonly banned: boolean,\n readonly locked: boolean,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly imageUrl: string,\n readonly hasImage: boolean,\n readonly primaryEmailAddressId: string | null,\n readonly primaryPhoneNumberId: string | null,\n readonly primaryWeb3WalletId: string | null,\n readonly lastSignInAt: number | null,\n readonly externalId: string | null,\n readonly username: string | null,\n readonly firstName: string | null,\n readonly lastName: string | null,\n readonly publicMetadata: UserPublicMetadata = {},\n readonly privateMetadata: UserPrivateMetadata = {},\n readonly unsafeMetadata: UserUnsafeMetadata = {},\n readonly emailAddresses: EmailAddress[] = [],\n readonly phoneNumbers: PhoneNumber[] = [],\n readonly web3Wallets: Web3Wallet[] = [],\n readonly externalAccounts: ExternalAccount[] = [],\n readonly samlAccounts: SamlAccount[] = [],\n readonly lastActiveAt: number | null,\n readonly createOrganizationEnabled: boolean,\n readonly createOrganizationsLimit: number | null = null,\n readonly deleteSelfEnabled: boolean,\n readonly legalAcceptedAt: number | null,\n ) {}\n\n static fromJSON(data: UserJSON): User {\n const res = new User(\n data.id,\n data.password_enabled,\n data.totp_enabled,\n data.backup_code_enabled,\n data.two_factor_enabled,\n data.banned,\n data.locked,\n data.created_at,\n data.updated_at,\n data.image_url,\n data.has_image,\n data.primary_email_address_id,\n data.primary_phone_number_id,\n data.primary_web3_wallet_id,\n data.last_sign_in_at,\n data.external_id,\n data.username,\n data.first_name,\n data.last_name,\n data.public_metadata,\n data.private_metadata,\n data.unsafe_metadata,\n (data.email_addresses || []).map(x => EmailAddress.fromJSON(x)),\n (data.phone_numbers || []).map(x => PhoneNumber.fromJSON(x)),\n (data.web3_wallets || []).map(x => Web3Wallet.fromJSON(x)),\n (data.external_accounts || []).map((x: ExternalAccountJSON) => ExternalAccount.fromJSON(x)),\n (data.saml_accounts || []).map((x: SamlAccountJSON) => SamlAccount.fromJSON(x)),\n data.last_active_at,\n data.create_organization_enabled,\n data.create_organizations_limit,\n data.delete_self_enabled,\n data.legal_accepted_at,\n );\n res._raw = data;\n return res;\n }\n\n get primaryEmailAddress() {\n return this.emailAddresses.find(({ id }) => id === this.primaryEmailAddressId) ?? null;\n }\n\n get primaryPhoneNumber() {\n return this.phoneNumbers.find(({ id }) => id === this.primaryPhoneNumberId) ?? null;\n }\n\n get primaryWeb3Wallet() {\n return this.web3Wallets.find(({ id }) => id === this.primaryWeb3WalletId) ?? null;\n }\n\n get fullName() {\n return [this.firstName, this.lastName].join(' ').trim() || null;\n }\n}\n","import {\n AllowlistIdentifier,\n Client,\n Cookies,\n DeletedObject,\n Email,\n EmailAddress,\n Invitation,\n OauthAccessToken,\n Organization,\n OrganizationInvitation,\n OrganizationMembership,\n PhoneNumber,\n RedirectUrl,\n Session,\n SignInToken,\n SMSMessage,\n Token,\n User,\n} from '.';\nimport { AccountlessApplication } from './AccountlessApplication';\nimport type { PaginatedResponseJSON } from './JSON';\nimport { ObjectType } from './JSON';\n\ntype ResourceResponse = {\n data: T;\n};\n\nexport type PaginatedResourceResponse = ResourceResponse & {\n totalCount: number;\n};\n\nexport function deserialize(payload: unknown): PaginatedResourceResponse | ResourceResponse {\n let data, totalCount: number | undefined;\n\n if (Array.isArray(payload)) {\n const data = payload.map(item => jsonToObject(item)) as U;\n return { data };\n } else if (isPaginated(payload)) {\n data = payload.data.map(item => jsonToObject(item)) as U;\n totalCount = payload.total_count;\n\n return { data, totalCount };\n } else {\n return { data: jsonToObject(payload) };\n }\n}\n\nfunction isPaginated(payload: unknown): payload is PaginatedResponseJSON {\n if (!payload || typeof payload !== 'object' || !('data' in payload)) {\n return false;\n }\n\n return Array.isArray(payload.data) && payload.data !== undefined;\n}\n\nfunction getCount(item: PaginatedResponseJSON) {\n return item.total_count;\n}\n\n// TODO: Revise response deserialization\nfunction jsonToObject(item: any): any {\n // Special case: DeletedObject\n // TODO: Improve this check\n if (typeof item !== 'string' && 'object' in item && 'deleted' in item) {\n return DeletedObject.fromJSON(item);\n }\n\n switch (item.object) {\n case ObjectType.AccountlessApplication:\n return AccountlessApplication.fromJSON(item);\n case ObjectType.AllowlistIdentifier:\n return AllowlistIdentifier.fromJSON(item);\n case ObjectType.Client:\n return Client.fromJSON(item);\n case ObjectType.Cookies:\n return Cookies.fromJSON(item);\n case ObjectType.EmailAddress:\n return EmailAddress.fromJSON(item);\n case ObjectType.Email:\n return Email.fromJSON(item);\n case ObjectType.Invitation:\n return Invitation.fromJSON(item);\n case ObjectType.OauthAccessToken:\n return OauthAccessToken.fromJSON(item);\n case ObjectType.Organization:\n return Organization.fromJSON(item);\n case ObjectType.OrganizationInvitation:\n return OrganizationInvitation.fromJSON(item);\n case ObjectType.OrganizationMembership:\n return OrganizationMembership.fromJSON(item);\n case ObjectType.PhoneNumber:\n return PhoneNumber.fromJSON(item);\n case ObjectType.RedirectUrl:\n return RedirectUrl.fromJSON(item);\n case ObjectType.SignInToken:\n return SignInToken.fromJSON(item);\n case ObjectType.Session:\n return Session.fromJSON(item);\n case ObjectType.SmsMessage:\n return SMSMessage.fromJSON(item);\n case ObjectType.Token:\n return Token.fromJSON(item);\n case ObjectType.TotalCount:\n return getCount(item);\n case ObjectType.User:\n return User.fromJSON(item);\n default:\n return item;\n }\n}\n","import {\n AccountlessApplicationAPI,\n AllowlistIdentifierAPI,\n ClientAPI,\n DomainAPI,\n EmailAddressAPI,\n InvitationAPI,\n OrganizationAPI,\n PhoneNumberAPI,\n RedirectUrlAPI,\n SamlConnectionAPI,\n SessionAPI,\n SignInTokenAPI,\n TestingTokenAPI,\n UserAPI,\n} from './endpoints';\nimport { buildRequest } from './request';\n\nexport type CreateBackendApiOptions = Parameters[0];\n\nexport type ApiClient = ReturnType;\n\nexport function createBackendApiClient(options: CreateBackendApiOptions) {\n const request = buildRequest(options);\n\n return {\n __experimental_accountlessApplications: new AccountlessApplicationAPI(\n buildRequest({ ...options, requireSecretKey: false }),\n ),\n allowlistIdentifiers: new AllowlistIdentifierAPI(request),\n clients: new ClientAPI(request),\n emailAddresses: new EmailAddressAPI(request),\n invitations: new InvitationAPI(request),\n organizations: new OrganizationAPI(request),\n phoneNumbers: new PhoneNumberAPI(request),\n redirectUrls: new RedirectUrlAPI(request),\n sessions: new SessionAPI(request),\n signInTokens: new SignInTokenAPI(request),\n users: new UserAPI(request),\n domains: new DomainAPI(request),\n samlConnections: new SamlConnectionAPI(request),\n testingTokens: new TestingTokenAPI(request),\n };\n}\n","import type { JwtReturnType } from './types';\n\n// TODO(dimkl): Will be probably be dropped in next major version\nexport function withLegacyReturn Promise>>(cb: T) {\n return async (...args: Parameters): Promise>['data']>> | never => {\n const { data, errors } = await cb(...args);\n if (errors) {\n throw errors[0];\n }\n return data;\n };\n}\n\n// TODO(dimkl): Will be probably be dropped in next major version\nexport function withLegacySyncReturn JwtReturnType>(cb: T) {\n return (...args: Parameters): NonNullable>['data']> | never => {\n const { data, errors } = cb(...args);\n if (errors) {\n throw errors[0];\n }\n return data;\n };\n}\n","export function mergePreDefinedOptions>(preDefinedOptions: T, options: Partial): T {\n return Object.keys(preDefinedOptions).reduce(\n (obj: T, key: string) => {\n return { ...obj, [key]: options[key] || obj[key] };\n },\n { ...preDefinedOptions },\n );\n}\n","import type { Match, MatchFunction } from '@clerk/shared/pathToRegexp';\nimport { match } from '@clerk/shared/pathToRegexp';\nimport type { JwtPayload } from '@clerk/types';\n\nimport { constants } from '../constants';\nimport type { TokenCarrier } from '../errors';\nimport { TokenVerificationError, TokenVerificationErrorReason } from '../errors';\nimport { decodeJwt } from '../jwt/verifyJwt';\nimport { assertValidSecretKey } from '../util/optionsAssertions';\nimport { isDevelopmentFromSecretKey } from '../util/shared';\nimport type { AuthenticateContext } from './authenticateContext';\nimport { createAuthenticateContext } from './authenticateContext';\nimport type { SignedInAuthObject } from './authObjects';\nimport type { HandshakeState, RequestState, SignedInState, SignedOutState } from './authStatus';\nimport { AuthErrorReason, handshake, signedIn, signedOut } from './authStatus';\nimport { createClerkRequest } from './clerkRequest';\nimport { getCookieName, getCookieValue } from './cookie';\nimport { verifyHandshakeToken } from './handshake';\nimport type { AuthenticateRequestOptions, OrganizationSyncOptions } from './types';\nimport { verifyToken } from './verify';\n\nexport const RefreshTokenErrorReason = {\n NonEligibleNoCookie: 'non-eligible-no-refresh-cookie',\n NonEligibleNonGet: 'non-eligible-non-get',\n InvalidSessionToken: 'invalid-session-token',\n MissingApiClient: 'missing-api-client',\n MissingSessionToken: 'missing-session-token',\n MissingRefreshToken: 'missing-refresh-token',\n ExpiredSessionTokenDecodeFailed: 'expired-session-token-decode-failed',\n ExpiredSessionTokenMissingSidClaim: 'expired-session-token-missing-sid-claim',\n FetchError: 'fetch-error',\n UnexpectedSDKError: 'unexpected-sdk-error',\n UnexpectedBAPIError: 'unexpected-bapi-error',\n} as const;\n\nfunction assertSignInUrlExists(signInUrl: string | undefined, key: string): asserts signInUrl is string {\n if (!signInUrl && isDevelopmentFromSecretKey(key)) {\n throw new Error(`Missing signInUrl. Pass a signInUrl for dev instances if an app is satellite`);\n }\n}\n\nfunction assertProxyUrlOrDomain(proxyUrlOrDomain: string | undefined) {\n if (!proxyUrlOrDomain) {\n throw new Error(`Missing domain and proxyUrl. A satellite application needs to specify a domain or a proxyUrl`);\n }\n}\n\nfunction assertSignInUrlFormatAndOrigin(_signInUrl: string, origin: string) {\n let signInUrl: URL;\n try {\n signInUrl = new URL(_signInUrl);\n } catch {\n throw new Error(`The signInUrl needs to have a absolute url format.`);\n }\n\n if (signInUrl.origin === origin) {\n throw new Error(`The signInUrl needs to be on a different origin than your satellite application.`);\n }\n}\n\n/**\n * Currently, a request is only eligible for a handshake if we can say it's *probably* a request for a document, not a fetch or some other exotic request.\n * This heuristic should give us a reliable enough signal for browsers that support `Sec-Fetch-Dest` and for those that don't.\n */\nfunction isRequestEligibleForHandshake(authenticateContext: { secFetchDest?: string; accept?: string }) {\n const { accept, secFetchDest } = authenticateContext;\n\n // NOTE: we could also check sec-fetch-mode === navigate here, but according to the spec, sec-fetch-dest: document should indicate that the request is the data of a user navigation.\n // Also, we check for 'iframe' because it's the value set when a doc request is made by an iframe.\n if (secFetchDest === 'document' || secFetchDest === 'iframe') {\n return true;\n }\n\n if (!secFetchDest && accept?.startsWith('text/html')) {\n return true;\n }\n\n return false;\n}\n\nfunction isRequestEligibleForRefresh(\n err: TokenVerificationError,\n authenticateContext: { refreshTokenInCookie?: string },\n request: Request,\n) {\n return (\n err.reason === TokenVerificationErrorReason.TokenExpired &&\n !!authenticateContext.refreshTokenInCookie &&\n request.method === 'GET'\n );\n}\n\nexport async function authenticateRequest(\n request: Request,\n options: AuthenticateRequestOptions,\n): Promise {\n const authenticateContext = await createAuthenticateContext(createClerkRequest(request), options);\n assertValidSecretKey(authenticateContext.secretKey);\n\n if (authenticateContext.isSatellite) {\n assertSignInUrlExists(authenticateContext.signInUrl, authenticateContext.secretKey);\n if (authenticateContext.signInUrl && authenticateContext.origin) {\n assertSignInUrlFormatAndOrigin(authenticateContext.signInUrl, authenticateContext.origin);\n }\n assertProxyUrlOrDomain(authenticateContext.proxyUrl || authenticateContext.domain);\n }\n\n // NOTE(izaak): compute regex matchers early for efficiency - they can be used multiple times.\n const organizationSyncTargetMatchers = computeOrganizationSyncTargetMatchers(options.organizationSyncOptions);\n\n function removeDevBrowserFromURL(url: URL) {\n const updatedURL = new URL(url);\n\n updatedURL.searchParams.delete(constants.QueryParameters.DevBrowser);\n // Remove legacy dev browser query param key to support local app with v5 using AP with v4\n updatedURL.searchParams.delete(constants.QueryParameters.LegacyDevBrowser);\n\n return updatedURL;\n }\n\n function buildRedirectToHandshake({ handshakeReason }: { handshakeReason: string }) {\n const redirectUrl = removeDevBrowserFromURL(authenticateContext.clerkUrl);\n const frontendApiNoProtocol = authenticateContext.frontendApi.replace(/http(s)?:\\/\\//, '');\n\n const url = new URL(`https://${frontendApiNoProtocol}/v1/client/handshake`);\n url.searchParams.append('redirect_url', redirectUrl?.href || '');\n url.searchParams.append(\n constants.QueryParameters.SuffixedCookies,\n authenticateContext.usesSuffixedCookies().toString(),\n );\n url.searchParams.append(constants.QueryParameters.HandshakeReason, handshakeReason);\n\n if (authenticateContext.instanceType === 'development' && authenticateContext.devBrowserToken) {\n url.searchParams.append(constants.QueryParameters.DevBrowser, authenticateContext.devBrowserToken);\n }\n\n const toActivate = getOrganizationSyncTarget(\n authenticateContext.clerkUrl,\n options.organizationSyncOptions,\n organizationSyncTargetMatchers,\n );\n if (toActivate) {\n const params = getOrganizationSyncQueryParams(toActivate);\n\n params.forEach((value, key) => {\n url.searchParams.append(key, value);\n });\n }\n\n return new Headers({ [constants.Headers.Location]: url.href });\n }\n\n async function resolveHandshake() {\n const headers = new Headers({\n 'Access-Control-Allow-Origin': 'null',\n 'Access-Control-Allow-Credentials': 'true',\n });\n\n const handshakePayload = await verifyHandshakeToken(authenticateContext.handshakeToken!, authenticateContext);\n const cookiesToSet = handshakePayload.handshake;\n\n let sessionToken = '';\n cookiesToSet.forEach((x: string) => {\n headers.append('Set-Cookie', x);\n if (getCookieName(x).startsWith(constants.Cookies.Session)) {\n sessionToken = getCookieValue(x);\n }\n });\n\n if (authenticateContext.instanceType === 'development') {\n const newUrl = new URL(authenticateContext.clerkUrl);\n newUrl.searchParams.delete(constants.QueryParameters.Handshake);\n newUrl.searchParams.delete(constants.QueryParameters.HandshakeHelp);\n headers.append(constants.Headers.Location, newUrl.toString());\n headers.set(constants.Headers.CacheControl, 'no-store');\n }\n\n if (sessionToken === '') {\n return signedOut(authenticateContext, AuthErrorReason.SessionTokenMissing, '', headers);\n }\n\n const { data, errors: [error] = [] } = await verifyToken(sessionToken, authenticateContext);\n if (data) {\n return signedIn(authenticateContext, data, headers, sessionToken);\n }\n\n if (\n authenticateContext.instanceType === 'development' &&\n (error?.reason === TokenVerificationErrorReason.TokenExpired ||\n error?.reason === TokenVerificationErrorReason.TokenNotActiveYet ||\n error?.reason === TokenVerificationErrorReason.TokenIatInTheFuture)\n ) {\n error.tokenCarrier = 'cookie';\n // This probably means we're dealing with clock skew\n console.error(\n `Clerk: Clock skew detected. This usually means that your system clock is inaccurate. Clerk will attempt to account for the clock skew in development.\n\nTo resolve this issue, make sure your system's clock is set to the correct time (e.g. turn off and on automatic time synchronization).\n\n---\n\n${error.getFullMessage()}`,\n );\n\n // Retry with a generous clock skew allowance (1 day)\n const { data: retryResult, errors: [retryError] = [] } = await verifyToken(sessionToken, {\n ...authenticateContext,\n clockSkewInMs: 86_400_000,\n });\n if (retryResult) {\n return signedIn(authenticateContext, retryResult, headers, sessionToken);\n }\n\n throw new Error(retryError?.message || 'Clerk: Handshake retry failed.');\n }\n\n throw new Error(error?.message || 'Clerk: Handshake failed.');\n }\n\n async function refreshToken(\n authenticateContext: AuthenticateContext,\n ): Promise<{ data: string[]; error: null } | { data: null; error: any }> {\n // To perform a token refresh, apiClient must be defined.\n if (!options.apiClient) {\n return {\n data: null,\n error: {\n message: 'An apiClient is needed to perform token refresh.',\n cause: { reason: RefreshTokenErrorReason.MissingApiClient },\n },\n };\n }\n const { sessionToken: expiredSessionToken, refreshTokenInCookie: refreshToken } = authenticateContext;\n if (!expiredSessionToken) {\n return {\n data: null,\n error: {\n message: 'Session token must be provided.',\n cause: { reason: RefreshTokenErrorReason.MissingSessionToken },\n },\n };\n }\n if (!refreshToken) {\n return {\n data: null,\n error: {\n message: 'Refresh token must be provided.',\n cause: { reason: RefreshTokenErrorReason.MissingRefreshToken },\n },\n };\n }\n // The token refresh endpoint requires a sessionId, so we decode that from the expired token.\n const { data: decodeResult, errors: decodedErrors } = decodeJwt(expiredSessionToken);\n if (!decodeResult || decodedErrors) {\n return {\n data: null,\n error: {\n message: 'Unable to decode the expired session token.',\n cause: { reason: RefreshTokenErrorReason.ExpiredSessionTokenDecodeFailed, errors: decodedErrors },\n },\n };\n }\n\n if (!decodeResult?.payload?.sid) {\n return {\n data: null,\n error: {\n message: 'Expired session token is missing the `sid` claim.',\n cause: { reason: RefreshTokenErrorReason.ExpiredSessionTokenMissingSidClaim },\n },\n };\n }\n\n try {\n // Perform the actual token refresh.\n const response = await options.apiClient.sessions.refreshSession(decodeResult.payload.sid, {\n format: 'cookie',\n suffixed_cookies: authenticateContext.usesSuffixedCookies(),\n expired_token: expiredSessionToken || '',\n refresh_token: refreshToken || '',\n request_origin: authenticateContext.clerkUrl.origin,\n // The refresh endpoint expects headers as Record, so we need to transform it.\n request_headers: Object.fromEntries(Array.from(request.headers.entries()).map(([k, v]) => [k, [v]])),\n });\n return { data: response.cookies, error: null };\n } catch (err: any) {\n if (err?.errors?.length) {\n if (err.errors[0].code === 'unexpected_error') {\n return {\n data: null,\n error: {\n message: `Fetch unexpected error`,\n cause: { reason: RefreshTokenErrorReason.FetchError, errors: err.errors },\n },\n };\n }\n return {\n data: null,\n error: {\n message: err.errors[0].code,\n cause: { reason: err.errors[0].code, errors: err.errors },\n },\n };\n } else {\n return {\n data: null,\n error: {\n message: `Unexpected Server/BAPI error`,\n cause: { reason: RefreshTokenErrorReason.UnexpectedBAPIError, errors: [err] },\n },\n };\n }\n }\n }\n\n async function attemptRefresh(\n authenticateContext: AuthenticateContext,\n ): Promise<\n | { data: { jwtPayload: JwtPayload; sessionToken: string; headers: Headers }; error: null }\n | { data: null; error: any }\n > {\n const { data: cookiesToSet, error } = await refreshToken(authenticateContext);\n if (!cookiesToSet || cookiesToSet.length === 0) {\n return { data: null, error };\n }\n\n const headers = new Headers();\n let sessionToken = '';\n cookiesToSet.forEach((x: string) => {\n headers.append('Set-Cookie', x);\n if (getCookieName(x).startsWith(constants.Cookies.Session)) {\n sessionToken = getCookieValue(x);\n }\n });\n\n // Since we're going to return a signedIn response, we need to decode the data from the new sessionToken.\n const { data: jwtPayload, errors } = await verifyToken(sessionToken, authenticateContext);\n if (errors) {\n return {\n data: null,\n error: {\n message: `Clerk: unable to verify refreshed session token.`,\n cause: { reason: RefreshTokenErrorReason.InvalidSessionToken, errors },\n },\n };\n }\n return { data: { jwtPayload, sessionToken, headers }, error: null };\n }\n\n function handleMaybeHandshakeStatus(\n authenticateContext: AuthenticateContext,\n reason: string,\n message: string,\n headers?: Headers,\n ): SignedInState | SignedOutState | HandshakeState {\n if (isRequestEligibleForHandshake(authenticateContext)) {\n // Right now the only usage of passing in different headers is for multi-domain sync, which redirects somewhere else.\n // In the future if we want to decorate the handshake redirect with additional headers per call we need to tweak this logic.\n const handshakeHeaders = headers ?? buildRedirectToHandshake({ handshakeReason: reason });\n\n // Chrome aggressively caches inactive tabs. If we don't set the header here,\n // all 307 redirects will be cached and the handshake will end up in an infinite loop.\n if (handshakeHeaders.get(constants.Headers.Location)) {\n handshakeHeaders.set(constants.Headers.CacheControl, 'no-store');\n }\n\n // Introduce the mechanism to protect for infinite handshake redirect loops\n // using a cookie and returning true if it's infinite redirect loop or false if we can\n // proceed with triggering handshake.\n const isRedirectLoop = setHandshakeInfiniteRedirectionLoopHeaders(handshakeHeaders);\n if (isRedirectLoop) {\n const msg = `Clerk: Refreshing the session token resulted in an infinite redirect loop. This usually means that your Clerk instance keys do not match - make sure to copy the correct publishable and secret keys from the Clerk dashboard.`;\n console.log(msg);\n return signedOut(authenticateContext, reason, message);\n }\n\n return handshake(authenticateContext, reason, message, handshakeHeaders);\n }\n\n return signedOut(authenticateContext, reason, message);\n }\n\n /**\n * Determines if a handshake must occur to resolve a mismatch between the organization as specified\n * by the URL (according to the options) and the actual active organization on the session.\n *\n * @returns {HandshakeState | SignedOutState | null} - The function can return the following:\n * - {HandshakeState}: If a handshake is needed to resolve the mismatched organization.\n * - {SignedOutState}: If a handshake is required but cannot be performed.\n * - {null}: If no action is required.\n */\n function handleMaybeOrganizationSyncHandshake(\n authenticateContext: AuthenticateContext,\n auth: SignedInAuthObject,\n ): HandshakeState | SignedOutState | null {\n const organizationSyncTarget = getOrganizationSyncTarget(\n authenticateContext.clerkUrl,\n options.organizationSyncOptions,\n organizationSyncTargetMatchers,\n );\n if (!organizationSyncTarget) {\n return null;\n }\n let mustActivate = false;\n if (organizationSyncTarget.type === 'organization') {\n // Activate an org by slug?\n if (organizationSyncTarget.organizationSlug && organizationSyncTarget.organizationSlug !== auth.orgSlug) {\n mustActivate = true;\n }\n // Activate an org by ID?\n if (organizationSyncTarget.organizationId && organizationSyncTarget.organizationId !== auth.orgId) {\n mustActivate = true;\n }\n }\n // Activate the personal account?\n if (organizationSyncTarget.type === 'personalAccount' && auth.orgId) {\n mustActivate = true;\n }\n if (!mustActivate) {\n return null;\n }\n if (authenticateContext.handshakeRedirectLoopCounter > 0) {\n // We have an organization that needs to be activated, but this isn't our first time redirecting.\n // This is because we attempted to activate the organization previously, but the organization\n // must not have been valid (either not found, or not valid for this user), and gave us back\n // a null organization. We won't re-try the handshake, and leave it to the server component to handle.\n console.warn(\n 'Clerk: Organization activation handshake loop detected. This is likely due to an invalid organization ID or slug. Skipping organization activation.',\n );\n return null;\n }\n const handshakeState = handleMaybeHandshakeStatus(\n authenticateContext,\n AuthErrorReason.ActiveOrganizationMismatch,\n '',\n );\n if (handshakeState.status !== 'handshake') {\n // Currently, this is only possible if we're in a redirect loop, but the above check should guard against that.\n return null;\n }\n return handshakeState;\n }\n\n async function authenticateRequestWithTokenInHeader() {\n const { sessionTokenInHeader } = authenticateContext;\n\n try {\n const { data, errors } = await verifyToken(sessionTokenInHeader!, authenticateContext);\n if (errors) {\n throw errors[0];\n }\n // use `await` to force this try/catch handle the signedIn invocation\n return signedIn(authenticateContext, data, undefined, sessionTokenInHeader!);\n } catch (err) {\n return handleError(err, 'header');\n }\n }\n\n // We want to prevent infinite handshake redirection loops.\n // We incrementally set a `__clerk_redirection_loop` cookie, and when it loops 3 times, we throw an error.\n // We also utilize the `referer` header to skip the prefetch requests.\n function setHandshakeInfiniteRedirectionLoopHeaders(headers: Headers): boolean {\n if (authenticateContext.handshakeRedirectLoopCounter === 3) {\n return true;\n }\n\n const newCounterValue = authenticateContext.handshakeRedirectLoopCounter + 1;\n const cookieName = constants.Cookies.RedirectCount;\n headers.append('Set-Cookie', `${cookieName}=${newCounterValue}; SameSite=Lax; HttpOnly; Max-Age=3`);\n return false;\n }\n\n function handleHandshakeTokenVerificationErrorInDevelopment(error: TokenVerificationError) {\n // In development, the handshake token is being transferred in the URL as a query parameter, so there is no\n // possibility of collision with a handshake token of another app running on the same local domain\n // (etc one app on localhost:3000 and one on localhost:3001).\n // Therefore, if the handshake token is invalid, it is likely that the user has switched Clerk keys locally.\n // We make sure to throw a descriptive error message and then stop the handshake flow in every case,\n // to avoid the possibility of an infinite loop.\n if (error.reason === TokenVerificationErrorReason.TokenInvalidSignature) {\n const msg = `Clerk: Handshake token verification failed due to an invalid signature. If you have switched Clerk keys locally, clear your cookies and try again.`;\n throw new Error(msg);\n }\n throw new Error(`Clerk: Handshake token verification failed: ${error.getFullMessage()}.`);\n }\n\n async function authenticateRequestWithTokenInCookie() {\n const hasActiveClient = authenticateContext.clientUat;\n const hasSessionToken = !!authenticateContext.sessionTokenInCookie;\n const hasDevBrowserToken = !!authenticateContext.devBrowserToken;\n\n /**\n * If we have a handshakeToken, resolve the handshake and attempt to return a definitive signed in or signed out state.\n */\n if (authenticateContext.handshakeToken) {\n try {\n return await resolveHandshake();\n } catch (error) {\n // In production, the handshake token is being transferred as a cookie, so there is a possibility of collision\n // with a handshake token of another app running on the same etld+1 domain.\n // For example, if one app is running on sub1.clerk.com and another on sub2.clerk.com, the handshake token\n // cookie for both apps will be set on etld+1 (clerk.com) so there's a possibility that one app will accidentally\n // use the handshake token of a different app during the handshake flow.\n // In this scenario, verification will fail with TokenInvalidSignature. In contrast to the development case,\n // we need to allow the flow to continue so the app eventually retries another handshake with the correct token.\n // We need to make sure, however, that we don't allow the flow to continue indefinitely, so we throw an error after X\n // retries to avoid an infinite loop. An infinite loop can happen if the customer switched Clerk keys for their prod app.\n\n // Check the handleHandshakeTokenVerificationErrorInDevelopment function for the development case.\n if (error instanceof TokenVerificationError && authenticateContext.instanceType === 'development') {\n handleHandshakeTokenVerificationErrorInDevelopment(error);\n } else {\n console.error('Clerk: unable to resolve handshake:', error);\n }\n }\n }\n /**\n * Otherwise, check for \"known unknown\" auth states that we can resolve with a handshake.\n */\n if (\n authenticateContext.instanceType === 'development' &&\n authenticateContext.clerkUrl.searchParams.has(constants.QueryParameters.DevBrowser)\n ) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.DevBrowserSync, '');\n }\n\n const isRequestEligibleForMultiDomainSync =\n authenticateContext.isSatellite && authenticateContext.secFetchDest === 'document';\n\n /**\n * Begin multi-domain sync flows\n */\n if (authenticateContext.instanceType === 'production' && isRequestEligibleForMultiDomainSync) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SatelliteCookieNeedsSyncing, '');\n }\n\n // Multi-domain development sync flow\n if (\n authenticateContext.instanceType === 'development' &&\n isRequestEligibleForMultiDomainSync &&\n !authenticateContext.clerkUrl.searchParams.has(constants.QueryParameters.ClerkSynced)\n ) {\n // initiate MD sync\n\n // signInUrl exists, checked at the top of `authenticateRequest`\n const redirectURL = new URL(authenticateContext.signInUrl!);\n redirectURL.searchParams.append(\n constants.QueryParameters.ClerkRedirectUrl,\n authenticateContext.clerkUrl.toString(),\n );\n const headers = new Headers({ [constants.Headers.Location]: redirectURL.toString() });\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SatelliteCookieNeedsSyncing, '', headers);\n }\n\n // Multi-domain development sync flow\n const redirectUrl = new URL(authenticateContext.clerkUrl).searchParams.get(\n constants.QueryParameters.ClerkRedirectUrl,\n );\n\n if (authenticateContext.instanceType === 'development' && !authenticateContext.isSatellite && redirectUrl) {\n // Dev MD sync from primary, redirect back to satellite w/ dev browser query param\n const redirectBackToSatelliteUrl = new URL(redirectUrl);\n\n if (authenticateContext.devBrowserToken) {\n redirectBackToSatelliteUrl.searchParams.append(\n constants.QueryParameters.DevBrowser,\n authenticateContext.devBrowserToken,\n );\n }\n redirectBackToSatelliteUrl.searchParams.append(constants.QueryParameters.ClerkSynced, 'true');\n\n const headers = new Headers({ [constants.Headers.Location]: redirectBackToSatelliteUrl.toString() });\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.PrimaryRespondsToSyncing, '', headers);\n }\n /**\n * End multi-domain sync flows\n */\n\n if (authenticateContext.instanceType === 'development' && !hasDevBrowserToken) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.DevBrowserMissing, '');\n }\n\n if (!hasActiveClient && !hasSessionToken) {\n return signedOut(authenticateContext, AuthErrorReason.SessionTokenAndUATMissing, '');\n }\n\n // This can eagerly run handshake since client_uat is SameSite=Strict in dev\n if (!hasActiveClient && hasSessionToken) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SessionTokenWithoutClientUAT, '');\n }\n\n if (hasActiveClient && !hasSessionToken) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.ClientUATWithoutSessionToken, '');\n }\n\n const { data: decodeResult, errors: decodedErrors } = decodeJwt(authenticateContext.sessionTokenInCookie!);\n\n if (decodedErrors) {\n return handleError(decodedErrors[0], 'cookie');\n }\n\n if (decodeResult.payload.iat < authenticateContext.clientUat) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SessionTokenIATBeforeClientUAT, '');\n }\n\n try {\n const { data, errors } = await verifyToken(authenticateContext.sessionTokenInCookie!, authenticateContext);\n if (errors) {\n throw errors[0];\n }\n const signedInRequestState = signedIn(\n authenticateContext,\n data,\n undefined,\n authenticateContext.sessionTokenInCookie!,\n );\n\n // Org sync if necessary\n const handshakeRequestState = handleMaybeOrganizationSyncHandshake(\n authenticateContext,\n signedInRequestState.toAuth(),\n );\n if (handshakeRequestState) {\n return handshakeRequestState;\n }\n\n return signedInRequestState;\n } catch (err) {\n return handleError(err, 'cookie');\n }\n\n return signedOut(authenticateContext, AuthErrorReason.UnexpectedError);\n }\n\n async function handleError(\n err: unknown,\n tokenCarrier: TokenCarrier,\n ): Promise {\n if (!(err instanceof TokenVerificationError)) {\n return signedOut(authenticateContext, AuthErrorReason.UnexpectedError);\n }\n\n let refreshError: string | null;\n\n if (isRequestEligibleForRefresh(err, authenticateContext, request)) {\n const { data, error } = await attemptRefresh(authenticateContext);\n if (data) {\n return signedIn(authenticateContext, data.jwtPayload, data.headers, data.sessionToken);\n }\n\n // If there's any error, simply fallback to the handshake flow including the reason as a query parameter.\n if (error?.cause?.reason) {\n refreshError = error.cause.reason;\n } else {\n refreshError = RefreshTokenErrorReason.UnexpectedSDKError;\n }\n } else {\n if (request.method !== 'GET') {\n refreshError = RefreshTokenErrorReason.NonEligibleNonGet;\n } else if (!authenticateContext.refreshTokenInCookie) {\n refreshError = RefreshTokenErrorReason.NonEligibleNoCookie;\n } else {\n //refresh error is not applicable if token verification error is not 'session-token-expired'\n refreshError = null;\n }\n }\n\n err.tokenCarrier = tokenCarrier;\n\n const reasonToHandshake = [\n TokenVerificationErrorReason.TokenExpired,\n TokenVerificationErrorReason.TokenNotActiveYet,\n TokenVerificationErrorReason.TokenIatInTheFuture,\n ].includes(err.reason);\n\n if (reasonToHandshake) {\n return handleMaybeHandshakeStatus(\n authenticateContext,\n convertTokenVerificationErrorReasonToAuthErrorReason({ tokenError: err.reason, refreshError }),\n err.getFullMessage(),\n );\n }\n\n return signedOut(authenticateContext, err.reason, err.getFullMessage());\n }\n\n if (authenticateContext.sessionTokenInHeader) {\n return authenticateRequestWithTokenInHeader();\n }\n\n return authenticateRequestWithTokenInCookie();\n}\n\n/**\n * @internal\n */\nexport const debugRequestState = (params: RequestState) => {\n const { isSignedIn, proxyUrl, reason, message, publishableKey, isSatellite, domain } = params;\n return { isSignedIn, proxyUrl, reason, message, publishableKey, isSatellite, domain };\n};\n\ntype OrganizationSyncTargetMatchers = {\n OrganizationMatcher: MatchFunction>> | null;\n PersonalAccountMatcher: MatchFunction>> | null;\n};\n\n/**\n * Computes regex-based matchers from the given organization sync options.\n */\nexport function computeOrganizationSyncTargetMatchers(\n options: OrganizationSyncOptions | undefined,\n): OrganizationSyncTargetMatchers {\n let personalAccountMatcher: MatchFunction>> | null = null;\n if (options?.personalAccountPatterns) {\n try {\n personalAccountMatcher = match(options.personalAccountPatterns);\n } catch (e) {\n // Likely to be encountered during development, so throwing the error is more prudent than logging\n throw new Error(`Invalid personal account pattern \"${options.personalAccountPatterns}\": \"${e}\"`);\n }\n }\n\n let organizationMatcher: MatchFunction>> | null = null;\n if (options?.organizationPatterns) {\n try {\n organizationMatcher = match(options.organizationPatterns);\n } catch (e) {\n // Likely to be encountered during development, so throwing the error is more prudent than logging\n throw new Error(`Clerk: Invalid organization pattern \"${options.organizationPatterns}\": \"${e}\"`);\n }\n }\n\n return {\n OrganizationMatcher: organizationMatcher,\n PersonalAccountMatcher: personalAccountMatcher,\n };\n}\n\n/**\n * Determines if the given URL and settings indicate a desire to activate a specific\n * organization or personal account.\n *\n * @param url - The URL of the original request.\n * @param options - The organization sync options.\n * @param matchers - The matchers for the organization and personal account patterns, as generated by `computeOrganizationSyncTargetMatchers`.\n */\nexport function getOrganizationSyncTarget(\n url: URL,\n options: OrganizationSyncOptions | undefined,\n matchers: OrganizationSyncTargetMatchers,\n): OrganizationSyncTarget | null {\n if (!options) {\n return null;\n }\n\n // Check for organization activation\n if (matchers.OrganizationMatcher) {\n let orgResult: Match>>;\n try {\n orgResult = matchers.OrganizationMatcher(url.pathname);\n } catch (e) {\n // Intentionally not logging the path to avoid potentially leaking anything sensitive\n console.error(`Clerk: Failed to apply organization pattern \"${options.organizationPatterns}\" to a path`, e);\n return null;\n }\n\n if (orgResult && 'params' in orgResult) {\n const params = orgResult.params;\n\n if ('id' in params && typeof params.id === 'string') {\n return { type: 'organization', organizationId: params.id };\n }\n if ('slug' in params && typeof params.slug === 'string') {\n return { type: 'organization', organizationSlug: params.slug };\n }\n console.warn(\n 'Clerk: Detected an organization pattern match, but no organization ID or slug was found in the URL. Does the pattern include `:id` or `:slug`?',\n );\n }\n }\n\n // Check for personal account activation\n if (matchers.PersonalAccountMatcher) {\n let personalResult: Match>>;\n try {\n personalResult = matchers.PersonalAccountMatcher(url.pathname);\n } catch (e) {\n // Intentionally not logging the path to avoid potentially leaking anything sensitive\n console.error(`Failed to apply personal account pattern \"${options.personalAccountPatterns}\" to a path`, e);\n return null;\n }\n\n if (personalResult) {\n return { type: 'personalAccount' };\n }\n }\n return null;\n}\n\n/**\n * Represents an organization or a personal account - e.g. an\n * entity that can be activated by the handshake API.\n */\nexport type OrganizationSyncTarget =\n | { type: 'personalAccount' }\n | { type: 'organization'; organizationId?: string; organizationSlug?: string };\n\n/**\n * Generates the query parameters to activate an organization or personal account\n * via the FAPI handshake api.\n */\nfunction getOrganizationSyncQueryParams(toActivate: OrganizationSyncTarget): Map {\n const ret = new Map();\n if (toActivate.type === 'personalAccount') {\n ret.set('organization_id', '');\n }\n if (toActivate.type === 'organization') {\n if (toActivate.organizationId) {\n ret.set('organization_id', toActivate.organizationId);\n }\n if (toActivate.organizationSlug) {\n ret.set('organization_id', toActivate.organizationSlug);\n }\n }\n return ret;\n}\n\nconst convertTokenVerificationErrorReasonToAuthErrorReason = ({\n tokenError,\n refreshError,\n}: {\n tokenError: TokenVerificationErrorReason;\n refreshError: string | null;\n}): string => {\n switch (tokenError) {\n case TokenVerificationErrorReason.TokenExpired:\n return `${AuthErrorReason.SessionTokenExpired}-refresh-${refreshError}`;\n case TokenVerificationErrorReason.TokenNotActiveYet:\n return AuthErrorReason.SessionTokenNBF;\n case TokenVerificationErrorReason.TokenIatInTheFuture:\n return AuthErrorReason.SessionTokenIatInTheFuture;\n default:\n return AuthErrorReason.UnexpectedError;\n }\n};\n","export type TokenCarrier = 'header' | 'cookie';\n\nexport const TokenVerificationErrorCode = {\n InvalidSecretKey: 'clerk_key_invalid',\n};\n\nexport type TokenVerificationErrorCode = (typeof TokenVerificationErrorCode)[keyof typeof TokenVerificationErrorCode];\n\nexport const TokenVerificationErrorReason = {\n TokenExpired: 'token-expired',\n TokenInvalid: 'token-invalid',\n TokenInvalidAlgorithm: 'token-invalid-algorithm',\n TokenInvalidAuthorizedParties: 'token-invalid-authorized-parties',\n TokenInvalidSignature: 'token-invalid-signature',\n TokenNotActiveYet: 'token-not-active-yet',\n TokenIatInTheFuture: 'token-iat-in-the-future',\n TokenVerificationFailed: 'token-verification-failed',\n InvalidSecretKey: 'secret-key-invalid',\n LocalJWKMissing: 'jwk-local-missing',\n RemoteJWKFailedToLoad: 'jwk-remote-failed-to-load',\n RemoteJWKInvalid: 'jwk-remote-invalid',\n RemoteJWKMissing: 'jwk-remote-missing',\n JWKFailedToResolve: 'jwk-failed-to-resolve',\n JWKKidMismatch: 'jwk-kid-mismatch',\n};\n\nexport type TokenVerificationErrorReason =\n (typeof TokenVerificationErrorReason)[keyof typeof TokenVerificationErrorReason];\n\nexport const TokenVerificationErrorAction = {\n ContactSupport: 'Contact support@clerk.com',\n EnsureClerkJWT: 'Make sure that this is a valid Clerk generate JWT.',\n SetClerkJWTKey: 'Set the CLERK_JWT_KEY environment variable.',\n SetClerkSecretKey: 'Set the CLERK_SECRET_KEY environment variable.',\n EnsureClockSync: 'Make sure your system clock is in sync (e.g. turn off and on automatic time synchronization).',\n};\n\nexport type TokenVerificationErrorAction =\n (typeof TokenVerificationErrorAction)[keyof typeof TokenVerificationErrorAction];\n\nexport class TokenVerificationError extends Error {\n action?: TokenVerificationErrorAction;\n reason: TokenVerificationErrorReason;\n tokenCarrier?: TokenCarrier;\n\n constructor({\n action,\n message,\n reason,\n }: {\n action?: TokenVerificationErrorAction;\n message: string;\n reason: TokenVerificationErrorReason;\n }) {\n super(message);\n\n Object.setPrototypeOf(this, TokenVerificationError.prototype);\n\n this.reason = reason;\n this.message = message;\n this.action = action;\n }\n\n public getFullMessage() {\n return `${[this.message, this.action].filter(m => m).join(' ')} (reason=${this.reason}, token-carrier=${\n this.tokenCarrier\n })`;\n }\n}\n\nexport class SignJWTError extends Error {}\n","/**\n * The base64url helper was extracted from the rfc4648 package\n * in order to resolve CSJ/ESM interoperability issues\n *\n * https://github.com/swansontec/rfc4648.js\n *\n * For more context please refer to:\n * - https://github.com/evanw/esbuild/issues/1719\n * - https://github.com/evanw/esbuild/issues/532\n * - https://github.com/swansontec/rollup-plugin-mjs-entry\n */\nexport const base64url = {\n parse(string: string, opts?: ParseOptions): Uint8Array {\n return parse(string, base64UrlEncoding, opts);\n },\n\n stringify(data: ArrayLike, opts?: StringifyOptions): string {\n return stringify(data, base64UrlEncoding, opts);\n },\n};\n\nconst base64UrlEncoding: Encoding = {\n chars: 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_',\n bits: 6,\n};\n\ninterface Encoding {\n bits: number;\n chars: string;\n codes?: { [char: string]: number };\n}\n\ninterface ParseOptions {\n loose?: boolean;\n out?: new (size: number) => { [index: number]: number };\n}\n\ninterface StringifyOptions {\n pad?: boolean;\n}\n\nfunction parse(string: string, encoding: Encoding, opts: ParseOptions = {}): Uint8Array {\n // Build the character lookup table:\n if (!encoding.codes) {\n encoding.codes = {};\n for (let i = 0; i < encoding.chars.length; ++i) {\n encoding.codes[encoding.chars[i]] = i;\n }\n }\n\n // The string must have a whole number of bytes:\n if (!opts.loose && (string.length * encoding.bits) & 7) {\n throw new SyntaxError('Invalid padding');\n }\n\n // Count the padding bytes:\n let end = string.length;\n while (string[end - 1] === '=') {\n --end;\n\n // If we get a whole number of bytes, there is too much padding:\n if (!opts.loose && !(((string.length - end) * encoding.bits) & 7)) {\n throw new SyntaxError('Invalid padding');\n }\n }\n\n // Allocate the output:\n const out = new (opts.out ?? Uint8Array)(((end * encoding.bits) / 8) | 0) as Uint8Array;\n\n // Parse the data:\n let bits = 0; // Number of bits currently in the buffer\n let buffer = 0; // Bits waiting to be written out, MSB first\n let written = 0; // Next byte to write\n for (let i = 0; i < end; ++i) {\n // Read one character from the string:\n const value = encoding.codes[string[i]];\n if (value === undefined) {\n throw new SyntaxError('Invalid character ' + string[i]);\n }\n\n // Append the bits to the buffer:\n buffer = (buffer << encoding.bits) | value;\n bits += encoding.bits;\n\n // Write out some bits if the buffer has a byte's worth:\n if (bits >= 8) {\n bits -= 8;\n out[written++] = 0xff & (buffer >> bits);\n }\n }\n\n // Verify that we have received just enough bits:\n if (bits >= encoding.bits || 0xff & (buffer << (8 - bits))) {\n throw new SyntaxError('Unexpected end of data');\n }\n\n return out;\n}\n\nfunction stringify(data: ArrayLike, encoding: Encoding, opts: StringifyOptions = {}): string {\n const { pad = true } = opts;\n const mask = (1 << encoding.bits) - 1;\n let out = '';\n\n let bits = 0; // Number of bits currently in the buffer\n let buffer = 0; // Bits waiting to be written out, MSB first\n for (let i = 0; i < data.length; ++i) {\n // Slurp data into the buffer:\n buffer = (buffer << 8) | (0xff & data[i]);\n bits += 8;\n\n // Write out as much as we can:\n while (bits > encoding.bits) {\n bits -= encoding.bits;\n out += encoding.chars[mask & (buffer >> bits)];\n }\n }\n\n // Partial character:\n if (bits) {\n out += encoding.chars[mask & (buffer << (encoding.bits - bits))];\n }\n\n // Add padding characters until we hit a byte boundary:\n if (pad) {\n while ((out.length * encoding.bits) & 7) {\n out += '=';\n }\n }\n\n return out;\n}\n","const algToHash: Record = {\n RS256: 'SHA-256',\n RS384: 'SHA-384',\n RS512: 'SHA-512',\n};\nconst RSA_ALGORITHM_NAME = 'RSASSA-PKCS1-v1_5';\n\nconst jwksAlgToCryptoAlg: Record = {\n RS256: RSA_ALGORITHM_NAME,\n RS384: RSA_ALGORITHM_NAME,\n RS512: RSA_ALGORITHM_NAME,\n};\n\nexport const algs = Object.keys(algToHash);\n\nexport function getCryptoAlgorithm(algorithmName: string): RsaHashedImportParams {\n const hash = algToHash[algorithmName];\n const name = jwksAlgToCryptoAlg[algorithmName];\n\n if (!hash || !name) {\n throw new Error(`Unsupported algorithm ${algorithmName}, expected one of ${algs.join(',')}.`);\n }\n\n return {\n hash: { name: algToHash[algorithmName] },\n name: jwksAlgToCryptoAlg[algorithmName],\n };\n}\n","import { TokenVerificationError, TokenVerificationErrorAction, TokenVerificationErrorReason } from '../errors';\nimport { algs } from './algorithms';\n\nexport type IssuerResolver = string | ((iss: string) => boolean);\n\nconst isArrayString = (s: unknown): s is string[] => {\n return Array.isArray(s) && s.length > 0 && s.every(a => typeof a === 'string');\n};\n\nexport const assertAudienceClaim = (aud?: unknown, audience?: unknown) => {\n const audienceList = [audience].flat().filter(a => !!a);\n const audList = [aud].flat().filter(a => !!a);\n const shouldVerifyAudience = audienceList.length > 0 && audList.length > 0;\n\n if (!shouldVerifyAudience) {\n // Notice: Clerk JWTs use AZP claim instead of Audience\n //\n // return {\n // valid: false,\n // reason: `Invalid JWT audience claim (aud) ${JSON.stringify(\n // aud,\n // )}. Expected a string or a non-empty array of strings.`,\n // };\n return;\n }\n\n if (typeof aud === 'string') {\n if (!audienceList.includes(aud)) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT audience claim (aud) ${JSON.stringify(aud)}. Is not included in \"${JSON.stringify(\n audienceList,\n )}\".`,\n });\n }\n } else if (isArrayString(aud)) {\n if (!aud.some(a => audienceList.includes(a))) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT audience claim array (aud) ${JSON.stringify(aud)}. Is not included in \"${JSON.stringify(\n audienceList,\n )}\".`,\n });\n }\n }\n};\n\nexport const assertHeaderType = (typ?: unknown) => {\n if (typeof typ === 'undefined') {\n return;\n }\n\n if (typ !== 'JWT') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenInvalid,\n message: `Invalid JWT type ${JSON.stringify(typ)}. Expected \"JWT\".`,\n });\n }\n};\n\nexport const assertHeaderAlgorithm = (alg: string) => {\n if (!algs.includes(alg)) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenInvalidAlgorithm,\n message: `Invalid JWT algorithm ${JSON.stringify(alg)}. Supported: ${algs}.`,\n });\n }\n};\n\nexport const assertSubClaim = (sub?: string) => {\n if (typeof sub !== 'string') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Subject claim (sub) is required and must be a string. Received ${JSON.stringify(sub)}.`,\n });\n }\n};\n\nexport const assertAuthorizedPartiesClaim = (azp?: string, authorizedParties?: string[]) => {\n if (!azp || !authorizedParties || authorizedParties.length === 0) {\n return;\n }\n\n if (!authorizedParties.includes(azp)) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalidAuthorizedParties,\n message: `Invalid JWT Authorized party claim (azp) ${JSON.stringify(azp)}. Expected \"${authorizedParties}\".`,\n });\n }\n};\n\nexport const assertExpirationClaim = (exp: number, clockSkewInMs: number) => {\n if (typeof exp !== 'number') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT expiry date claim (exp) ${JSON.stringify(exp)}. Expected number.`,\n });\n }\n\n const currentDate = new Date(Date.now());\n const expiryDate = new Date(0);\n expiryDate.setUTCSeconds(exp);\n\n const expired = expiryDate.getTime() <= currentDate.getTime() - clockSkewInMs;\n if (expired) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenExpired,\n message: `JWT is expired. Expiry date: ${expiryDate.toUTCString()}, Current date: ${currentDate.toUTCString()}.`,\n });\n }\n};\n\nexport const assertActivationClaim = (nbf: number | undefined, clockSkewInMs: number) => {\n if (typeof nbf === 'undefined') {\n return;\n }\n\n if (typeof nbf !== 'number') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT not before date claim (nbf) ${JSON.stringify(nbf)}. Expected number.`,\n });\n }\n\n const currentDate = new Date(Date.now());\n const notBeforeDate = new Date(0);\n notBeforeDate.setUTCSeconds(nbf);\n\n const early = notBeforeDate.getTime() > currentDate.getTime() + clockSkewInMs;\n if (early) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenNotActiveYet,\n message: `JWT cannot be used prior to not before date claim (nbf). Not before date: ${notBeforeDate.toUTCString()}; Current date: ${currentDate.toUTCString()};`,\n });\n }\n};\n\nexport const assertIssuedAtClaim = (iat: number | undefined, clockSkewInMs: number) => {\n if (typeof iat === 'undefined') {\n return;\n }\n\n if (typeof iat !== 'number') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT issued at date claim (iat) ${JSON.stringify(iat)}. Expected number.`,\n });\n }\n\n const currentDate = new Date(Date.now());\n const issuedAtDate = new Date(0);\n issuedAtDate.setUTCSeconds(iat);\n\n const postIssued = issuedAtDate.getTime() > currentDate.getTime() + clockSkewInMs;\n if (postIssued) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenIatInTheFuture,\n message: `JWT issued at date claim (iat) is in the future. Issued at date: ${issuedAtDate.toUTCString()}; Current date: ${currentDate.toUTCString()};`,\n });\n }\n};\n","import { isomorphicAtob } from '@clerk/shared/isomorphicAtob';\n\nimport { runtime } from '../runtime';\n\n// https://developer.mozilla.org/en-US/docs/Web/API/SubtleCrypto/importKey#pkcs_8_import\nfunction pemToBuffer(secret: string): ArrayBuffer {\n const trimmed = secret\n .replace(/-----BEGIN.*?-----/g, '')\n .replace(/-----END.*?-----/g, '')\n .replace(/\\s/g, '');\n\n const decoded = isomorphicAtob(trimmed);\n\n const buffer = new ArrayBuffer(decoded.length);\n const bufView = new Uint8Array(buffer);\n\n for (let i = 0, strLen = decoded.length; i < strLen; i++) {\n bufView[i] = decoded.charCodeAt(i);\n }\n\n return bufView;\n}\n\nexport function importKey(\n key: JsonWebKey | string,\n algorithm: RsaHashedImportParams,\n keyUsage: 'verify' | 'sign',\n): Promise {\n if (typeof key === 'object') {\n return runtime.crypto.subtle.importKey('jwk', key, algorithm, false, [keyUsage]);\n }\n\n const keyData = pemToBuffer(key);\n const format = keyUsage === 'sign' ? 'pkcs8' : 'spki';\n\n return runtime.crypto.subtle.importKey(format, keyData, algorithm, false, [keyUsage]);\n}\n","import type { Jwt, JwtPayload } from '@clerk/types';\n\nimport { TokenVerificationError, TokenVerificationErrorAction, TokenVerificationErrorReason } from '../errors';\nimport { runtime } from '../runtime';\nimport { base64url } from '../util/rfc4648';\nimport { getCryptoAlgorithm } from './algorithms';\nimport {\n assertActivationClaim,\n assertAudienceClaim,\n assertAuthorizedPartiesClaim,\n assertExpirationClaim,\n assertHeaderAlgorithm,\n assertHeaderType,\n assertIssuedAtClaim,\n assertSubClaim,\n} from './assertions';\nimport { importKey } from './cryptoKeys';\nimport type { JwtReturnType } from './types';\n\nconst DEFAULT_CLOCK_SKEW_IN_SECONDS = 5 * 1000;\n\nexport async function hasValidSignature(jwt: Jwt, key: JsonWebKey | string): Promise> {\n const { header, signature, raw } = jwt;\n const encoder = new TextEncoder();\n const data = encoder.encode([raw.header, raw.payload].join('.'));\n const algorithm = getCryptoAlgorithm(header.alg);\n\n try {\n const cryptoKey = await importKey(key, algorithm, 'verify');\n\n const verified = await runtime.crypto.subtle.verify(algorithm.name, cryptoKey, signature, data);\n return { data: verified };\n } catch (error) {\n return {\n errors: [\n new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalidSignature,\n message: (error as Error)?.message,\n }),\n ],\n };\n }\n}\n\nexport function decodeJwt(token: string): JwtReturnType {\n const tokenParts = (token || '').toString().split('.');\n if (tokenParts.length !== 3) {\n return {\n errors: [\n new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalid,\n message: `Invalid JWT form. A JWT consists of three parts separated by dots.`,\n }),\n ],\n };\n }\n\n const [rawHeader, rawPayload, rawSignature] = tokenParts;\n\n const decoder = new TextDecoder();\n\n // To verify a JWS with SubtleCrypto you need to be careful to encode and decode\n // the data properly between binary and base64url representation. Unfortunately\n // the standard implementation in the V8 of btoa() and atob() are difficult to\n // work with as they use \"a Unicode string containing only characters in the\n // range U+0000 to U+00FF, each representing a binary byte with values 0x00 to\n // 0xFF respectively\" as the representation of binary data.\n\n // A better solution to represent binary data in Javascript is to use ES6 TypedArray\n // and use a Javascript library to convert them to base64url that honors RFC 4648.\n\n // Side note: The difference between base64 and base64url is the characters selected\n // for value 62 and 63 in the standard, base64 encode them to + and / while base64url\n // encode - and _.\n\n // More info at https://stackoverflow.com/questions/54062583/how-to-verify-a-signed-jwt-with-subtlecrypto-of-the-web-crypto-API\n const header = JSON.parse(decoder.decode(base64url.parse(rawHeader, { loose: true })));\n const payload = JSON.parse(decoder.decode(base64url.parse(rawPayload, { loose: true })));\n const signature = base64url.parse(rawSignature, { loose: true });\n\n const data = {\n header,\n payload,\n signature,\n raw: {\n header: rawHeader,\n payload: rawPayload,\n signature: rawSignature,\n text: token,\n },\n } satisfies Jwt;\n\n return { data };\n}\n\nexport type VerifyJwtOptions = {\n /**\n * A string or list of [audiences](https://datatracker.ietf.org/doc/html/rfc7519#section-4.1.3). If passed, it is checked against the `aud` claim in the token.\n */\n audience?: string | string[];\n /**\n * An allowlist of origins to verify against, to protect your application from the subdomain cookie leaking attack.\n * @example\n * ```ts\n * authorizedParties: ['http://localhost:3000', 'https://example.com']\n * ```\n */\n authorizedParties?: string[];\n /**\n * Specifies the allowed time difference (in milliseconds) between the Clerk server (which generates the token) and the clock of the user's application server when validating a token. Defaults to 5000 ms (5 seconds).\n */\n clockSkewInMs?: number;\n /**\n * @internal\n */\n key: JsonWebKey | string;\n};\n\nexport async function verifyJwt(\n token: string,\n options: VerifyJwtOptions,\n): Promise> {\n const { audience, authorizedParties, clockSkewInMs, key } = options;\n const clockSkew = clockSkewInMs || DEFAULT_CLOCK_SKEW_IN_SECONDS;\n\n const { data: decoded, errors } = decodeJwt(token);\n if (errors) {\n return { errors };\n }\n\n const { header, payload } = decoded;\n try {\n // Header verifications\n const { typ, alg } = header;\n\n assertHeaderType(typ);\n assertHeaderAlgorithm(alg);\n\n // Payload verifications\n const { azp, sub, aud, iat, exp, nbf } = payload;\n\n assertSubClaim(sub);\n assertAudienceClaim([aud], [audience]);\n assertAuthorizedPartiesClaim(azp, authorizedParties);\n assertExpirationClaim(exp, clockSkew);\n assertActivationClaim(nbf, clockSkew);\n assertIssuedAtClaim(iat, clockSkew);\n } catch (err) {\n return { errors: [err as TokenVerificationError] };\n }\n\n const { data: signatureValid, errors: signatureErrors } = await hasValidSignature(decoded, key);\n if (signatureErrors) {\n return {\n errors: [\n new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Error verifying JWT signature. ${signatureErrors[0]}`,\n }),\n ],\n };\n }\n\n if (!signatureValid) {\n return {\n errors: [\n new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalidSignature,\n message: 'JWT signature is invalid.',\n }),\n ],\n };\n }\n\n return { data: payload };\n}\n","import type { Jwt } from '@clerk/types';\n\nimport { constants } from '../constants';\nimport { decodeJwt } from '../jwt/verifyJwt';\nimport { runtime } from '../runtime';\nimport { assertValidPublishableKey } from '../util/optionsAssertions';\nimport { getCookieSuffix, getSuffixedCookieName, parsePublishableKey } from '../util/shared';\nimport type { ClerkRequest } from './clerkRequest';\nimport type { AuthenticateRequestOptions } from './types';\n\ninterface AuthenticateContext extends AuthenticateRequestOptions {\n // header-based values\n sessionTokenInHeader: string | undefined;\n origin: string | undefined;\n host: string | undefined;\n forwardedHost: string | undefined;\n forwardedProto: string | undefined;\n referrer: string | undefined;\n userAgent: string | undefined;\n secFetchDest: string | undefined;\n accept: string | undefined;\n // cookie-based values\n sessionTokenInCookie: string | undefined;\n refreshTokenInCookie: string | undefined;\n clientUat: number;\n // handshake-related values\n devBrowserToken: string | undefined;\n handshakeToken: string | undefined;\n handshakeRedirectLoopCounter: number;\n // url derived from headers\n clerkUrl: URL;\n // enforce existence of the following props\n publishableKey: string;\n instanceType: string;\n frontendApi: string;\n}\n\n/**\n * All data required to authenticate a request.\n * This is the data we use to decide whether a request\n * is in a signed in or signed out state or if we need\n * to perform a handshake.\n */\nclass AuthenticateContext implements AuthenticateContext {\n /**\n * Retrieves the session token from either the cookie or the header.\n *\n * @returns {string | undefined} The session token if available, otherwise undefined.\n */\n public get sessionToken(): string | undefined {\n return this.sessionTokenInCookie || this.sessionTokenInHeader;\n }\n\n public constructor(\n private cookieSuffix: string,\n private clerkRequest: ClerkRequest,\n options: AuthenticateRequestOptions,\n ) {\n // Even though the options are assigned to this later in this function\n // we set the publishableKey here because it is being used in cookies/headers/handshake-values\n // as part of getMultipleAppsCookie\n this.initPublishableKeyValues(options);\n this.initHeaderValues();\n // initCookieValues should be used before initHandshakeValues because it depends on suffixedCookies\n this.initCookieValues();\n this.initHandshakeValues();\n Object.assign(this, options);\n this.clerkUrl = this.clerkRequest.clerkUrl;\n }\n\n public usesSuffixedCookies(): boolean {\n const suffixedClientUat = this.getSuffixedCookie(constants.Cookies.ClientUat);\n const clientUat = this.getCookie(constants.Cookies.ClientUat);\n const suffixedSession = this.getSuffixedCookie(constants.Cookies.Session) || '';\n const session = this.getCookie(constants.Cookies.Session) || '';\n\n // In the case of malformed session cookies (eg missing the iss claim), we should\n // use the un-suffixed cookies to return signed-out state instead of triggering\n // handshake\n if (session && !this.tokenHasIssuer(session)) {\n return false;\n }\n\n // If there's a token in un-suffixed, and it doesn't belong to this\n // instance, then we must trust suffixed\n if (session && !this.tokenBelongsToInstance(session)) {\n return true;\n }\n\n // If there are no suffixed cookies use un-suffixed\n if (!suffixedClientUat && !suffixedSession) {\n return false;\n }\n\n const { data: sessionData } = decodeJwt(session);\n const sessionIat = sessionData?.payload.iat || 0;\n const { data: suffixedSessionData } = decodeJwt(suffixedSession);\n const suffixedSessionIat = suffixedSessionData?.payload.iat || 0;\n\n // Both indicate signed in, but un-suffixed is newer\n // Trust un-suffixed because it's newer\n if (suffixedClientUat !== '0' && clientUat !== '0' && sessionIat > suffixedSessionIat) {\n return false;\n }\n\n // Suffixed indicates signed out, but un-suffixed indicates signed in\n // Trust un-suffixed because it gets set with both new and old clerk.js,\n // so we can assume it's newer\n if (suffixedClientUat === '0' && clientUat !== '0') {\n return false;\n }\n\n // Suffixed indicates signed in, un-suffixed indicates signed out\n // This is the tricky one\n\n // In production, suffixed_uat should be set reliably, since it's\n // set by FAPI and not clerk.js. So in the scenario where a developer\n // downgrades, the state will look like this:\n // - un-suffixed session cookie: empty\n // - un-suffixed uat: 0\n // - suffixed session cookie: (possibly filled, possibly empty)\n // - suffixed uat: 0\n\n // Our SDK honors client_uat over the session cookie, so we don't\n // need a special case for production. We can rely on suffixed,\n // and the fact that the suffixed uat is set properly means and\n // suffixed session cookie will be ignored.\n\n // The important thing to make sure we have a test that confirms\n // the user ends up as signed out in this scenario, and the suffixed\n // session cookie is ignored\n\n // In development, suffixed_uat is not set reliably, since it's done\n // by clerk.js. If the developer downgrades to a pinned version of\n // clerk.js, the suffixed uat will no longer be updated\n\n // The best we can do is look to see if the suffixed token is expired.\n // This means that, if a developer downgrades, and then immediately\n // signs out, all in the span of 1 minute, then they will inadvertently\n // remain signed in for the rest of that minute. This is a known\n // limitation of the strategy but seems highly unlikely.\n if (this.instanceType !== 'production') {\n const isSuffixedSessionExpired = this.sessionExpired(suffixedSessionData);\n if (suffixedClientUat !== '0' && clientUat === '0' && isSuffixedSessionExpired) {\n return false;\n }\n }\n\n // If a suffixed session cookie exists but the corresponding client_uat cookie is missing, fallback to using\n // unsuffixed cookies.\n // This handles the scenario where an app has been deployed using an SDK version that supports suffixed\n // cookies, but FAPI for its Clerk instance has the feature disabled (eg: if we need to temporarily disable the feature).\n if (!suffixedClientUat && suffixedSession) {\n return false;\n }\n\n return true;\n }\n\n private initPublishableKeyValues(options: AuthenticateRequestOptions) {\n assertValidPublishableKey(options.publishableKey);\n this.publishableKey = options.publishableKey;\n\n const pk = parsePublishableKey(this.publishableKey, {\n fatal: true,\n proxyUrl: options.proxyUrl,\n domain: options.domain,\n });\n this.instanceType = pk.instanceType;\n this.frontendApi = pk.frontendApi;\n }\n\n private initHeaderValues() {\n this.sessionTokenInHeader = this.stripAuthorizationHeader(this.getHeader(constants.Headers.Authorization));\n this.origin = this.getHeader(constants.Headers.Origin);\n this.host = this.getHeader(constants.Headers.Host);\n this.forwardedHost = this.getHeader(constants.Headers.ForwardedHost);\n this.forwardedProto =\n this.getHeader(constants.Headers.CloudFrontForwardedProto) || this.getHeader(constants.Headers.ForwardedProto);\n this.referrer = this.getHeader(constants.Headers.Referrer);\n this.userAgent = this.getHeader(constants.Headers.UserAgent);\n this.secFetchDest = this.getHeader(constants.Headers.SecFetchDest);\n this.accept = this.getHeader(constants.Headers.Accept);\n }\n\n private initCookieValues() {\n // suffixedCookies needs to be set first because it's used in getMultipleAppsCookie\n this.sessionTokenInCookie = this.getSuffixedOrUnSuffixedCookie(constants.Cookies.Session);\n this.refreshTokenInCookie = this.getSuffixedCookie(constants.Cookies.Refresh);\n this.clientUat = Number.parseInt(this.getSuffixedOrUnSuffixedCookie(constants.Cookies.ClientUat) || '') || 0;\n }\n\n private initHandshakeValues() {\n this.devBrowserToken =\n this.getQueryParam(constants.QueryParameters.DevBrowser) ||\n this.getSuffixedOrUnSuffixedCookie(constants.Cookies.DevBrowser);\n // Using getCookie since we don't suffix the handshake token cookie\n this.handshakeToken =\n this.getQueryParam(constants.QueryParameters.Handshake) || this.getCookie(constants.Cookies.Handshake);\n this.handshakeRedirectLoopCounter = Number(this.getCookie(constants.Cookies.RedirectCount)) || 0;\n }\n\n private stripAuthorizationHeader(authValue: string | undefined | null): string | undefined {\n return authValue?.replace('Bearer ', '');\n }\n\n private getQueryParam(name: string) {\n return this.clerkRequest.clerkUrl.searchParams.get(name);\n }\n\n private getHeader(name: string) {\n return this.clerkRequest.headers.get(name) || undefined;\n }\n\n private getCookie(name: string) {\n return this.clerkRequest.cookies.get(name) || undefined;\n }\n\n private getSuffixedCookie(name: string) {\n return this.getCookie(getSuffixedCookieName(name, this.cookieSuffix)) || undefined;\n }\n\n private getSuffixedOrUnSuffixedCookie(cookieName: string) {\n if (this.usesSuffixedCookies()) {\n return this.getSuffixedCookie(cookieName);\n }\n return this.getCookie(cookieName);\n }\n\n private tokenHasIssuer(token: string): boolean {\n const { data, errors } = decodeJwt(token);\n if (errors) {\n return false;\n }\n return !!data.payload.iss;\n }\n\n private tokenBelongsToInstance(token: string): boolean {\n if (!token) {\n return false;\n }\n\n const { data, errors } = decodeJwt(token);\n if (errors) {\n return false;\n }\n const tokenIssuer = data.payload.iss.replace(/https?:\\/\\//gi, '');\n return this.frontendApi === tokenIssuer;\n }\n\n private sessionExpired(jwt: Jwt | undefined): boolean {\n return !!jwt && jwt?.payload.exp <= (Date.now() / 1000) >> 0;\n }\n}\n\nexport type { AuthenticateContext };\n\nexport const createAuthenticateContext = async (\n clerkRequest: ClerkRequest,\n options: AuthenticateRequestOptions,\n): Promise => {\n const cookieSuffix = options.publishableKey\n ? await getCookieSuffix(options.publishableKey, runtime.crypto.subtle)\n : '';\n return new AuthenticateContext(cookieSuffix, clerkRequest, options);\n};\n","import { createCheckAuthorization } from '@clerk/shared/authorization';\nimport type {\n ActClaim,\n CheckAuthorizationFromSessionClaims,\n JwtPayload,\n OrganizationCustomPermissionKey,\n OrganizationCustomRoleKey,\n ServerGetToken,\n ServerGetTokenOptions,\n} from '@clerk/types';\n\nimport type { CreateBackendApiOptions } from '../api';\nimport { createBackendApiClient } from '../api';\nimport type { AuthenticateContext } from './authenticateContext';\n\ntype AuthObjectDebugData = Record;\ntype AuthObjectDebug = () => AuthObjectDebugData;\n\n/**\n * @internal\n */\nexport type SignedInAuthObjectOptions = CreateBackendApiOptions & {\n token: string;\n};\n\n/**\n * @internal\n */\nexport type SignedInAuthObject = {\n sessionClaims: JwtPayload;\n sessionId: string;\n actor: ActClaim | undefined;\n userId: string;\n orgId: string | undefined;\n orgRole: OrganizationCustomRoleKey | undefined;\n orgSlug: string | undefined;\n orgPermissions: OrganizationCustomPermissionKey[] | undefined;\n /**\n * Factor Verification Age\n * Each item represents the minutes that have passed since the last time a first or second factor were verified.\n * [fistFactorAge, secondFactorAge]\n */\n factorVerificationAge: [firstFactorAge: number, secondFactorAge: number] | null;\n getToken: ServerGetToken;\n has: CheckAuthorizationFromSessionClaims;\n debug: AuthObjectDebug;\n};\n\n/**\n * @internal\n */\nexport type SignedOutAuthObject = {\n sessionClaims: null;\n sessionId: null;\n actor: null;\n userId: null;\n orgId: null;\n orgRole: null;\n orgSlug: null;\n orgPermissions: null;\n /**\n * Factor Verification Age\n * Each item represents the minutes that have passed since the last time a first or second factor were verified.\n * [fistFactorAge, secondFactorAge]\n */\n factorVerificationAge: null;\n getToken: ServerGetToken;\n has: CheckAuthorizationFromSessionClaims;\n debug: AuthObjectDebug;\n};\n\n/**\n * @internal\n */\nexport type AuthObject = SignedInAuthObject | SignedOutAuthObject;\n\nconst createDebug = (data: AuthObjectDebugData | undefined) => {\n return () => {\n const res = { ...data };\n res.secretKey = (res.secretKey || '').substring(0, 7);\n res.jwtKey = (res.jwtKey || '').substring(0, 7);\n return { ...res };\n };\n};\n\n/**\n * @internal\n */\nexport function signedInAuthObject(\n authenticateContext: AuthenticateContext,\n sessionToken: string,\n sessionClaims: JwtPayload,\n): SignedInAuthObject {\n const {\n act: actor,\n sid: sessionId,\n org_id: orgId,\n org_role: orgRole,\n org_slug: orgSlug,\n org_permissions: orgPermissions,\n sub: userId,\n fva,\n } = sessionClaims;\n const apiClient = createBackendApiClient(authenticateContext);\n const getToken = createGetToken({\n sessionId,\n sessionToken,\n fetcher: async (...args) => (await apiClient.sessions.getToken(...args)).jwt,\n });\n\n // fva can be undefined for instances that have not opt-in\n const factorVerificationAge = fva ?? null;\n\n return {\n actor,\n sessionClaims,\n sessionId,\n userId,\n orgId,\n orgRole,\n orgSlug,\n orgPermissions,\n factorVerificationAge,\n getToken,\n has: createCheckAuthorization({ orgId, orgRole, orgPermissions, userId, factorVerificationAge }),\n debug: createDebug({ ...authenticateContext, sessionToken }),\n };\n}\n\n/**\n * @internal\n */\nexport function signedOutAuthObject(debugData?: AuthObjectDebugData): SignedOutAuthObject {\n return {\n sessionClaims: null,\n sessionId: null,\n userId: null,\n actor: null,\n orgId: null,\n orgRole: null,\n orgSlug: null,\n orgPermissions: null,\n factorVerificationAge: null,\n getToken: () => Promise.resolve(null),\n has: () => false,\n debug: createDebug(debugData),\n };\n}\n\n/**\n * Auth objects moving through the server -> client boundary need to be serializable\n * as we need to ensure that they can be transferred via the network as pure strings.\n * Some frameworks like Remix or Next (/pages dir only) handle this serialization by simply\n * ignoring any non-serializable keys, however Nextjs /app directory is stricter and\n * throws an error if a non-serializable value is found.\n * @internal\n */\nexport const makeAuthObjectSerializable = >(obj: T): T => {\n // remove any non-serializable props from the returned object\n\n const { debug, getToken, has, ...rest } = obj as unknown as AuthObject;\n return rest as unknown as T;\n};\n\ntype TokenFetcher = (sessionId: string, template: string) => Promise;\n\ntype CreateGetToken = (params: { sessionId: string; sessionToken: string; fetcher: TokenFetcher }) => ServerGetToken;\n\nconst createGetToken: CreateGetToken = params => {\n const { fetcher, sessionToken, sessionId } = params || {};\n\n return async (options: ServerGetTokenOptions = {}) => {\n if (!sessionId) {\n return null;\n }\n\n if (options.template) {\n return fetcher(sessionId, options.template);\n }\n\n return sessionToken;\n };\n};\n","import type { JwtPayload } from '@clerk/types';\n\nimport { constants } from '../constants';\nimport type { TokenVerificationErrorReason } from '../errors';\nimport type { AuthenticateContext } from './authenticateContext';\nimport type { SignedInAuthObject, SignedOutAuthObject } from './authObjects';\nimport { signedInAuthObject, signedOutAuthObject } from './authObjects';\n\nexport const AuthStatus = {\n SignedIn: 'signed-in',\n SignedOut: 'signed-out',\n Handshake: 'handshake',\n} as const;\n\nexport type AuthStatus = (typeof AuthStatus)[keyof typeof AuthStatus];\n\nexport type SignedInState = {\n status: typeof AuthStatus.SignedIn;\n reason: null;\n message: null;\n proxyUrl?: string;\n publishableKey: string;\n isSatellite: boolean;\n domain: string;\n signInUrl: string;\n signUpUrl: string;\n afterSignInUrl: string;\n afterSignUpUrl: string;\n isSignedIn: true;\n toAuth: () => SignedInAuthObject;\n headers: Headers;\n token: string;\n};\n\nexport type SignedOutState = {\n status: typeof AuthStatus.SignedOut;\n message: string;\n reason: AuthReason;\n proxyUrl?: string;\n publishableKey: string;\n isSatellite: boolean;\n domain: string;\n signInUrl: string;\n signUpUrl: string;\n afterSignInUrl: string;\n afterSignUpUrl: string;\n isSignedIn: false;\n toAuth: () => SignedOutAuthObject;\n headers: Headers;\n token: null;\n};\n\nexport type HandshakeState = Omit & {\n status: typeof AuthStatus.Handshake;\n headers: Headers;\n toAuth: () => null;\n};\n\nexport const AuthErrorReason = {\n ClientUATWithoutSessionToken: 'client-uat-but-no-session-token',\n DevBrowserMissing: 'dev-browser-missing',\n DevBrowserSync: 'dev-browser-sync',\n PrimaryRespondsToSyncing: 'primary-responds-to-syncing',\n SatelliteCookieNeedsSyncing: 'satellite-needs-syncing',\n SessionTokenAndUATMissing: 'session-token-and-uat-missing',\n SessionTokenMissing: 'session-token-missing',\n SessionTokenExpired: 'session-token-expired',\n SessionTokenIATBeforeClientUAT: 'session-token-iat-before-client-uat',\n SessionTokenNBF: 'session-token-nbf',\n SessionTokenIatInTheFuture: 'session-token-iat-in-the-future',\n SessionTokenWithoutClientUAT: 'session-token-but-no-client-uat',\n ActiveOrganizationMismatch: 'active-organization-mismatch',\n UnexpectedError: 'unexpected-error',\n} as const;\n\nexport type AuthErrorReason = (typeof AuthErrorReason)[keyof typeof AuthErrorReason];\n\nexport type AuthReason = AuthErrorReason | TokenVerificationErrorReason;\n\nexport type RequestState = SignedInState | SignedOutState | HandshakeState;\n\nexport function signedIn(\n authenticateContext: AuthenticateContext,\n sessionClaims: JwtPayload,\n headers: Headers = new Headers(),\n token: string,\n): SignedInState {\n const authObject = signedInAuthObject(authenticateContext, token, sessionClaims);\n return {\n status: AuthStatus.SignedIn,\n reason: null,\n message: null,\n proxyUrl: authenticateContext.proxyUrl || '',\n publishableKey: authenticateContext.publishableKey || '',\n isSatellite: authenticateContext.isSatellite || false,\n domain: authenticateContext.domain || '',\n signInUrl: authenticateContext.signInUrl || '',\n signUpUrl: authenticateContext.signUpUrl || '',\n afterSignInUrl: authenticateContext.afterSignInUrl || '',\n afterSignUpUrl: authenticateContext.afterSignUpUrl || '',\n isSignedIn: true,\n toAuth: () => authObject,\n headers,\n token,\n };\n}\n\nexport function signedOut(\n authenticateContext: AuthenticateContext,\n reason: AuthReason,\n message = '',\n headers: Headers = new Headers(),\n): SignedOutState {\n return withDebugHeaders({\n status: AuthStatus.SignedOut,\n reason,\n message,\n proxyUrl: authenticateContext.proxyUrl || '',\n publishableKey: authenticateContext.publishableKey || '',\n isSatellite: authenticateContext.isSatellite || false,\n domain: authenticateContext.domain || '',\n signInUrl: authenticateContext.signInUrl || '',\n signUpUrl: authenticateContext.signUpUrl || '',\n afterSignInUrl: authenticateContext.afterSignInUrl || '',\n afterSignUpUrl: authenticateContext.afterSignUpUrl || '',\n isSignedIn: false,\n headers,\n toAuth: () => signedOutAuthObject({ ...authenticateContext, status: AuthStatus.SignedOut, reason, message }),\n token: null,\n });\n}\n\nexport function handshake(\n authenticateContext: AuthenticateContext,\n reason: AuthReason,\n message = '',\n headers: Headers,\n): HandshakeState {\n return withDebugHeaders({\n status: AuthStatus.Handshake,\n reason,\n message,\n publishableKey: authenticateContext.publishableKey || '',\n isSatellite: authenticateContext.isSatellite || false,\n domain: authenticateContext.domain || '',\n proxyUrl: authenticateContext.proxyUrl || '',\n signInUrl: authenticateContext.signInUrl || '',\n signUpUrl: authenticateContext.signUpUrl || '',\n afterSignInUrl: authenticateContext.afterSignInUrl || '',\n afterSignUpUrl: authenticateContext.afterSignUpUrl || '',\n isSignedIn: false,\n headers,\n toAuth: () => null,\n token: null,\n });\n}\n\nconst withDebugHeaders = (requestState: T): T => {\n const headers = new Headers(requestState.headers || {});\n\n if (requestState.message) {\n try {\n headers.set(constants.Headers.AuthMessage, requestState.message);\n } catch {\n // headers.set can throw if unicode strings are passed to it. In this case, simply do nothing\n }\n }\n\n if (requestState.reason) {\n try {\n headers.set(constants.Headers.AuthReason, requestState.reason);\n } catch {\n /* empty */\n }\n }\n\n if (requestState.status) {\n try {\n headers.set(constants.Headers.AuthStatus, requestState.status);\n } catch {\n /* empty */\n }\n }\n\n requestState.headers = headers;\n\n return requestState;\n};\n","import { parse } from 'cookie';\n\nimport { constants } from '../constants';\nimport type { ClerkUrl } from './clerkUrl';\nimport { createClerkUrl } from './clerkUrl';\n\n/**\n * A class that extends the native Request class,\n * adds cookies helpers and a normalised clerkUrl that is constructed by using the values found\n * in req.headers so it is able to work reliably when the app is running behind a proxy server.\n */\nclass ClerkRequest extends Request {\n readonly clerkUrl: ClerkUrl;\n readonly cookies: Map;\n\n public constructor(input: ClerkRequest | Request | RequestInfo, init?: RequestInit) {\n // The usual way to duplicate a request object is to\n // pass the original request object to the Request constructor\n // both as the `input` and `init` parameters, eg: super(req, req)\n // However, this fails in certain environments like Vercel Edge Runtime\n // when a framework like Remix polyfills the global Request object.\n // This happens because `undici` performs the following instanceof check\n // which, instead of testing against the global Request object, tests against\n // the Request class defined in the same file (local Request class).\n // For more details, please refer to:\n // https://github.com/nodejs/undici/issues/2155\n // https://github.com/nodejs/undici/blob/7153a1c78d51840bbe16576ce353e481c3934701/lib/fetch/request.js#L854\n const url = typeof input !== 'string' && 'url' in input ? input.url : String(input);\n super(url, init || typeof input === 'string' ? undefined : input);\n this.clerkUrl = this.deriveUrlFromHeaders(this);\n this.cookies = this.parseCookies(this);\n }\n\n public toJSON() {\n return {\n url: this.clerkUrl.href,\n method: this.method,\n headers: JSON.stringify(Object.fromEntries(this.headers)),\n clerkUrl: this.clerkUrl.toString(),\n cookies: JSON.stringify(Object.fromEntries(this.cookies)),\n };\n }\n\n /**\n * Used to fix request.url using the x-forwarded-* headers\n * TODO add detailed description of the issues this solves\n */\n private deriveUrlFromHeaders(req: Request) {\n const initialUrl = new URL(req.url);\n const forwardedProto = req.headers.get(constants.Headers.ForwardedProto);\n const forwardedHost = req.headers.get(constants.Headers.ForwardedHost);\n const host = req.headers.get(constants.Headers.Host);\n const protocol = initialUrl.protocol;\n\n const resolvedHost = this.getFirstValueFromHeader(forwardedHost) ?? host;\n const resolvedProtocol = this.getFirstValueFromHeader(forwardedProto) ?? protocol?.replace(/[:/]/, '');\n const origin = resolvedHost && resolvedProtocol ? `${resolvedProtocol}://${resolvedHost}` : initialUrl.origin;\n\n if (origin === initialUrl.origin) {\n return createClerkUrl(initialUrl);\n }\n return createClerkUrl(initialUrl.pathname + initialUrl.search, origin);\n }\n\n private getFirstValueFromHeader(value?: string | null) {\n return value?.split(',')[0];\n }\n\n private parseCookies(req: Request) {\n const cookiesRecord = parse(this.decodeCookieValue(req.headers.get('cookie') || ''));\n return new Map(Object.entries(cookiesRecord));\n }\n\n private decodeCookieValue(str: string) {\n return str ? str.replace(/(%[0-9A-Z]{2})+/g, decodeURIComponent) : str;\n }\n}\n\nexport const createClerkRequest = (...args: ConstructorParameters): ClerkRequest => {\n return args[0] instanceof ClerkRequest ? args[0] : new ClerkRequest(...args);\n};\n\nexport type { ClerkRequest };\n","class ClerkUrl extends URL {\n public isCrossOrigin(other: URL | string) {\n return this.origin !== new URL(other.toString()).origin;\n }\n}\n\nexport type WithClerkUrl = T & {\n /**\n * When a NextJs app is hosted on a platform different from Vercel\n * or inside a container (Netlify, Fly.io, AWS Amplify, docker etc),\n * req.url is always set to `localhost:3000` instead of the actual host of the app.\n *\n * The `authMiddleware` uses the value of the available req.headers in order to construct\n * and use the correct url internally. This url is then exposed as `experimental_clerkUrl`,\n * intended to be used within `beforeAuth` and `afterAuth` if needed.\n */\n clerkUrl: ClerkUrl;\n};\n\nexport const createClerkUrl = (...args: ConstructorParameters): ClerkUrl => {\n return new ClerkUrl(...args);\n};\n\nexport type { ClerkUrl };\n","export const getCookieName = (cookieDirective: string): string => {\n return cookieDirective.split(';')[0]?.split('=')[0];\n};\n\nexport const getCookieValue = (cookieDirective: string): string => {\n return cookieDirective.split(';')[0]?.split('=')[1];\n};\n","import {\n API_URL,\n API_VERSION,\n MAX_CACHE_LAST_UPDATED_AT_SECONDS,\n SUPPORTED_BAPI_VERSION,\n USER_AGENT,\n} from '../constants';\nimport {\n TokenVerificationError,\n TokenVerificationErrorAction,\n TokenVerificationErrorCode,\n TokenVerificationErrorReason,\n} from '../errors';\nimport { runtime } from '../runtime';\nimport { joinPaths } from '../util/path';\nimport { retry } from '../util/shared';\n\ntype JsonWebKeyWithKid = JsonWebKey & { kid: string };\n\ntype JsonWebKeyCache = Record;\n\nlet cache: JsonWebKeyCache = {};\nlet lastUpdatedAt = 0;\n\nfunction getFromCache(kid: string) {\n return cache[kid];\n}\n\nfunction getCacheValues() {\n return Object.values(cache);\n}\n\nfunction setInCache(jwk: JsonWebKeyWithKid, shouldExpire = true) {\n cache[jwk.kid] = jwk;\n lastUpdatedAt = shouldExpire ? Date.now() : -1;\n}\n\nconst LocalJwkKid = 'local';\nconst PEM_HEADER = '-----BEGIN PUBLIC KEY-----';\nconst PEM_TRAILER = '-----END PUBLIC KEY-----';\nconst RSA_PREFIX = 'MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA';\nconst RSA_SUFFIX = 'IDAQAB';\n\n/**\n *\n * Loads a local PEM key usually from process.env and transform it to JsonWebKey format.\n * The result is also cached on the module level to avoid unnecessary computations in subsequent invocations.\n *\n * @param {string} localKey\n * @returns {JsonWebKey} key\n */\nexport function loadClerkJWKFromLocal(localKey?: string): JsonWebKey {\n if (!getFromCache(LocalJwkKid)) {\n if (!localKey) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.SetClerkJWTKey,\n message: 'Missing local JWK.',\n reason: TokenVerificationErrorReason.LocalJWKMissing,\n });\n }\n\n const modulus = localKey\n .replace(/\\r\\n|\\n|\\r/g, '')\n .replace(PEM_HEADER, '')\n .replace(PEM_TRAILER, '')\n .replace(RSA_PREFIX, '')\n .replace(RSA_SUFFIX, '')\n .replace(/\\+/g, '-')\n .replace(/\\//g, '_');\n\n // JWK https://datatracker.ietf.org/doc/html/rfc7517\n setInCache(\n {\n kid: 'local',\n kty: 'RSA',\n alg: 'RS256',\n n: modulus,\n e: 'AQAB',\n },\n false, // local key never expires in cache\n );\n }\n\n return getFromCache(LocalJwkKid);\n}\n\nexport type LoadClerkJWKFromRemoteOptions = {\n /**\n * @internal\n */\n kid: string;\n /**\n * @deprecated This cache TTL is deprecated and will be removed in the next major version. Specifying a cache TTL is now a no-op.\n */\n jwksCacheTtlInMs?: number;\n /**\n * A flag to skip ignore cache and always fetch JWKS before each jwt verification.\n */\n skipJwksCache?: boolean;\n /**\n * The Clerk Secret Key from the [**API keys**](https://dashboard.clerk.com/last-active?path=api-keys) page in the Clerk Dashboard.\n */\n secretKey?: string;\n /**\n * The [Clerk Backend API](https://clerk.com/docs/reference/backend-api) endpoint. Defaults to `'https://api.clerk.com'`.\n */\n apiUrl?: string;\n /**\n * The version passed to the Clerk API. Defaults to `'v1'`.\n */\n apiVersion?: string;\n};\n\n/**\n *\n * Loads a key from JWKS retrieved from the well-known Frontend API endpoint of the issuer.\n * The result is also cached on the module level to avoid network requests in subsequent invocations.\n * The cache lasts up to 5 minutes.\n *\n * @param {Object} options\n * @param {string} options.kid - The id of the key that the JWT was signed with\n * @param {string} options.alg - The algorithm of the JWT\n * @returns {JsonWebKey} key\n */\nexport async function loadClerkJWKFromRemote({\n secretKey,\n apiUrl = API_URL,\n apiVersion = API_VERSION,\n kid,\n skipJwksCache,\n}: LoadClerkJWKFromRemoteOptions): Promise {\n if (skipJwksCache || cacheHasExpired() || !getFromCache(kid)) {\n if (!secretKey) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.ContactSupport,\n message: 'Failed to load JWKS from Clerk Backend or Frontend API.',\n reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad,\n });\n }\n const fetcher = () => fetchJWKSFromBAPI(apiUrl, secretKey, apiVersion) as Promise<{ keys: JsonWebKeyWithKid[] }>;\n const { keys } = await retry(fetcher);\n\n if (!keys || !keys.length) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.ContactSupport,\n message: 'The JWKS endpoint did not contain any signing keys. Contact support@clerk.com.',\n reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad,\n });\n }\n\n keys.forEach(key => setInCache(key));\n }\n\n const jwk = getFromCache(kid);\n\n if (!jwk) {\n const cacheValues = getCacheValues();\n const jwkKeys = cacheValues\n .map(jwk => jwk.kid)\n .sort()\n .join(', ');\n\n throw new TokenVerificationError({\n action: `Go to your Dashboard and validate your secret and public keys are correct. ${TokenVerificationErrorAction.ContactSupport} if the issue persists.`,\n message: `Unable to find a signing key in JWKS that matches the kid='${kid}' of the provided session token. Please make sure that the __session cookie or the HTTP authorization header contain a Clerk-generated session JWT. The following kid is available: ${jwkKeys}`,\n reason: TokenVerificationErrorReason.JWKKidMismatch,\n });\n }\n\n return jwk;\n}\n\nasync function fetchJWKSFromBAPI(apiUrl: string, key: string, apiVersion: string) {\n if (!key) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.SetClerkSecretKey,\n message:\n 'Missing Clerk Secret Key or API Key. Go to https://dashboard.clerk.com and get your key for your instance.',\n reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad,\n });\n }\n\n const url = new URL(apiUrl);\n url.pathname = joinPaths(url.pathname, apiVersion, '/jwks');\n\n const response = await runtime.fetch(url.href, {\n headers: {\n Authorization: `Bearer ${key}`,\n 'Clerk-API-Version': SUPPORTED_BAPI_VERSION,\n 'Content-Type': 'application/json',\n 'User-Agent': USER_AGENT,\n },\n });\n\n if (!response.ok) {\n const json = await response.json();\n const invalidSecretKeyError = getErrorObjectByCode(json?.errors, TokenVerificationErrorCode.InvalidSecretKey);\n\n if (invalidSecretKeyError) {\n const reason = TokenVerificationErrorReason.InvalidSecretKey;\n\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.ContactSupport,\n message: invalidSecretKeyError.message,\n reason,\n });\n }\n\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.ContactSupport,\n message: `Error loading Clerk JWKS from ${url.href} with code=${response.status}`,\n reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad,\n });\n }\n\n return response.json();\n}\n\nfunction cacheHasExpired() {\n // If lastUpdatedAt is -1, it means that we're using a local JWKS and it never expires\n if (lastUpdatedAt === -1) {\n return false;\n }\n\n // If the cache has expired, clear the value so we don't attempt to make decisions based on stale data\n const isExpired = Date.now() - lastUpdatedAt >= MAX_CACHE_LAST_UPDATED_AT_SECONDS * 1000;\n\n if (isExpired) {\n cache = {};\n }\n\n return isExpired;\n}\n\ntype ErrorFields = {\n message: string;\n long_message: string;\n code: string;\n};\n\nconst getErrorObjectByCode = (errors: ErrorFields[], code: string) => {\n if (!errors) {\n return null;\n }\n\n return errors.find((err: ErrorFields) => err.code === code);\n};\n","import { TokenVerificationError, TokenVerificationErrorAction, TokenVerificationErrorReason } from '../errors';\nimport type { VerifyJwtOptions } from '../jwt';\nimport { assertHeaderAlgorithm, assertHeaderType } from '../jwt/assertions';\nimport { decodeJwt, hasValidSignature } from '../jwt/verifyJwt';\nimport { loadClerkJWKFromLocal, loadClerkJWKFromRemote } from './keys';\nimport type { VerifyTokenOptions } from './verify';\n\nasync function verifyHandshakeJwt(token: string, { key }: VerifyJwtOptions): Promise<{ handshake: string[] }> {\n const { data: decoded, errors } = decodeJwt(token);\n if (errors) {\n throw errors[0];\n }\n\n const { header, payload } = decoded;\n\n // Header verifications\n const { typ, alg } = header;\n\n assertHeaderType(typ);\n assertHeaderAlgorithm(alg);\n\n const { data: signatureValid, errors: signatureErrors } = await hasValidSignature(decoded, key);\n if (signatureErrors) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Error verifying handshake token. ${signatureErrors[0]}`,\n });\n }\n\n if (!signatureValid) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalidSignature,\n message: 'Handshake signature is invalid.',\n });\n }\n\n return payload as unknown as { handshake: string[] };\n}\n\n/**\n * Similar to our verifyToken flow for Clerk-issued JWTs, but this verification flow is for our signed handshake payload.\n * The handshake payload requires fewer verification steps.\n */\nexport async function verifyHandshakeToken(\n token: string,\n options: VerifyTokenOptions,\n): Promise<{ handshake: string[] }> {\n const { secretKey, apiUrl, apiVersion, jwksCacheTtlInMs, jwtKey, skipJwksCache } = options;\n\n const { data, errors } = decodeJwt(token);\n if (errors) {\n throw errors[0];\n }\n\n const { kid } = data.header;\n\n let key;\n\n if (jwtKey) {\n key = loadClerkJWKFromLocal(jwtKey);\n } else if (secretKey) {\n // Fetch JWKS from Backend API using the key\n key = await loadClerkJWKFromRemote({ secretKey, apiUrl, apiVersion, kid, jwksCacheTtlInMs, skipJwksCache });\n } else {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.SetClerkJWTKey,\n message: 'Failed to resolve JWK during handshake verification.',\n reason: TokenVerificationErrorReason.JWKFailedToResolve,\n });\n }\n\n return await verifyHandshakeJwt(token, {\n key,\n });\n}\n","import type { JwtPayload } from '@clerk/types';\n\nimport { TokenVerificationError, TokenVerificationErrorAction, TokenVerificationErrorReason } from '../errors';\nimport type { VerifyJwtOptions } from '../jwt';\nimport type { JwtReturnType } from '../jwt/types';\nimport { decodeJwt, verifyJwt } from '../jwt/verifyJwt';\nimport type { LoadClerkJWKFromRemoteOptions } from './keys';\nimport { loadClerkJWKFromLocal, loadClerkJWKFromRemote } from './keys';\n\nexport type VerifyTokenOptions = Omit &\n Omit & {\n /**\n * Used to verify the session token in a networkless manner. Supply the PEM public key from the **[**API keys**](https://dashboard.clerk.com/last-active?path=api-keys) page -> Show JWT public key -> PEM Public Key** section in the Clerk Dashboard. **It's recommended to use [the environment variable](https://clerk.com/docs/deployments/clerk-environment-variables) instead.** For more information, refer to [Manual JWT verification](https://clerk.com/docs/backend-requests/handling/manual-jwt).\n */\n jwtKey?: string;\n };\n\nexport async function verifyToken(\n token: string,\n options: VerifyTokenOptions,\n): Promise> {\n const { data: decodedResult, errors } = decodeJwt(token);\n if (errors) {\n return { errors };\n }\n\n const { header } = decodedResult;\n const { kid } = header;\n\n try {\n let key;\n\n if (options.jwtKey) {\n key = loadClerkJWKFromLocal(options.jwtKey);\n } else if (options.secretKey) {\n // Fetch JWKS from Backend API using the key\n key = await loadClerkJWKFromRemote({ ...options, kid });\n } else {\n return {\n errors: [\n new TokenVerificationError({\n action: TokenVerificationErrorAction.SetClerkJWTKey,\n message: 'Failed to resolve JWK during verification.',\n reason: TokenVerificationErrorReason.JWKFailedToResolve,\n }),\n ],\n };\n }\n\n return await verifyJwt(token, { ...options, key });\n } catch (error) {\n return { errors: [error as TokenVerificationError] };\n }\n}\n","import type { ApiClient } from '../api';\nimport { mergePreDefinedOptions } from '../util/mergePreDefinedOptions';\nimport { authenticateRequest as authenticateRequestOriginal, debugRequestState } from './request';\nimport type { AuthenticateRequestOptions } from './types';\n\ntype RunTimeOptions = Omit;\ntype BuildTimeOptions = Partial<\n Pick<\n AuthenticateRequestOptions,\n | 'apiUrl'\n | 'apiVersion'\n | 'audience'\n | 'domain'\n | 'isSatellite'\n | 'jwtKey'\n | 'proxyUrl'\n | 'publishableKey'\n | 'secretKey'\n >\n>;\n\nconst defaultOptions = {\n secretKey: '',\n jwtKey: '',\n apiUrl: undefined,\n apiVersion: undefined,\n proxyUrl: '',\n publishableKey: '',\n isSatellite: false,\n domain: '',\n audience: '',\n} satisfies BuildTimeOptions;\n\n/**\n * @internal\n */\nexport type CreateAuthenticateRequestOptions = {\n options: BuildTimeOptions;\n apiClient: ApiClient;\n};\n\n/**\n * @internal\n */\nexport function createAuthenticateRequest(params: CreateAuthenticateRequestOptions) {\n const buildTimeOptions = mergePreDefinedOptions(defaultOptions, params.options);\n const apiClient = params.apiClient;\n\n const authenticateRequest = (request: Request, options: RunTimeOptions = {}) => {\n const { apiUrl, apiVersion } = buildTimeOptions;\n const runTimeOptions = mergePreDefinedOptions(buildTimeOptions, options);\n return authenticateRequestOriginal(request, {\n ...options,\n ...runTimeOptions,\n // We should add all the omitted props from options here (eg apiUrl / apiVersion)\n // to avoid runtime options override them.\n apiUrl,\n apiVersion,\n apiClient,\n });\n };\n\n return {\n authenticateRequest,\n debugRequestState,\n };\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA,qBAAAA;AAAA;AAAA;AACA,uBAAmC;;;ACDnC,IAAM,YAAY;AAClB,IAAM,2BAA2B,IAAI,OAAO,WAAW,YAAY,QAAQ,GAAG;AAIvE,SAAS,aAAa,MAA4B;AACvD,SAAO,KACJ,OAAO,OAAK,CAAC,EACb,KAAK,SAAS,EACd,QAAQ,0BAA0B,SAAS;AAChD;;;ACRO,IAAe,cAAf,MAA2B;AAAA,EAChC,YAAsB,SAA0B;AAA1B;AAAA,EAA2B;AAAA,EAEvC,UAAU,IAAY;AAC9B,QAAI,CAAC,IAAI;AACP,YAAM,IAAI,MAAM,kCAAkC;AAAA,IACpD;AAAA,EACF;AACF;;;ACNA,IAAM,WAAW;AAEV,IAAM,4BAAN,cAAwC,YAAY;AAAA,EACzD,MAAa,+BAA+B;AAC1C,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM;AAAA,IACR,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,2CAA2C;AACtD,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAU,UAAU,UAAU;AAAA,IACtC,CAAC;AAAA,EACH;AACF;;;ACfA,IAAMC,YAAW;AAOV,IAAM,yBAAN,cAAqC,YAAY;AAAA,EACtD,MAAa,6BAA6B;AACxC,WAAO,KAAK,QAA0D;AAAA,MACpE,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa,EAAE,WAAW,KAAK;AAAA,IACjC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,0BAA0B,QAAyC;AAC9E,WAAO,KAAK,QAA6B;AAAA,MACvC,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,0BAA0B,uBAA+B;AACpE,SAAK,UAAU,qBAAqB;AACpC,WAAO,KAAK,QAA6B;AAAA,MACvC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,qBAAqB;AAAA,IACjD,CAAC;AAAA,EACH;AACF;;;AC7BA,IAAMC,YAAW;AAEV,IAAM,YAAN,cAAwB,YAAY;AAAA,EACzC,MAAa,cAAc,SAAiC,CAAC,GAAG;AAC9D,WAAO,KAAK,QAA6C;AAAA,MACvD,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa,EAAE,GAAG,QAAQ,WAAW,KAAK;AAAA,IAC5C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,UAAU,UAAkB;AACvC,SAAK,UAAU,QAAQ;AACvB,WAAO,KAAK,QAAgB;AAAA,MAC1B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,QAAQ;AAAA,IACpC,CAAC;AAAA,EACH;AAAA,EAEO,aAAa,OAAe;AACjC,WAAO,KAAK,QAAgB;AAAA,MAC1B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,QAAQ;AAAA,MAClC,YAAY,EAAE,MAAM;AAAA,IACtB,CAAC;AAAA,EACH;AACF;;;AC7BA,IAAMC,YAAW;AAEV,IAAM,YAAN,cAAwB,YAAY;AAAA,EACzC,MAAa,aAAa,IAAY;AACpC,WAAO,KAAK,QAAuB;AAAA,MACjC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,EAAE;AAAA,IAC9B,CAAC;AAAA,EACH;AACF;;;ACTA,IAAMC,YAAW;AAcV,IAAM,kBAAN,cAA8B,YAAY;AAAA,EAC/C,MAAa,gBAAgB,gBAAwB;AACnD,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc;AAAA,IAC1C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,QAAkC;AAChE,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,gBAAwB,SAAmC,CAAC,GAAG;AAC7F,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc;AAAA,MACxC,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,gBAAwB;AACtD,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAuB;AAAA,MACjC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc;AAAA,IAC1C,CAAC;AAAA,EACH;AACF;;;AC/CA,IAAMC,YAAW;AAqCV,IAAM,gBAAN,cAA4B,YAAY;AAAA,EAC7C,MAAa,kBAAkB,SAAkC,CAAC,GAAG;AACnE,WAAO,KAAK,QAAiD;AAAA,MAC3D,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa,EAAE,GAAG,QAAQ,WAAW,KAAK;AAAA,IAC5C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,iBAAiB,QAAsB;AAClD,WAAO,KAAK,QAAoB;AAAA,MAC9B,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,iBAAiB,cAAsB;AAClD,SAAK,UAAU,YAAY;AAC3B,WAAO,KAAK,QAAoB;AAAA,MAC9B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc,QAAQ;AAAA,IAClD,CAAC;AAAA,EACH;AACF;;;ACrDA,oBAAoC;AAmBpC,IAAM,cAAc,MAAM,KAAK,UAAU;AAElC,IAAM,UAAmB;AAAA,EAC9B,sBAAAC;AAAA,EACA,IAAI,QAAQ;AAEV,WAAO,QAAQ,IAAI,aAAa,SAAS,QAAQ;AAAA,EACnD;AAAA,EACA,iBAAiB,WAAW;AAAA,EAC5B,MAAM,WAAW;AAAA,EACjB,UAAU,WAAW;AAAA,EACrB,SAAS,WAAW;AAAA,EACpB,SAAS,WAAW;AAAA,EACpB,UAAU,WAAW;AACvB;;;AChCA,IAAMC,YAAW;AA8GV,IAAM,kBAAN,cAA8B,YAAY;AAAA,EAC/C,MAAa,oBAAoB,QAAoC;AACnE,WAAO,KAAK,QAAmD;AAAA,MAC7D,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa;AAAA,IACf,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,QAAsB;AACpD,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,gBAAgB,QAA+B;AAC1D,UAAM,EAAE,oBAAoB,IAAI;AAChC,UAAM,uBAAuB,oBAAoB,SAAS,OAAO,iBAAiB,OAAO;AACzF,SAAK,UAAU,oBAAoB;AAEnC,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,oBAAoB;AAAA,MAC9C,aAAa;AAAA,QACX;AAAA,MACF;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,gBAAwB,QAAsB;AAC5E,SAAK,UAAU,cAAc;AAC7B,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc;AAAA,MACxC,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,uBAAuB,gBAAwB,QAA0B;AACpF,SAAK,UAAU,cAAc;AAE7B,UAAM,WAAW,IAAI,QAAQ,SAAS;AACtC,aAAS,OAAO,QAAQ,QAAQ,IAAI;AACpC,QAAI,QAAQ,gBAAgB;AAC1B,eAAS,OAAO,oBAAoB,QAAQ,cAAc;AAAA,IAC5D;AAEA,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,MAAM;AAAA,MAChD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,uBAAuB,gBAAwB;AAC1D,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,MAAM;AAAA,IAClD,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,2BAA2B,gBAAwB,QAA8B;AAC5F,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,UAAU;AAAA,MACpD,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,gBAAwB;AACtD,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc;AAAA,IAC1C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,8BAA8B,QAA6C;AACtF,UAAM,EAAE,gBAAgB,GAAG,YAAY,IAAI;AAC3C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAA6D;AAAA,MACvE,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,aAAa;AAAA,MACvD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,6BAA6B,QAA4C;AACpF,UAAM,EAAE,gBAAgB,GAAG,WAAW,IAAI;AAC1C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,aAAa;AAAA,MACvD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,6BAA6B,QAA4C;AACpF,UAAM,EAAE,gBAAgB,QAAQ,GAAG,WAAW,IAAI;AAClD,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,eAAe,MAAM;AAAA,MAC/D;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,qCAAqC,QAAoD;AACpG,UAAM,EAAE,gBAAgB,QAAQ,GAAG,WAAW,IAAI;AAElD,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,eAAe,QAAQ,UAAU;AAAA,MAC3E;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,6BAA6B,QAA4C;AACpF,UAAM,EAAE,gBAAgB,OAAO,IAAI;AACnC,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,eAAe,MAAM;AAAA,IACjE,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,8BAA8B,QAA6C;AACtF,UAAM,EAAE,gBAAgB,GAAG,YAAY,IAAI;AAC3C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAA6D;AAAA,MACvE,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,aAAa;AAAA,MACvD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,6BAA6B,QAA4C;AACpF,UAAM,EAAE,gBAAgB,GAAG,WAAW,IAAI;AAC1C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,aAAa;AAAA,MACvD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,0BAA0B,QAAyC;AAC9E,UAAM,EAAE,gBAAgB,aAAa,IAAI;AACzC,SAAK,UAAU,cAAc;AAC7B,SAAK,UAAU,YAAY;AAE3B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,eAAe,YAAY;AAAA,IACvE,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,6BAA6B,QAA4C;AACpF,UAAM,EAAE,gBAAgB,cAAc,GAAG,WAAW,IAAI;AACxD,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,eAAe,cAAc,QAAQ;AAAA,MAC/E;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,0BAA0B,QAAyC;AAC9E,UAAM,EAAE,gBAAgB,GAAG,YAAY,IAAI;AAC3C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAyD;AAAA,MACnE,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,SAAS;AAAA,MACnD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,yBAAyB,QAAwC;AAC5E,UAAM,EAAE,gBAAgB,GAAG,WAAW,IAAI;AAC1C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAA4B;AAAA,MACtC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,SAAS;AAAA,MACnD,YAAY;AAAA,QACV,GAAG;AAAA,QACH,UAAU,WAAW,YAAY;AAAA,MACnC;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,yBAAyB,QAAwC;AAC5E,UAAM,EAAE,gBAAgB,UAAU,GAAG,WAAW,IAAI;AACpD,SAAK,UAAU,cAAc;AAC7B,SAAK,UAAU,QAAQ;AAEvB,WAAO,KAAK,QAA4B;AAAA,MACtC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,WAAW,QAAQ;AAAA,MAC7D;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,yBAAyB,QAAwC;AAC5E,UAAM,EAAE,gBAAgB,SAAS,IAAI;AACrC,SAAK,UAAU,cAAc;AAC7B,SAAK,UAAU,QAAQ;AAEvB,WAAO,KAAK,QAA4B;AAAA,MACtC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,WAAW,QAAQ;AAAA,IAC/D,CAAC;AAAA,EACH;AACF;;;AC5VA,IAAMC,YAAW;AAgBV,IAAM,iBAAN,cAA6B,YAAY;AAAA,EAC9C,MAAa,eAAe,eAAuB;AACjD,SAAK,UAAU,aAAa;AAE5B,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,aAAa;AAAA,IACzC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,QAAiC;AAC9D,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,eAAuB,SAAkC,CAAC,GAAG;AAC1F,SAAK,UAAU,aAAa;AAE5B,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,aAAa;AAAA,MACvC,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,eAAuB;AACpD,SAAK,UAAU,aAAa;AAE5B,WAAO,KAAK,QAAuB;AAAA,MACjC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,aAAa;AAAA,IACzC,CAAC;AAAA,EACH;AACF;;;ACnDA,IAAMC,YAAW;AAMV,IAAM,iBAAN,cAA6B,YAAY;AAAA,EAC9C,MAAa,qBAAqB;AAChC,WAAO,KAAK,QAAkD;AAAA,MAC5D,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa,EAAE,WAAW,KAAK;AAAA,IACjC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,eAAe,eAAuB;AACjD,SAAK,UAAU,aAAa;AAC5B,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,aAAa;AAAA,IACzC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,QAAiC;AAC9D,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,eAAuB;AACpD,SAAK,UAAU,aAAa;AAC5B,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,aAAa;AAAA,IACzC,CAAC;AAAA,EACH;AACF;;;AClCA,IAAMC,aAAW;AAkBV,IAAM,aAAN,cAAyB,YAAY;AAAA,EAC1C,MAAa,eAAe,SAA4B,CAAC,GAAG;AAC1D,WAAO,KAAK,QAA8C;AAAA,MACxD,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa,EAAE,GAAG,QAAQ,WAAW,KAAK;AAAA,IAC5C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,WAAmB;AACzC,SAAK,UAAU,SAAS;AACxB,WAAO,KAAK,QAAiB;AAAA,MAC3B,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,SAAS;AAAA,IACrC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,cAAc,WAAmB;AAC5C,SAAK,UAAU,SAAS;AACxB,WAAO,KAAK,QAAiB;AAAA,MAC3B,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,WAAW,QAAQ;AAAA,IAC/C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,cAAc,WAAmB,OAAe;AAC3D,SAAK,UAAU,SAAS;AACxB,WAAO,KAAK,QAAiB;AAAA,MAC3B,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,WAAW,QAAQ;AAAA,MAC7C,YAAY,EAAE,MAAM;AAAA,IACtB,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,SAAS,WAAmB,UAAkB;AACzD,SAAK,UAAU,SAAS;AACxB,WAAO,KAAK,QAAe;AAAA,MACzB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,WAAW,UAAU,YAAY,EAAE;AAAA,IAC/D,CAAC;AAAA,EACH;AAAA,EAKA,MAAa,eAAe,WAAmB,QAAsD;AACnG,SAAK,UAAU,SAAS;AACxB,UAAM,EAAE,kBAAkB,GAAG,WAAW,IAAI;AAC5C,WAAO,KAAK,QAAQ;AAAA,MAClB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,WAAW,SAAS;AAAA,MAC9C,YAAY;AAAA,MACZ,aAAa,EAAE,iBAAiB;AAAA,IAClC,CAAC;AAAA,EACH;AACF;;;ACzEA,IAAMC,aAAW;AAEV,IAAM,iBAAN,cAA6B,YAAY;AAAA,EAC9C,MAAa,kBAAkB,QAAkC;AAC/D,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,eAAuB;AACpD,SAAK,UAAU,aAAa;AAC5B,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,eAAe,QAAQ;AAAA,IACnD,CAAC;AAAA,EACH;AACF;;;AC3BA,iBAA0E;AAC1E,mBAAsB;AACtB,kBAMO;AACP,wBAA+C;AAE/C,mBAAkC;AAClC,IAAAC,eAA2C;AAEpC,IAAM,mBAAe,gCAAkB,EAAE,aAAa,iBAAiB,CAAC;AAExE,IAAM,EAAE,kBAAkB,QAAI,yCAA2B;;;ACNhE,IAAMC,aAAW;AAgHV,IAAM,UAAN,cAAsB,YAAY;AAAA,EACvC,MAAa,YAAY,SAAyB,CAAC,GAAG;AACpD,UAAM,EAAE,OAAO,QAAQ,SAAS,GAAG,gBAAgB,IAAI;AAIvD,UAAM,CAAC,MAAM,UAAU,IAAI,MAAM,QAAQ,IAAI;AAAA,MAC3C,KAAK,QAAgB;AAAA,QACnB,QAAQ;AAAA,QACR,MAAMA;AAAA,QACN,aAAa;AAAA,MACf,CAAC;AAAA,MACD,KAAK,SAAS,eAAe;AAAA,IAC/B,CAAC;AACD,WAAO,EAAE,MAAM,WAAW;AAAA,EAC5B;AAAA,EAEA,MAAa,QAAQ,QAAgB;AACnC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,MAAM;AAAA,IAClC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,QAA0B;AAChD,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,QAAgB,SAA2B,CAAC,GAAG;AACrE,SAAK,UAAU,MAAM;AAErB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,MAAM;AAAA,MAChC,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,uBAAuB,QAAgB,QAA+B;AACjF,SAAK,UAAU,MAAM;AAErB,UAAM,WAAW,IAAI,QAAQ,SAAS;AACtC,aAAS,OAAO,QAAQ,QAAQ,IAAI;AAEpC,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,eAAe;AAAA,MACjD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,QAAgB,QAA4B;AAC1E,SAAK,UAAU,MAAM;AAErB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,UAAU;AAAA,MAC5C,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,QAAgB;AACtC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,MAAM;AAAA,IAClC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,SAAS,SAA0B,CAAC,GAAG;AAClD,WAAO,KAAK,QAAgB;AAAA,MAC1B,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,OAAO;AAAA,MACjC,aAAa;AAAA,IACf,CAAC;AAAA,EACH;AAAA,EAWA,MAAa,wBAAwB,QAAgB,UAAoD;AACvG,SAAK,UAAU,MAAM;AACrB,UAAM,YAAY,SAAS,WAAW,QAAQ;AAC9C,UAAM,YAAY,YAAY,WAAW,SAAS,QAAQ;AAE1D,QAAI,WAAW;AACb;AAAA,QACE;AAAA,QACA;AAAA,MACF;AAAA,IACF;AAEA,WAAO,KAAK,QAAuD;AAAA,MACjE,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,uBAAuB,SAAS;AAAA,MAClE,aAAa,EAAE,WAAW,KAAK;AAAA,IACjC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,eAAe,QAAgB;AAC1C,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,KAAK;AAAA,IACzC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,8BAA8B,QAA6C;AACtF,UAAM,EAAE,QAAQ,OAAO,OAAO,IAAI;AAClC,SAAK,UAAU,MAAM;AAErB,WAAO,KAAK,QAA6D;AAAA,MACvE,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,0BAA0B;AAAA,MAC5D,aAAa,EAAE,OAAO,OAAO;AAAA,IAC/B,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,eAAe,QAA8B;AACxD,UAAM,EAAE,QAAQ,SAAS,IAAI;AAC7B,SAAK,UAAU,MAAM;AAErB,WAAO,KAAK,QAA4B;AAAA,MACtC,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,iBAAiB;AAAA,MACnD,YAAY,EAAE,SAAS;AAAA,IACzB,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,QAA0B;AAChD,UAAM,EAAE,QAAQ,KAAK,IAAI;AACzB,SAAK,UAAU,MAAM;AAErB,WAAO,KAAK,QAA+C;AAAA,MACzD,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,aAAa;AAAA,MAC/C,YAAY,EAAE,KAAK;AAAA,IACrB,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,QAAQ,QAAgB;AACnC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,KAAK;AAAA,IACzC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,UAAU,QAAgB;AACrC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,OAAO;AAAA,IAC3C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,SAAS,QAAgB;AACpC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,MAAM;AAAA,IAC1C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,QAAgB;AACtC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,QAAQ;AAAA,IAC5C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,uBAAuB,QAAgB;AAClD,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,eAAe;AAAA,IACnD,CAAC;AAAA,EACH;AACF;;;AClTA,IAAMC,aAAW;AA8CV,IAAM,oBAAN,cAAgC,YAAY;AAAA,EACjD,MAAa,sBAAsB,SAAmC,CAAC,GAAG;AACxE,WAAO,KAAK,QAA0B;AAAA,MACpC,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa;AAAA,IACf,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,qBAAqB,QAAoC;AACpE,WAAO,KAAK,QAAwB;AAAA,MAClC,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,kBAA0B;AACvD,SAAK,UAAU,gBAAgB;AAC/B,WAAO,KAAK,QAAwB;AAAA,MAClC,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,gBAAgB;AAAA,IAC5C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,qBAAqB,kBAA0B,SAAqC,CAAC,GAAG;AACnG,SAAK,UAAU,gBAAgB;AAE/B,WAAO,KAAK,QAAwB;AAAA,MAClC,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,gBAAgB;AAAA,MAC1C,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EACA,MAAa,qBAAqB,kBAA0B;AAC1D,SAAK,UAAU,gBAAgB;AAC/B,WAAO,KAAK,QAAwB;AAAA,MAClC,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,gBAAgB;AAAA,IAC5C,CAAC;AAAA,EACH;AACF;;;AC1FA,IAAMC,aAAW;AAEV,IAAM,kBAAN,cAA8B,YAAY;AAAA,EAC/C,MAAa,qBAAqB;AAChC,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAMA;AAAA,IACR,CAAC;AAAA,EACH;AACF;;;ACZA,IAAAC,gBAAkD;AAElD,4BAA0B;;;ACFnB,IAAM,UAAU;AAChB,IAAM,cAAc;AAEpB,IAAM,aAAa,GAAG,gBAAY,IAAI,QAAe;AACrD,IAAM,oCAAoC,IAAI;AAC9C,IAAM,yBAAyB;AAEtC,IAAM,aAAa;AAAA,EACjB,WAAW;AAAA,EACX,eAAe;AAAA,EACf,YAAY;AAAA,EACZ,YAAY;AAAA,EACZ,aAAa;AAAA,EACb,UAAU;AACZ;AAEA,IAAM,UAAU;AAAA,EACd,SAAS;AAAA,EACT,SAAS;AAAA,EACT,WAAW;AAAA,EACX,WAAW;AAAA,EACX,YAAY;AAAA,EACZ,eAAe;AACjB;AAEA,IAAM,kBAAkB;AAAA,EACtB,aAAa;AAAA,EACb,iBAAiB;AAAA,EACjB,kBAAkB;AAAA;AAAA,EAElB,YAAY,QAAQ;AAAA,EACpB,WAAW,QAAQ;AAAA,EACnB,eAAe;AAAA,EACf,kBAAkB;AAAA,EAClB,iBAAiB;AACnB;AAEA,IAAMC,WAAU;AAAA,EACd,WAAW;AAAA,EACX,eAAe;AAAA,EACf,YAAY;AAAA,EACZ,YAAY;AAAA,EACZ,aAAa;AAAA,EACb,UAAU;AAAA,EACV,aAAa;AAAA,EACb,kBAAkB;AAAA,EAClB,iBAAiB;AAAA,EACjB,0BAA0B;AAAA,EAC1B,eAAe;AAAA,EACf,eAAe;AAAA,EACf,gBAAgB;AAAA,EAChB,eAAe;AAAA,EACf,QAAQ;AAAA,EACR,UAAU;AAAA,EACV,WAAW;AAAA,EACX,QAAQ;AAAA,EACR,MAAM;AAAA,EACN,aAAa;AAAA,EACb,cAAc;AAAA,EACd,UAAU;AAAA,EACV,cAAc;AAChB;AAEA,IAAM,eAAe;AAAA,EACnB,MAAM;AACR;AAKO,IAAM,YAAY;AAAA,EACvB;AAAA,EACA;AAAA,EACA,SAAAA;AAAA,EACA;AAAA,EACA;AACF;;;AC1EO,SAAS,qBAAqB,KAAqC;AACxE,MAAI,CAAC,OAAO,OAAO,QAAQ,UAAU;AACnC,UAAM,MAAM,iGAAiG;AAAA,EAC/G;AAGF;AAEO,SAAS,0BAA0B,KAAqC;AAC7E,uCAAoB,KAA2B,EAAE,OAAO,KAAK,CAAC;AAChE;;;ACVO,IAAM,yBAAN,MAAM,wBAAuB;AAAA,EAClC,YACW,gBACA,WACA,UACA,YACT;AAJS;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA0D;AACxE,WAAO,IAAI,wBAAuB,KAAK,iBAAiB,KAAK,YAAY,KAAK,WAAW,KAAK,YAAY;AAAA,EAC5G;AACF;;;ACXO,IAAM,sBAAN,MAAM,qBAAoB;AAAA,EAC/B,YACW,IACA,YACA,WACA,WACA,cACT;AALS;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAoD;AAClE,WAAO,IAAI,qBAAoB,KAAK,IAAI,KAAK,YAAY,KAAK,YAAY,KAAK,YAAY,KAAK,aAAa;AAAA,EAC/G;AACF;;;ACZO,IAAM,kBAAN,MAAM,iBAAgB;AAAA,EAC3B,YACW,IACA,UACA,WACA,MACA,SACA,gBACA,aACA,YACT;AARS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA4C;AAC1D,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;AAEO,IAAM,UAAN,MAAM,SAAQ;AAAA,EACnB,YACW,IACA,UACA,QACA,QACA,cACA,UACA,WACA,WACA,WACA,0BACA,gBACA,QAAwC,MACjD;AAZS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA4B;AAC1C,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,mBAAmB,gBAAgB,SAAS,KAAK,eAAe;AAAA,MACrE,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACzDO,IAAM,SAAN,MAAM,QAAO;AAAA,EAClB,YACW,IACA,YACA,UACA,UACA,UACA,qBACA,WACA,WACT;AARS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA0B;AACxC,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,SAAS,IAAI,OAAK,QAAQ,SAAS,CAAC,CAAC;AAAA,MAC1C,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACzBO,IAAMC,WAAN,MAAM,SAAQ;AAAA,EACnB,YAAqB,SAAmB;AAAnB;AAAA,EAAoB;AAAA,EAEzC,OAAO,SAAS,MAA4B;AAC1C,WAAO,IAAI,SAAQ,KAAK,OAAO;AAAA,EACjC;AACF;;;ACNO,IAAM,gBAAN,MAAM,eAAc;AAAA,EACzB,YACW,QACA,IACA,MACA,SACT;AAJS;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAyB;AACvC,WAAO,IAAI,eAAc,KAAK,QAAQ,KAAK,MAAM,MAAM,KAAK,QAAQ,MAAM,KAAK,OAAO;AAAA,EACxF;AACF;;;ACXO,IAAM,QAAN,MAAM,OAAM;AAAA,EACjB,YACW,IACA,eACA,gBACA,gBACA,SACA,MACA,WACA,QACA,MACA,MACA,kBACT;AAXS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAwB;AACtC,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;AC9BO,IAAM,qBAAN,MAAM,oBAAmB;AAAA,EAC9B,YACW,IACA,MACT;AAFS;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkD;AAChE,WAAO,IAAI,oBAAmB,KAAK,IAAI,KAAK,IAAI;AAAA,EAClD;AACF;;;ACTO,IAAM,eAAN,MAAM,cAAa;AAAA,EACxB,YACW,QACA,UACA,kCAA8C,MAC9C,WAA0B,MAC1B,WAA0B,MAC1B,QAAuB,MACvB,UAAyB,MAClC;AAPS;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAsC;AACpD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,qCAAqC,IAAI,IAAI,KAAK,kCAAkC,IAAI;AAAA,MAC7F,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACnBO,IAAM,eAAN,MAAM,cAAa;AAAA,EACxB,YACW,IACA,cACA,cACA,UACT;AAJS;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAsC;AACpD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,gBAAgB,aAAa,SAAS,KAAK,YAAY;AAAA,MAC5D,KAAK,UAAU,IAAI,UAAQ,mBAAmB,SAAS,IAAI,CAAC;AAAA,IAC9D;AAAA,EACF;AACF;;;ACjBO,IAAM,kBAAN,MAAM,iBAAgB;AAAA,EAC3B,YACW,IACA,UACA,kBACA,YACA,gBACA,cACA,WACA,UACA,UACA,UACA,iBAAiD,CAAC,GAClD,OACA,cACT;AAbS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA4C;AAC1D,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,aAAa;AAAA,MAClB,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,gBAAgB,aAAa,SAAS,KAAK,YAAY;AAAA,IAC9D;AAAA,EACF;AACF;;;AClCO,IAAM,aAAN,MAAM,YAAW;AAAA,EACtB,YACW,IACA,cACA,gBACA,WACA,WACA,QACA,KACA,SACT;AARS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkC;AAChD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;AChBO,IAAM,aAAa;AAAA,EACxB,wBAAwB;AAAA,EACxB,qBAAqB;AAAA,EACrB,QAAQ;AAAA,EACR,SAAS;AAAA,EACT,OAAO;AAAA,EACP,cAAc;AAAA,EACd,iBAAiB;AAAA,EACjB,iBAAiB;AAAA,EACjB,eAAe;AAAA,EACf,YAAY;AAAA,EACZ,kBAAkB;AAAA,EAClB,cAAc;AAAA,EACd,oBAAoB;AAAA,EACpB,wBAAwB;AAAA,EACxB,wBAAwB;AAAA,EACxB,aAAa;AAAA,EACb,aAAa;AAAA,EACb,aAAa;AAAA,EACb,SAAS;AAAA,EACT,eAAe;AAAA,EACf,aAAa;AAAA,EACb,eAAe;AAAA,EACf,YAAY;AAAA,EACZ,MAAM;AAAA,EACN,YAAY;AAAA,EACZ,OAAO;AAAA,EACP,YAAY;AAAA,EACZ,cAAc;AAAA,EACd,MAAM;AAAA,EACN,YAAY;AACd;;;ACxCO,IAAM,mBAAN,MAAM,kBAAiB;AAAA,EAC5B,YACW,mBACA,UACA,OACA,iBAA0C,CAAC,GAC3C,OACA,QACA,aACT;AAPS;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA4B;AAC1C,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,SAAS;AAAA,MACd,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACtBO,IAAM,eAAN,MAAM,cAAa;AAAA,EACxB,YACW,IACA,MACA,MACA,UACA,UACA,WACA,WACA,iBAAoD,CAAC,GACrD,kBAA+C,CAAC,GAChD,uBACA,oBACA,cACA,WACT;AAbS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAsC;AACpD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,aAAa;AAAA,MAClB,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACjCO,IAAM,yBAAN,MAAM,wBAAuB;AAAA,EAClC,YACW,IACA,cACA,MACA,gBACA,WACA,WACA,QACA,iBAAuD,CAAC,GACxD,kBAAyD,CAAC,GACnE;AATS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkC;AAChD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACzBO,IAAM,yBAAN,MAAM,wBAAuB;AAAA,EAClC,YACW,IACA,MACA,aACA,iBAAuD,CAAC,GACxD,kBAAyD,CAAC,GAC1D,WACA,WACA,cACA,gBACT;AATS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkC;AAChD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,aAAa,SAAS,KAAK,YAAY;AAAA,MACvC,qCAAqC,SAAS,KAAK,gBAAgB;AAAA,IACrE;AAAA,EACF;AACF;AAEO,IAAM,uCAAN,MAAM,sCAAqC;AAAA,EAChD,YACW,YACA,WACA,UACA,UACA,UACA,QACT;AANS;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAgD;AAC9D,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;AChDO,IAAM,cAAN,MAAM,aAAY;AAAA,EACvB,YACW,IACA,aACA,yBACA,qBACA,cACA,UACT;AANS;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAoC;AAClD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,gBAAgB,aAAa,SAAS,KAAK,YAAY;AAAA,MAC5D,KAAK,UAAU,IAAI,UAAQ,mBAAmB,SAAS,IAAI,CAAC;AAAA,IAC9D;AAAA,EACF;AACF;;;ACtBO,IAAM,cAAN,MAAM,aAAY;AAAA,EACvB,YACW,IACA,KACA,WACA,WACT;AAJS;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAoC;AAClD,WAAO,IAAI,aAAY,KAAK,IAAI,KAAK,KAAK,KAAK,YAAY,KAAK,UAAU;AAAA,EAC5E;AACF;;;ACXO,IAAM,cAAN,MAAM,aAAY;AAAA,EACvB,YACW,IACA,QACA,OACA,QACA,KACA,WACA,WACT;AAPS;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAoC;AAClD,WAAO,IAAI,aAAY,KAAK,IAAI,KAAK,SAAS,KAAK,OAAO,KAAK,QAAQ,KAAK,KAAK,KAAK,YAAY,KAAK,UAAU;AAAA,EACnH;AACF;;;ACdO,IAAM,aAAN,MAAM,YAAW;AAAA,EACtB,YACW,IACA,iBACA,eACA,SACA,QACA,eACA,MACT;AAPS;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkC;AAChD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACtBO,IAAM,QAAN,MAAM,OAAM;AAAA,EACjB,YAAqB,KAAa;AAAb;AAAA,EAAc;AAAA,EAEnC,OAAO,SAAS,MAAwB;AACtC,WAAO,IAAI,OAAM,KAAK,GAAG;AAAA,EAC3B;AACF;;;AC6CO,IAAM,wBAAN,MAAM,uBAAsB;AAAA,EACjC,YACW,IACA,MACA,QACA,QACA,UACA,oBACA,iBACA,mBACA,WACA,WACT;AAVS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EACH,OAAO,SAAS,MAAwD;AACtE,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;AC5EO,IAAM,cAAN,MAAM,aAAY;AAAA,EACvB,YACW,IACA,UACA,gBACA,QACA,cACA,WACA,UACA,cACA,gBACT;AATS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAoC;AAClD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,gBAAgB,aAAa,SAAS,KAAK,YAAY;AAAA,MAC5D,KAAK,mBAAmB,sBAAsB,SAAS,KAAK,eAAe;AAAA,IAC7E;AAAA,EACF;AACF;;;AC3BO,IAAM,aAAN,MAAM,YAAW;AAAA,EACtB,YACW,IACA,YACA,cACT;AAHS;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkC;AAChD,WAAO,IAAI,YAAW,KAAK,IAAI,KAAK,aAAa,KAAK,gBAAgB,aAAa,SAAS,KAAK,YAAY,CAAC;AAAA,EAChH;AACF;;;ACNO,IAAM,OAAN,MAAM,MAAK;AAAA,EAOhB,YACW,IACA,iBACA,aACA,mBACA,kBACA,QACA,QACA,WACA,WACA,UACA,UACA,uBACA,sBACA,qBACA,cACA,YACA,UACA,WACA,UACA,iBAAqC,CAAC,GACtC,kBAAuC,CAAC,GACxC,iBAAqC,CAAC,GACtC,iBAAiC,CAAC,GAClC,eAA8B,CAAC,GAC/B,cAA4B,CAAC,GAC7B,mBAAsC,CAAC,GACvC,eAA8B,CAAC,GAC/B,cACA,2BACA,2BAA0C,MAC1C,mBACA,iBACT;AAhCS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAtCX,SAAQ,OAAwB;AAAA,EAuC7B;AAAA,EArCH,IAAW,MAAuB;AAChC,WAAO,KAAK;AAAA,EACd;AAAA,EAqCA,OAAO,SAAS,MAAsB;AACpC,UAAM,MAAM,IAAI;AAAA,MACd,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,OACJ,KAAK,mBAAmB,CAAC,GAAG,IAAI,OAAK,aAAa,SAAS,CAAC,CAAC;AAAA,OAC7D,KAAK,iBAAiB,CAAC,GAAG,IAAI,OAAK,YAAY,SAAS,CAAC,CAAC;AAAA,OAC1D,KAAK,gBAAgB,CAAC,GAAG,IAAI,OAAK,WAAW,SAAS,CAAC,CAAC;AAAA,OACxD,KAAK,qBAAqB,CAAC,GAAG,IAAI,CAAC,MAA2B,gBAAgB,SAAS,CAAC,CAAC;AAAA,OACzF,KAAK,iBAAiB,CAAC,GAAG,IAAI,CAAC,MAAuB,YAAY,SAAS,CAAC,CAAC;AAAA,MAC9E,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AACA,QAAI,OAAO;AACX,WAAO;AAAA,EACT;AAAA,EAEA,IAAI,sBAAsB;AACxB,WAAO,KAAK,eAAe,KAAK,CAAC,EAAE,GAAG,MAAM,OAAO,KAAK,qBAAqB,KAAK;AAAA,EACpF;AAAA,EAEA,IAAI,qBAAqB;AACvB,WAAO,KAAK,aAAa,KAAK,CAAC,EAAE,GAAG,MAAM,OAAO,KAAK,oBAAoB,KAAK;AAAA,EACjF;AAAA,EAEA,IAAI,oBAAoB;AACtB,WAAO,KAAK,YAAY,KAAK,CAAC,EAAE,GAAG,MAAM,OAAO,KAAK,mBAAmB,KAAK;AAAA,EAC/E;AAAA,EAEA,IAAI,WAAW;AACb,WAAO,CAAC,KAAK,WAAW,KAAK,QAAQ,EAAE,KAAK,GAAG,EAAE,KAAK,KAAK;AAAA,EAC7D;AACF;;;ACvEO,SAAS,YAAqB,SAAsE;AACzG,MAAI,MAAM;AAEV,MAAI,MAAM,QAAQ,OAAO,GAAG;AAC1B,UAAMC,QAAO,QAAQ,IAAI,UAAQ,aAAa,IAAI,CAAC;AACnD,WAAO,EAAE,MAAAA,MAAK;AAAA,EAChB,WAAW,YAAY,OAAO,GAAG;AAC/B,WAAO,QAAQ,KAAK,IAAI,UAAQ,aAAa,IAAI,CAAC;AAClD,iBAAa,QAAQ;AAErB,WAAO,EAAE,MAAM,WAAW;AAAA,EAC5B,OAAO;AACL,WAAO,EAAE,MAAM,aAAa,OAAO,EAAE;AAAA,EACvC;AACF;AAEA,SAAS,YAAY,SAAoD;AACvE,MAAI,CAAC,WAAW,OAAO,YAAY,YAAY,EAAE,UAAU,UAAU;AACnE,WAAO;AAAA,EACT;AAEA,SAAO,MAAM,QAAQ,QAAQ,IAAI,KAAK,QAAQ,SAAS;AACzD;AAEA,SAAS,SAAS,MAA6B;AAC7C,SAAO,KAAK;AACd;AAGA,SAAS,aAAa,MAAgB;AAGpC,MAAI,OAAO,SAAS,YAAY,YAAY,QAAQ,aAAa,MAAM;AACrE,WAAO,cAAc,SAAS,IAAI;AAAA,EACpC;AAEA,UAAQ,KAAK,QAAQ;AAAA,IACnB,KAAK,WAAW;AACd,aAAO,uBAAuB,SAAS,IAAI;AAAA,IAC7C,KAAK,WAAW;AACd,aAAO,oBAAoB,SAAS,IAAI;AAAA,IAC1C,KAAK,WAAW;AACd,aAAO,OAAO,SAAS,IAAI;AAAA,IAC7B,KAAK,WAAW;AACd,aAAOC,SAAQ,SAAS,IAAI;AAAA,IAC9B,KAAK,WAAW;AACd,aAAO,aAAa,SAAS,IAAI;AAAA,IACnC,KAAK,WAAW;AACd,aAAO,MAAM,SAAS,IAAI;AAAA,IAC5B,KAAK,WAAW;AACd,aAAO,WAAW,SAAS,IAAI;AAAA,IACjC,KAAK,WAAW;AACd,aAAO,iBAAiB,SAAS,IAAI;AAAA,IACvC,KAAK,WAAW;AACd,aAAO,aAAa,SAAS,IAAI;AAAA,IACnC,KAAK,WAAW;AACd,aAAO,uBAAuB,SAAS,IAAI;AAAA,IAC7C,KAAK,WAAW;AACd,aAAO,uBAAuB,SAAS,IAAI;AAAA,IAC7C,KAAK,WAAW;AACd,aAAO,YAAY,SAAS,IAAI;AAAA,IAClC,KAAK,WAAW;AACd,aAAO,YAAY,SAAS,IAAI;AAAA,IAClC,KAAK,WAAW;AACd,aAAO,YAAY,SAAS,IAAI;AAAA,IAClC,KAAK,WAAW;AACd,aAAO,QAAQ,SAAS,IAAI;AAAA,IAC9B,KAAK,WAAW;AACd,aAAO,WAAW,SAAS,IAAI;AAAA,IACjC,KAAK,WAAW;AACd,aAAO,MAAM,SAAS,IAAI;AAAA,IAC5B,KAAK,WAAW;AACd,aAAO,SAAS,IAAI;AAAA,IACtB,KAAK,WAAW;AACd,aAAO,KAAK,SAAS,IAAI;AAAA,IAC3B;AACE,aAAO;AAAA,EACX;AACF;;;A7BnDO,SAAS,aAAa,SAA8B;AACzD,QAAM,YAAY,OAAU,mBAAuF;AACjH,UAAM;AAAA,MACJ;AAAA,MACA,mBAAmB;AAAA,MACnB,SAAS;AAAA,MACT,aAAa;AAAA,MACb,YAAY;AAAA,IACd,IAAI;AACJ,UAAM,EAAE,MAAM,QAAQ,aAAa,cAAc,YAAY,SAAS,IAAI;AAE1E,QAAI,kBAAkB;AACpB,2BAAqB,SAAS;AAAA,IAChC;AAEA,UAAM,MAAM,UAAU,QAAQ,YAAY,IAAI;AAG9C,UAAM,WAAW,IAAI,IAAI,GAAG;AAE5B,QAAI,aAAa;AAEf,YAAM,4BAAwB,sBAAAC,SAAc,EAAE,GAAG,YAAY,CAAC;AAG9D,iBAAW,CAAC,KAAK,GAAG,KAAK,OAAO,QAAQ,qBAAqB,GAAG;AAC9D,YAAI,KAAK;AACP,WAAC,GAAG,EAAE,KAAK,EAAE,QAAQ,OAAK,SAAS,aAAa,OAAO,KAAK,CAAW,CAAC;AAAA,QAC1E;AAAA,MACF;AAAA,IACF;AAGA,UAAM,UAA+B;AAAA,MACnC,eAAe,UAAU,SAAS;AAAA,MAClC,qBAAqB;AAAA,MACrB,cAAc;AAAA,MACd,GAAG;AAAA,IACL;AAEA,QAAI;AACJ,QAAI;AACF,UAAI,UAAU;AACZ,cAAM,MAAM,QAAQ,MAAM,SAAS,MAAM;AAAA,UACvC;AAAA,UACA;AAAA,UACA,MAAM;AAAA,QACR,CAAC;AAAA,MACH,OAAO;AAEL,gBAAQ,cAAc,IAAI;AAE1B,cAAM,UAAU,WAAW,SAAS,cAAc,OAAO,KAAK,UAAU,EAAE,SAAS;AACnF,cAAM,OAAO,UAAU,EAAE,MAAM,KAAK,cAAU,sBAAAA,SAAc,YAAY,EAAE,MAAM,MAAM,CAAC,CAAC,EAAE,IAAI;AAE9F,cAAM,MAAM,QAAQ,MAAM,SAAS,MAAM;AAAA,UACvC;AAAA,UACA;AAAA,UACA,GAAG;AAAA,QACL,CAAC;AAAA,MACH;AAGA,YAAM,iBACJ,KAAK,WAAW,IAAI,SAAS,IAAI,UAAU,QAAQ,WAAW,MAAM,UAAU,aAAa;AAC7F,YAAM,eAAe,OAAO,iBAAiB,IAAI,KAAK,IAAI,IAAI,KAAK;AAEnE,UAAI,CAAC,IAAI,IAAI;AACX,eAAO;AAAA,UACL,MAAM;AAAA,UACN,QAAQ,YAAY,YAAY;AAAA,UAChC,QAAQ,KAAK;AAAA,UACb,YAAY,KAAK;AAAA,UACjB,cAAc,WAAW,cAAc,KAAK,OAAO;AAAA,QACrD;AAAA,MACF;AAEA,aAAO;AAAA,QACL,GAAG,YAAe,YAAY;AAAA,QAC9B,QAAQ;AAAA,MACV;AAAA,IACF,SAAS,KAAK;AACZ,UAAI,eAAe,OAAO;AACxB,eAAO;AAAA,UACL,MAAM;AAAA,UACN,QAAQ;AAAA,YACN;AAAA,cACE,MAAM;AAAA,cACN,SAAS,IAAI,WAAW;AAAA,YAC1B;AAAA,UACF;AAAA,UACA,cAAc,WAAW,KAAK,KAAK,OAAO;AAAA,QAC5C;AAAA,MACF;AAEA,aAAO;AAAA,QACL,MAAM;AAAA,QACN,QAAQ,YAAY,GAAG;AAAA,QACvB,QAAQ,KAAK;AAAA,QACb,YAAY,KAAK;AAAA,QACjB,cAAc,WAAW,KAAK,KAAK,OAAO;AAAA,MAC5C;AAAA,IACF;AAAA,EACF;AAEA,SAAO,wBAAwB,SAAS;AAC1C;AAIA,SAAS,WAAW,MAAe,SAA2B;AAC5D,MAAI,QAAQ,OAAO,SAAS,YAAY,oBAAoB,QAAQ,OAAO,KAAK,mBAAmB,UAAU;AAC3G,WAAO,KAAK;AAAA,EACd;AAEA,QAAM,QAAQ,SAAS,IAAI,QAAQ;AACnC,SAAO,SAAS;AAClB;AAEA,SAAS,YAAY,MAAgC;AACnD,MAAI,CAAC,CAAC,QAAQ,OAAO,SAAS,YAAY,YAAY,MAAM;AAC1D,UAAM,SAAS,KAAK;AACpB,WAAO,OAAO,SAAS,IAAI,OAAO,IAAI,wBAAU,IAAI,CAAC;AAAA,EACvD;AACA,SAAO,CAAC;AACV;AAKA,SAAS,wBAAwB,IAAgC;AAC/D,SAAO,UAAU,SAAS;AAExB,UAAM,EAAE,MAAM,QAAQ,YAAY,QAAQ,YAAY,aAAa,IAAI,MAAM,GAAM,GAAG,IAAI;AAC1F,QAAI,QAAQ;AAIV,YAAM,QAAQ,IAAI,oCAAsB,cAAc,IAAI;AAAA,QACxD,MAAM,CAAC;AAAA,QACP;AAAA,QACA;AAAA,MACF,CAAC;AACD,YAAM,SAAS;AACf,YAAM;AAAA,IACR;AAEA,QAAI,OAAO,eAAe,aAAa;AACrC,aAAO,EAAE,MAAM,WAAW;AAAA,IAC5B;AAEA,WAAO;AAAA,EACT;AACF;;;A8B9LO,SAAS,uBAAuB,SAAkC;AACvE,QAAM,UAAU,aAAa,OAAO;AAEpC,SAAO;AAAA,IACL,wCAAwC,IAAI;AAAA,MAC1C,aAAa,EAAE,GAAG,SAAS,kBAAkB,MAAM,CAAC;AAAA,IACtD;AAAA,IACA,sBAAsB,IAAI,uBAAuB,OAAO;AAAA,IACxD,SAAS,IAAI,UAAU,OAAO;AAAA,IAC9B,gBAAgB,IAAI,gBAAgB,OAAO;AAAA,IAC3C,aAAa,IAAI,cAAc,OAAO;AAAA,IACtC,eAAe,IAAI,gBAAgB,OAAO;AAAA,IAC1C,cAAc,IAAI,eAAe,OAAO;AAAA,IACxC,cAAc,IAAI,eAAe,OAAO;AAAA,IACxC,UAAU,IAAI,WAAW,OAAO;AAAA,IAChC,cAAc,IAAI,eAAe,OAAO;AAAA,IACxC,OAAO,IAAI,QAAQ,OAAO;AAAA,IAC1B,SAAS,IAAI,UAAU,OAAO;AAAA,IAC9B,iBAAiB,IAAI,kBAAkB,OAAO;AAAA,IAC9C,eAAe,IAAI,gBAAgB,OAAO;AAAA,EAC5C;AACF;;;ACxCO,SAAS,iBAAiF,IAAO;AACtG,SAAO,UAAU,SAAsF;AACrG,UAAM,EAAE,MAAM,OAAO,IAAI,MAAM,GAAG,GAAG,IAAI;AACzC,QAAI,QAAQ;AACV,YAAM,OAAO,CAAC;AAAA,IAChB;AACA,WAAO;AAAA,EACT;AACF;;;ACXO,SAAS,uBAAsD,mBAAsB,SAAwB;AAClH,SAAO,OAAO,KAAK,iBAAiB,EAAE;AAAA,IACpC,CAAC,KAAQ,QAAgB;AACvB,aAAO,EAAE,GAAG,KAAK,CAAC,GAAG,GAAG,QAAQ,GAAG,KAAK,IAAI,GAAG,EAAE;AAAA,IACnD;AAAA,IACA,EAAE,GAAG,kBAAkB;AAAA,EACzB;AACF;;;ACNA,0BAAsB;;;ACCf,IAAM,6BAA6B;AAAA,EACxC,kBAAkB;AACpB;AAIO,IAAM,+BAA+B;AAAA,EAC1C,cAAc;AAAA,EACd,cAAc;AAAA,EACd,uBAAuB;AAAA,EACvB,+BAA+B;AAAA,EAC/B,uBAAuB;AAAA,EACvB,mBAAmB;AAAA,EACnB,qBAAqB;AAAA,EACrB,yBAAyB;AAAA,EACzB,kBAAkB;AAAA,EAClB,iBAAiB;AAAA,EACjB,uBAAuB;AAAA,EACvB,kBAAkB;AAAA,EAClB,kBAAkB;AAAA,EAClB,oBAAoB;AAAA,EACpB,gBAAgB;AAClB;AAKO,IAAM,+BAA+B;AAAA,EAC1C,gBAAgB;AAAA,EAChB,gBAAgB;AAAA,EAChB,gBAAgB;AAAA,EAChB,mBAAmB;AAAA,EACnB,iBAAiB;AACnB;AAKO,IAAM,yBAAN,MAAM,gCAA+B,MAAM;AAAA,EAKhD,YAAY;AAAA,IACV;AAAA,IACA;AAAA,IACA;AAAA,EACF,GAIG;AACD,UAAM,OAAO;AAEb,WAAO,eAAe,MAAM,wBAAuB,SAAS;AAE5D,SAAK,SAAS;AACd,SAAK,UAAU;AACf,SAAK,SAAS;AAAA,EAChB;AAAA,EAEO,iBAAiB;AACtB,WAAO,GAAG,CAAC,KAAK,SAAS,KAAK,MAAM,EAAE,OAAO,OAAK,CAAC,EAAE,KAAK,GAAG,CAAC,YAAY,KAAK,MAAM,mBACnF,KAAK,YACP;AAAA,EACF;AACF;;;ACzDO,IAAM,YAAY;AAAA,EACvB,MAAM,QAAgB,MAAiC;AACrD,WAAO,MAAM,QAAQ,mBAAmB,IAAI;AAAA,EAC9C;AAAA,EAEA,UAAU,MAAyB,MAAiC;AAClE,WAAO,UAAU,MAAM,mBAAmB,IAAI;AAAA,EAChD;AACF;AAEA,IAAM,oBAA8B;AAAA,EAClC,OAAO;AAAA,EACP,MAAM;AACR;AAiBA,SAAS,MAAM,QAAgB,UAAoB,OAAqB,CAAC,GAAe;AAEtF,MAAI,CAAC,SAAS,OAAO;AACnB,aAAS,QAAQ,CAAC;AAClB,aAAS,IAAI,GAAG,IAAI,SAAS,MAAM,QAAQ,EAAE,GAAG;AAC9C,eAAS,MAAM,SAAS,MAAM,CAAC,CAAC,IAAI;AAAA,IACtC;AAAA,EACF;AAGA,MAAI,CAAC,KAAK,SAAU,OAAO,SAAS,SAAS,OAAQ,GAAG;AACtD,UAAM,IAAI,YAAY,iBAAiB;AAAA,EACzC;AAGA,MAAI,MAAM,OAAO;AACjB,SAAO,OAAO,MAAM,CAAC,MAAM,KAAK;AAC9B,MAAE;AAGF,QAAI,CAAC,KAAK,SAAS,GAAI,OAAO,SAAS,OAAO,SAAS,OAAQ,IAAI;AACjE,YAAM,IAAI,YAAY,iBAAiB;AAAA,IACzC;AAAA,EACF;AAGA,QAAM,MAAM,KAAK,KAAK,OAAO,YAAc,MAAM,SAAS,OAAQ,IAAK,CAAC;AAGxE,MAAI,OAAO;AACX,MAAI,SAAS;AACb,MAAI,UAAU;AACd,WAAS,IAAI,GAAG,IAAI,KAAK,EAAE,GAAG;AAE5B,UAAM,QAAQ,SAAS,MAAM,OAAO,CAAC,CAAC;AACtC,QAAI,UAAU,QAAW;AACvB,YAAM,IAAI,YAAY,uBAAuB,OAAO,CAAC,CAAC;AAAA,IACxD;AAGA,aAAU,UAAU,SAAS,OAAQ;AACrC,YAAQ,SAAS;AAGjB,QAAI,QAAQ,GAAG;AACb,cAAQ;AACR,UAAI,SAAS,IAAI,MAAQ,UAAU;AAAA,IACrC;AAAA,EACF;AAGA,MAAI,QAAQ,SAAS,QAAQ,MAAQ,UAAW,IAAI,MAAQ;AAC1D,UAAM,IAAI,YAAY,wBAAwB;AAAA,EAChD;AAEA,SAAO;AACT;AAEA,SAAS,UAAU,MAAyB,UAAoB,OAAyB,CAAC,GAAW;AACnG,QAAM,EAAE,MAAM,KAAK,IAAI;AACvB,QAAM,QAAQ,KAAK,SAAS,QAAQ;AACpC,MAAI,MAAM;AAEV,MAAI,OAAO;AACX,MAAI,SAAS;AACb,WAAS,IAAI,GAAG,IAAI,KAAK,QAAQ,EAAE,GAAG;AAEpC,aAAU,UAAU,IAAM,MAAO,KAAK,CAAC;AACvC,YAAQ;AAGR,WAAO,OAAO,SAAS,MAAM;AAC3B,cAAQ,SAAS;AACjB,aAAO,SAAS,MAAM,OAAQ,UAAU,IAAK;AAAA,IAC/C;AAAA,EACF;AAGA,MAAI,MAAM;AACR,WAAO,SAAS,MAAM,OAAQ,UAAW,SAAS,OAAO,IAAM;AAAA,EACjE;AAGA,MAAI,KAAK;AACP,WAAQ,IAAI,SAAS,SAAS,OAAQ,GAAG;AACvC,aAAO;AAAA,IACT;AAAA,EACF;AAEA,SAAO;AACT;;;ACnIA,IAAM,YAAoC;AAAA,EACxC,OAAO;AAAA,EACP,OAAO;AAAA,EACP,OAAO;AACT;AACA,IAAM,qBAAqB;AAE3B,IAAM,qBAA6C;AAAA,EACjD,OAAO;AAAA,EACP,OAAO;AAAA,EACP,OAAO;AACT;AAEO,IAAM,OAAO,OAAO,KAAK,SAAS;AAElC,SAAS,mBAAmB,eAA8C;AAC/E,QAAM,OAAO,UAAU,aAAa;AACpC,QAAM,OAAO,mBAAmB,aAAa;AAE7C,MAAI,CAAC,QAAQ,CAAC,MAAM;AAClB,UAAM,IAAI,MAAM,yBAAyB,aAAa,qBAAqB,KAAK,KAAK,GAAG,CAAC,GAAG;AAAA,EAC9F;AAEA,SAAO;AAAA,IACL,MAAM,EAAE,MAAM,UAAU,aAAa,EAAE;AAAA,IACvC,MAAM,mBAAmB,aAAa;AAAA,EACxC;AACF;;;ACtBA,IAAM,gBAAgB,CAAC,MAA8B;AACnD,SAAO,MAAM,QAAQ,CAAC,KAAK,EAAE,SAAS,KAAK,EAAE,MAAM,OAAK,OAAO,MAAM,QAAQ;AAC/E;AAEO,IAAM,sBAAsB,CAAC,KAAe,aAAuB;AACxE,QAAM,eAAe,CAAC,QAAQ,EAAE,KAAK,EAAE,OAAO,OAAK,CAAC,CAAC,CAAC;AACtD,QAAM,UAAU,CAAC,GAAG,EAAE,KAAK,EAAE,OAAO,OAAK,CAAC,CAAC,CAAC;AAC5C,QAAM,uBAAuB,aAAa,SAAS,KAAK,QAAQ,SAAS;AAEzE,MAAI,CAAC,sBAAsB;AASzB;AAAA,EACF;AAEA,MAAI,OAAO,QAAQ,UAAU;AAC3B,QAAI,CAAC,aAAa,SAAS,GAAG,GAAG;AAC/B,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,QAAQ,6BAA6B;AAAA,QACrC,SAAS,oCAAoC,KAAK,UAAU,GAAG,CAAC,yBAAyB,KAAK;AAAA,UAC5F;AAAA,QACF,CAAC;AAAA,MACH,CAAC;AAAA,IACH;AAAA,EACF,WAAW,cAAc,GAAG,GAAG;AAC7B,QAAI,CAAC,IAAI,KAAK,OAAK,aAAa,SAAS,CAAC,CAAC,GAAG;AAC5C,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,QAAQ,6BAA6B;AAAA,QACrC,SAAS,0CAA0C,KAAK,UAAU,GAAG,CAAC,yBAAyB,KAAK;AAAA,UAClG;AAAA,QACF,CAAC;AAAA,MACH,CAAC;AAAA,IACH;AAAA,EACF;AACF;AAEO,IAAM,mBAAmB,CAAC,QAAkB;AACjD,MAAI,OAAO,QAAQ,aAAa;AAC9B;AAAA,EACF;AAEA,MAAI,QAAQ,OAAO;AACjB,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,oBAAoB,KAAK,UAAU,GAAG,CAAC;AAAA,IAClD,CAAC;AAAA,EACH;AACF;AAEO,IAAM,wBAAwB,CAAC,QAAgB;AACpD,MAAI,CAAC,KAAK,SAAS,GAAG,GAAG;AACvB,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,yBAAyB,KAAK,UAAU,GAAG,CAAC,gBAAgB,IAAI;AAAA,IAC3E,CAAC;AAAA,EACH;AACF;AAEO,IAAM,iBAAiB,CAAC,QAAiB;AAC9C,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,kEAAkE,KAAK,UAAU,GAAG,CAAC;AAAA,IAChG,CAAC;AAAA,EACH;AACF;AAEO,IAAM,+BAA+B,CAAC,KAAc,sBAAiC;AAC1F,MAAI,CAAC,OAAO,CAAC,qBAAqB,kBAAkB,WAAW,GAAG;AAChE;AAAA,EACF;AAEA,MAAI,CAAC,kBAAkB,SAAS,GAAG,GAAG;AACpC,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,4CAA4C,KAAK,UAAU,GAAG,CAAC,eAAe,iBAAiB;AAAA,IAC1G,CAAC;AAAA,EACH;AACF;AAEO,IAAM,wBAAwB,CAAC,KAAa,kBAA0B;AAC3E,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,uCAAuC,KAAK,UAAU,GAAG,CAAC;AAAA,IACrE,CAAC;AAAA,EACH;AAEA,QAAM,cAAc,IAAI,KAAK,KAAK,IAAI,CAAC;AACvC,QAAM,aAAa,oBAAI,KAAK,CAAC;AAC7B,aAAW,cAAc,GAAG;AAE5B,QAAM,UAAU,WAAW,QAAQ,KAAK,YAAY,QAAQ,IAAI;AAChE,MAAI,SAAS;AACX,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,gCAAgC,WAAW,YAAY,CAAC,mBAAmB,YAAY,YAAY,CAAC;AAAA,IAC/G,CAAC;AAAA,EACH;AACF;AAEO,IAAM,wBAAwB,CAAC,KAAyB,kBAA0B;AACvF,MAAI,OAAO,QAAQ,aAAa;AAC9B;AAAA,EACF;AAEA,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,2CAA2C,KAAK,UAAU,GAAG,CAAC;AAAA,IACzE,CAAC;AAAA,EACH;AAEA,QAAM,cAAc,IAAI,KAAK,KAAK,IAAI,CAAC;AACvC,QAAM,gBAAgB,oBAAI,KAAK,CAAC;AAChC,gBAAc,cAAc,GAAG;AAE/B,QAAM,QAAQ,cAAc,QAAQ,IAAI,YAAY,QAAQ,IAAI;AAChE,MAAI,OAAO;AACT,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,6EAA6E,cAAc,YAAY,CAAC,mBAAmB,YAAY,YAAY,CAAC;AAAA,IAC/J,CAAC;AAAA,EACH;AACF;AAEO,IAAM,sBAAsB,CAAC,KAAyB,kBAA0B;AACrF,MAAI,OAAO,QAAQ,aAAa;AAC9B;AAAA,EACF;AAEA,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,0CAA0C,KAAK,UAAU,GAAG,CAAC;AAAA,IACxE,CAAC;AAAA,EACH;AAEA,QAAM,cAAc,IAAI,KAAK,KAAK,IAAI,CAAC;AACvC,QAAM,eAAe,oBAAI,KAAK,CAAC;AAC/B,eAAa,cAAc,GAAG;AAE9B,QAAM,aAAa,aAAa,QAAQ,IAAI,YAAY,QAAQ,IAAI;AACpE,MAAI,YAAY;AACd,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,oEAAoE,aAAa,YAAY,CAAC,mBAAmB,YAAY,YAAY,CAAC;AAAA,IACrJ,CAAC;AAAA,EACH;AACF;;;ACxKA,4BAA+B;AAK/B,SAAS,YAAY,QAA6B;AAChD,QAAM,UAAU,OACb,QAAQ,uBAAuB,EAAE,EACjC,QAAQ,qBAAqB,EAAE,EAC/B,QAAQ,OAAO,EAAE;AAEpB,QAAM,cAAU,sCAAe,OAAO;AAEtC,QAAM,SAAS,IAAI,YAAY,QAAQ,MAAM;AAC7C,QAAM,UAAU,IAAI,WAAW,MAAM;AAErC,WAAS,IAAI,GAAG,SAAS,QAAQ,QAAQ,IAAI,QAAQ,KAAK;AACxD,YAAQ,CAAC,IAAI,QAAQ,WAAW,CAAC;AAAA,EACnC;AAEA,SAAO;AACT;AAEO,SAAS,UACd,KACA,WACA,UACoB;AACpB,MAAI,OAAO,QAAQ,UAAU;AAC3B,WAAO,QAAQ,OAAO,OAAO,UAAU,OAAO,KAAK,WAAW,OAAO,CAAC,QAAQ,CAAC;AAAA,EACjF;AAEA,QAAM,UAAU,YAAY,GAAG;AAC/B,QAAM,SAAS,aAAa,SAAS,UAAU;AAE/C,SAAO,QAAQ,OAAO,OAAO,UAAU,QAAQ,SAAS,WAAW,OAAO,CAAC,QAAQ,CAAC;AACtF;;;ACjBA,IAAM,gCAAgC,IAAI;AAE1C,eAAsB,kBAAkB,KAAU,KAAkE;AAClH,QAAM,EAAE,QAAQ,WAAW,IAAI,IAAI;AACnC,QAAM,UAAU,IAAI,YAAY;AAChC,QAAM,OAAO,QAAQ,OAAO,CAAC,IAAI,QAAQ,IAAI,OAAO,EAAE,KAAK,GAAG,CAAC;AAC/D,QAAM,YAAY,mBAAmB,OAAO,GAAG;AAE/C,MAAI;AACF,UAAM,YAAY,MAAM,UAAU,KAAK,WAAW,QAAQ;AAE1D,UAAM,WAAW,MAAM,QAAQ,OAAO,OAAO,OAAO,UAAU,MAAM,WAAW,WAAW,IAAI;AAC9F,WAAO,EAAE,MAAM,SAAS;AAAA,EAC1B,SAAS,OAAO;AACd,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,SAAU,OAAiB;AAAA,QAC7B,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AACF;AAEO,SAAS,UAAU,OAA2D;AACnF,QAAM,cAAc,SAAS,IAAI,SAAS,EAAE,MAAM,GAAG;AACrD,MAAI,WAAW,WAAW,GAAG;AAC3B,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,SAAS;AAAA,QACX,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AAEA,QAAM,CAAC,WAAW,YAAY,YAAY,IAAI;AAE9C,QAAM,UAAU,IAAI,YAAY;AAiBhC,QAAM,SAAS,KAAK,MAAM,QAAQ,OAAO,UAAU,MAAM,WAAW,EAAE,OAAO,KAAK,CAAC,CAAC,CAAC;AACrF,QAAM,UAAU,KAAK,MAAM,QAAQ,OAAO,UAAU,MAAM,YAAY,EAAE,OAAO,KAAK,CAAC,CAAC,CAAC;AACvF,QAAM,YAAY,UAAU,MAAM,cAAc,EAAE,OAAO,KAAK,CAAC;AAE/D,QAAM,OAAO;AAAA,IACX;AAAA,IACA;AAAA,IACA;AAAA,IACA,KAAK;AAAA,MACH,QAAQ;AAAA,MACR,SAAS;AAAA,MACT,WAAW;AAAA,MACX,MAAM;AAAA,IACR;AAAA,EACF;AAEA,SAAO,EAAE,KAAK;AAChB;AAyBA,eAAsB,UACpB,OACA,SAC4D;AAC5D,QAAM,EAAE,UAAU,mBAAmB,eAAe,IAAI,IAAI;AAC5D,QAAM,YAAY,iBAAiB;AAEnC,QAAM,EAAE,MAAM,SAAS,OAAO,IAAI,UAAU,KAAK;AACjD,MAAI,QAAQ;AACV,WAAO,EAAE,OAAO;AAAA,EAClB;AAEA,QAAM,EAAE,QAAQ,QAAQ,IAAI;AAC5B,MAAI;AAEF,UAAM,EAAE,KAAK,IAAI,IAAI;AAErB,qBAAiB,GAAG;AACpB,0BAAsB,GAAG;AAGzB,UAAM,EAAE,KAAK,KAAK,KAAK,KAAK,KAAK,IAAI,IAAI;AAEzC,mBAAe,GAAG;AAClB,wBAAoB,CAAC,GAAG,GAAG,CAAC,QAAQ,CAAC;AACrC,iCAA6B,KAAK,iBAAiB;AACnD,0BAAsB,KAAK,SAAS;AACpC,0BAAsB,KAAK,SAAS;AACpC,wBAAoB,KAAK,SAAS;AAAA,EACpC,SAAS,KAAK;AACZ,WAAO,EAAE,QAAQ,CAAC,GAA6B,EAAE;AAAA,EACnD;AAEA,QAAM,EAAE,MAAM,gBAAgB,QAAQ,gBAAgB,IAAI,MAAM,kBAAkB,SAAS,GAAG;AAC9F,MAAI,iBAAiB;AACnB,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,QAAQ,6BAA6B;AAAA,UACrC,SAAS,kCAAkC,gBAAgB,CAAC,CAAC;AAAA,QAC/D,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AAEA,MAAI,CAAC,gBAAgB;AACnB,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,SAAS;AAAA,QACX,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AAEA,SAAO,EAAE,MAAM,QAAQ;AACzB;;;ACrIA,IAAM,sBAAN,MAAyD;AAAA,EAUhD,YACG,cACA,cACR,SACA;AAHQ;AACA;AAMR,SAAK,yBAAyB,OAAO;AACrC,SAAK,iBAAiB;AAEtB,SAAK,iBAAiB;AACtB,SAAK,oBAAoB;AACzB,WAAO,OAAO,MAAM,OAAO;AAC3B,SAAK,WAAW,KAAK,aAAa;AAAA,EACpC;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAnBA,IAAW,eAAmC;AAC5C,WAAO,KAAK,wBAAwB,KAAK;AAAA,EAC3C;AAAA,EAmBO,sBAA+B;AACpC,UAAM,oBAAoB,KAAK,kBAAkB,UAAU,QAAQ,SAAS;AAC5E,UAAM,YAAY,KAAK,UAAU,UAAU,QAAQ,SAAS;AAC5D,UAAM,kBAAkB,KAAK,kBAAkB,UAAU,QAAQ,OAAO,KAAK;AAC7E,UAAM,UAAU,KAAK,UAAU,UAAU,QAAQ,OAAO,KAAK;AAK7D,QAAI,WAAW,CAAC,KAAK,eAAe,OAAO,GAAG;AAC5C,aAAO;AAAA,IACT;AAIA,QAAI,WAAW,CAAC,KAAK,uBAAuB,OAAO,GAAG;AACpD,aAAO;AAAA,IACT;AAGA,QAAI,CAAC,qBAAqB,CAAC,iBAAiB;AAC1C,aAAO;AAAA,IACT;AAEA,UAAM,EAAE,MAAM,YAAY,IAAI,UAAU,OAAO;AAC/C,UAAM,aAAa,aAAa,QAAQ,OAAO;AAC/C,UAAM,EAAE,MAAM,oBAAoB,IAAI,UAAU,eAAe;AAC/D,UAAM,qBAAqB,qBAAqB,QAAQ,OAAO;AAI/D,QAAI,sBAAsB,OAAO,cAAc,OAAO,aAAa,oBAAoB;AACrF,aAAO;AAAA,IACT;AAKA,QAAI,sBAAsB,OAAO,cAAc,KAAK;AAClD,aAAO;AAAA,IACT;AA+BA,QAAI,KAAK,iBAAiB,cAAc;AACtC,YAAM,2BAA2B,KAAK,eAAe,mBAAmB;AACxE,UAAI,sBAAsB,OAAO,cAAc,OAAO,0BAA0B;AAC9E,eAAO;AAAA,MACT;AAAA,IACF;AAMA,QAAI,CAAC,qBAAqB,iBAAiB;AACzC,aAAO;AAAA,IACT;AAEA,WAAO;AAAA,EACT;AAAA,EAEQ,yBAAyB,SAAqC;AACpE,8BAA0B,QAAQ,cAAc;AAChD,SAAK,iBAAiB,QAAQ;AAE9B,UAAM,SAAK,iCAAoB,KAAK,gBAAgB;AAAA,MAClD,OAAO;AAAA,MACP,UAAU,QAAQ;AAAA,MAClB,QAAQ,QAAQ;AAAA,IAClB,CAAC;AACD,SAAK,eAAe,GAAG;AACvB,SAAK,cAAc,GAAG;AAAA,EACxB;AAAA,EAEQ,mBAAmB;AACzB,SAAK,uBAAuB,KAAK,yBAAyB,KAAK,UAAU,UAAU,QAAQ,aAAa,CAAC;AACzG,SAAK,SAAS,KAAK,UAAU,UAAU,QAAQ,MAAM;AACrD,SAAK,OAAO,KAAK,UAAU,UAAU,QAAQ,IAAI;AACjD,SAAK,gBAAgB,KAAK,UAAU,UAAU,QAAQ,aAAa;AACnE,SAAK,iBACH,KAAK,UAAU,UAAU,QAAQ,wBAAwB,KAAK,KAAK,UAAU,UAAU,QAAQ,cAAc;AAC/G,SAAK,WAAW,KAAK,UAAU,UAAU,QAAQ,QAAQ;AACzD,SAAK,YAAY,KAAK,UAAU,UAAU,QAAQ,SAAS;AAC3D,SAAK,eAAe,KAAK,UAAU,UAAU,QAAQ,YAAY;AACjE,SAAK,SAAS,KAAK,UAAU,UAAU,QAAQ,MAAM;AAAA,EACvD;AAAA,EAEQ,mBAAmB;AAEzB,SAAK,uBAAuB,KAAK,8BAA8B,UAAU,QAAQ,OAAO;AACxF,SAAK,uBAAuB,KAAK,kBAAkB,UAAU,QAAQ,OAAO;AAC5E,SAAK,YAAY,OAAO,SAAS,KAAK,8BAA8B,UAAU,QAAQ,SAAS,KAAK,EAAE,KAAK;AAAA,EAC7G;AAAA,EAEQ,sBAAsB;AAC5B,SAAK,kBACH,KAAK,cAAc,UAAU,gBAAgB,UAAU,KACvD,KAAK,8BAA8B,UAAU,QAAQ,UAAU;AAEjE,SAAK,iBACH,KAAK,cAAc,UAAU,gBAAgB,SAAS,KAAK,KAAK,UAAU,UAAU,QAAQ,SAAS;AACvG,SAAK,+BAA+B,OAAO,KAAK,UAAU,UAAU,QAAQ,aAAa,CAAC,KAAK;AAAA,EACjG;AAAA,EAEQ,yBAAyB,WAA0D;AACzF,WAAO,WAAW,QAAQ,WAAW,EAAE;AAAA,EACzC;AAAA,EAEQ,cAAc,MAAc;AAClC,WAAO,KAAK,aAAa,SAAS,aAAa,IAAI,IAAI;AAAA,EACzD;AAAA,EAEQ,UAAU,MAAc;AAC9B,WAAO,KAAK,aAAa,QAAQ,IAAI,IAAI,KAAK;AAAA,EAChD;AAAA,EAEQ,UAAU,MAAc;AAC9B,WAAO,KAAK,aAAa,QAAQ,IAAI,IAAI,KAAK;AAAA,EAChD;AAAA,EAEQ,kBAAkB,MAAc;AACtC,WAAO,KAAK,cAAU,mCAAsB,MAAM,KAAK,YAAY,CAAC,KAAK;AAAA,EAC3E;AAAA,EAEQ,8BAA8B,YAAoB;AACxD,QAAI,KAAK,oBAAoB,GAAG;AAC9B,aAAO,KAAK,kBAAkB,UAAU;AAAA,IAC1C;AACA,WAAO,KAAK,UAAU,UAAU;AAAA,EAClC;AAAA,EAEQ,eAAe,OAAwB;AAC7C,UAAM,EAAE,MAAM,OAAO,IAAI,UAAU,KAAK;AACxC,QAAI,QAAQ;AACV,aAAO;AAAA,IACT;AACA,WAAO,CAAC,CAAC,KAAK,QAAQ;AAAA,EACxB;AAAA,EAEQ,uBAAuB,OAAwB;AACrD,QAAI,CAAC,OAAO;AACV,aAAO;AAAA,IACT;AAEA,UAAM,EAAE,MAAM,OAAO,IAAI,UAAU,KAAK;AACxC,QAAI,QAAQ;AACV,aAAO;AAAA,IACT;AACA,UAAM,cAAc,KAAK,QAAQ,IAAI,QAAQ,iBAAiB,EAAE;AAChE,WAAO,KAAK,gBAAgB;AAAA,EAC9B;AAAA,EAEQ,eAAe,KAA+B;AACpD,WAAO,CAAC,CAAC,OAAO,KAAK,QAAQ,OAAQ,KAAK,IAAI,IAAI,OAAS;AAAA,EAC7D;AACF;AAIO,IAAM,4BAA4B,OACvC,cACA,YACiC;AACjC,QAAM,eAAe,QAAQ,iBACzB,UAAM,6BAAgB,QAAQ,gBAAgB,QAAQ,OAAO,MAAM,IACnE;AACJ,SAAO,IAAI,oBAAoB,cAAc,cAAc,OAAO;AACpE;;;ACzQA,2BAAyC;AA4EzC,IAAM,cAAc,CAAC,SAA0C;AAC7D,SAAO,MAAM;AACX,UAAM,MAAM,EAAE,GAAG,KAAK;AACtB,QAAI,aAAa,IAAI,aAAa,IAAI,UAAU,GAAG,CAAC;AACpD,QAAI,UAAU,IAAI,UAAU,IAAI,UAAU,GAAG,CAAC;AAC9C,WAAO,EAAE,GAAG,IAAI;AAAA,EAClB;AACF;AAKO,SAAS,mBACd,qBACA,cACA,eACoB;AACpB,QAAM;AAAA,IACJ,KAAK;AAAA,IACL,KAAK;AAAA,IACL,QAAQ;AAAA,IACR,UAAU;AAAA,IACV,UAAU;AAAA,IACV,iBAAiB;AAAA,IACjB,KAAK;AAAA,IACL;AAAA,EACF,IAAI;AACJ,QAAM,YAAY,uBAAuB,mBAAmB;AAC5D,QAAM,WAAW,eAAe;AAAA,IAC9B;AAAA,IACA;AAAA,IACA,SAAS,UAAU,UAAU,MAAM,UAAU,SAAS,SAAS,GAAG,IAAI,GAAG;AAAA,EAC3E,CAAC;AAGD,QAAM,wBAAwB,OAAO;AAErC,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA,SAAK,+CAAyB,EAAE,OAAO,SAAS,gBAAgB,QAAQ,sBAAsB,CAAC;AAAA,IAC/F,OAAO,YAAY,EAAE,GAAG,qBAAqB,aAAa,CAAC;AAAA,EAC7D;AACF;AAKO,SAAS,oBAAoB,WAAsD;AACxF,SAAO;AAAA,IACL,eAAe;AAAA,IACf,WAAW;AAAA,IACX,QAAQ;AAAA,IACR,OAAO;AAAA,IACP,OAAO;AAAA,IACP,SAAS;AAAA,IACT,SAAS;AAAA,IACT,gBAAgB;AAAA,IAChB,uBAAuB;AAAA,IACvB,UAAU,MAAM,QAAQ,QAAQ,IAAI;AAAA,IACpC,KAAK,MAAM;AAAA,IACX,OAAO,YAAY,SAAS;AAAA,EAC9B;AACF;AAqBA,IAAM,iBAAiC,YAAU;AAC/C,QAAM,EAAE,SAAS,cAAc,UAAU,IAAI,UAAU,CAAC;AAExD,SAAO,OAAO,UAAiC,CAAC,MAAM;AACpD,QAAI,CAAC,WAAW;AACd,aAAO;AAAA,IACT;AAEA,QAAI,QAAQ,UAAU;AACpB,aAAO,QAAQ,WAAW,QAAQ,QAAQ;AAAA,IAC5C;AAEA,WAAO;AAAA,EACT;AACF;;;AC9KO,IAAM,aAAa;AAAA,EACxB,UAAU;AAAA,EACV,WAAW;AAAA,EACX,WAAW;AACb;AA8CO,IAAM,kBAAkB;AAAA,EAC7B,8BAA8B;AAAA,EAC9B,mBAAmB;AAAA,EACnB,gBAAgB;AAAA,EAChB,0BAA0B;AAAA,EAC1B,6BAA6B;AAAA,EAC7B,2BAA2B;AAAA,EAC3B,qBAAqB;AAAA,EACrB,qBAAqB;AAAA,EACrB,gCAAgC;AAAA,EAChC,iBAAiB;AAAA,EACjB,4BAA4B;AAAA,EAC5B,8BAA8B;AAAA,EAC9B,4BAA4B;AAAA,EAC5B,iBAAiB;AACnB;AAQO,SAAS,SACd,qBACA,eACA,UAAmB,IAAI,QAAQ,GAC/B,OACe;AACf,QAAM,aAAa,mBAAmB,qBAAqB,OAAO,aAAa;AAC/E,SAAO;AAAA,IACL,QAAQ,WAAW;AAAA,IACnB,QAAQ;AAAA,IACR,SAAS;AAAA,IACT,UAAU,oBAAoB,YAAY;AAAA,IAC1C,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,aAAa,oBAAoB,eAAe;AAAA,IAChD,QAAQ,oBAAoB,UAAU;AAAA,IACtC,WAAW,oBAAoB,aAAa;AAAA,IAC5C,WAAW,oBAAoB,aAAa;AAAA,IAC5C,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,YAAY;AAAA,IACZ,QAAQ,MAAM;AAAA,IACd;AAAA,IACA;AAAA,EACF;AACF;AAEO,SAAS,UACd,qBACA,QACA,UAAU,IACV,UAAmB,IAAI,QAAQ,GACf;AAChB,SAAO,iBAAiB;AAAA,IACtB,QAAQ,WAAW;AAAA,IACnB;AAAA,IACA;AAAA,IACA,UAAU,oBAAoB,YAAY;AAAA,IAC1C,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,aAAa,oBAAoB,eAAe;AAAA,IAChD,QAAQ,oBAAoB,UAAU;AAAA,IACtC,WAAW,oBAAoB,aAAa;AAAA,IAC5C,WAAW,oBAAoB,aAAa;AAAA,IAC5C,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,YAAY;AAAA,IACZ;AAAA,IACA,QAAQ,MAAM,oBAAoB,EAAE,GAAG,qBAAqB,QAAQ,WAAW,WAAW,QAAQ,QAAQ,CAAC;AAAA,IAC3G,OAAO;AAAA,EACT,CAAC;AACH;AAEO,SAAS,UACd,qBACA,QACA,UAAU,IACV,SACgB;AAChB,SAAO,iBAAiB;AAAA,IACtB,QAAQ,WAAW;AAAA,IACnB;AAAA,IACA;AAAA,IACA,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,aAAa,oBAAoB,eAAe;AAAA,IAChD,QAAQ,oBAAoB,UAAU;AAAA,IACtC,UAAU,oBAAoB,YAAY;AAAA,IAC1C,WAAW,oBAAoB,aAAa;AAAA,IAC5C,WAAW,oBAAoB,aAAa;AAAA,IAC5C,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,YAAY;AAAA,IACZ;AAAA,IACA,QAAQ,MAAM;AAAA,IACd,OAAO;AAAA,EACT,CAAC;AACH;AAEA,IAAM,mBAAmB,CAAyB,iBAAuB;AACvE,QAAM,UAAU,IAAI,QAAQ,aAAa,WAAW,CAAC,CAAC;AAEtD,MAAI,aAAa,SAAS;AACxB,QAAI;AACF,cAAQ,IAAI,UAAU,QAAQ,aAAa,aAAa,OAAO;AAAA,IACjE,QAAQ;AAAA,IAER;AAAA,EACF;AAEA,MAAI,aAAa,QAAQ;AACvB,QAAI;AACF,cAAQ,IAAI,UAAU,QAAQ,YAAY,aAAa,MAAM;AAAA,IAC/D,QAAQ;AAAA,IAER;AAAA,EACF;AAEA,MAAI,aAAa,QAAQ;AACvB,QAAI;AACF,cAAQ,IAAI,UAAU,QAAQ,YAAY,aAAa,MAAM;AAAA,IAC/D,QAAQ;AAAA,IAER;AAAA,EACF;AAEA,eAAa,UAAU;AAEvB,SAAO;AACT;;;AC3LA,oBAAsB;;;ACAtB,IAAM,WAAN,cAAuB,IAAI;AAAA,EAClB,cAAc,OAAqB;AACxC,WAAO,KAAK,WAAW,IAAI,IAAI,MAAM,SAAS,CAAC,EAAE;AAAA,EACnD;AACF;AAeO,IAAM,iBAAiB,IAAI,SAA2D;AAC3F,SAAO,IAAI,SAAS,GAAG,IAAI;AAC7B;;;ADVA,IAAM,eAAN,cAA2B,QAAQ;AAAA,EAI1B,YAAY,OAA6C,MAAoB;AAYlF,UAAM,MAAM,OAAO,UAAU,YAAY,SAAS,QAAQ,MAAM,MAAM,OAAO,KAAK;AAClF,UAAM,KAAK,QAAQ,OAAO,UAAU,WAAW,SAAY,KAAK;AAChE,SAAK,WAAW,KAAK,qBAAqB,IAAI;AAC9C,SAAK,UAAU,KAAK,aAAa,IAAI;AAAA,EACvC;AAAA,EAEO,SAAS;AACd,WAAO;AAAA,MACL,KAAK,KAAK,SAAS;AAAA,MACnB,QAAQ,KAAK;AAAA,MACb,SAAS,KAAK,UAAU,OAAO,YAAY,KAAK,OAAO,CAAC;AAAA,MACxD,UAAU,KAAK,SAAS,SAAS;AAAA,MACjC,SAAS,KAAK,UAAU,OAAO,YAAY,KAAK,OAAO,CAAC;AAAA,IAC1D;AAAA,EACF;AAAA;AAAA;AAAA;AAAA;AAAA,EAMQ,qBAAqB,KAAc;AACzC,UAAM,aAAa,IAAI,IAAI,IAAI,GAAG;AAClC,UAAM,iBAAiB,IAAI,QAAQ,IAAI,UAAU,QAAQ,cAAc;AACvE,UAAM,gBAAgB,IAAI,QAAQ,IAAI,UAAU,QAAQ,aAAa;AACrE,UAAM,OAAO,IAAI,QAAQ,IAAI,UAAU,QAAQ,IAAI;AACnD,UAAM,WAAW,WAAW;AAE5B,UAAM,eAAe,KAAK,wBAAwB,aAAa,KAAK;AACpE,UAAM,mBAAmB,KAAK,wBAAwB,cAAc,KAAK,UAAU,QAAQ,QAAQ,EAAE;AACrG,UAAM,SAAS,gBAAgB,mBAAmB,GAAG,gBAAgB,MAAM,YAAY,KAAK,WAAW;AAEvG,QAAI,WAAW,WAAW,QAAQ;AAChC,aAAO,eAAe,UAAU;AAAA,IAClC;AACA,WAAO,eAAe,WAAW,WAAW,WAAW,QAAQ,MAAM;AAAA,EACvE;AAAA,EAEQ,wBAAwB,OAAuB;AACrD,WAAO,OAAO,MAAM,GAAG,EAAE,CAAC;AAAA,EAC5B;AAAA,EAEQ,aAAa,KAAc;AACjC,UAAM,oBAAgB,qBAAM,KAAK,kBAAkB,IAAI,QAAQ,IAAI,QAAQ,KAAK,EAAE,CAAC;AACnF,WAAO,IAAI,IAAI,OAAO,QAAQ,aAAa,CAAC;AAAA,EAC9C;AAAA,EAEQ,kBAAkB,KAAa;AACrC,WAAO,MAAM,IAAI,QAAQ,oBAAoB,kBAAkB,IAAI;AAAA,EACrE;AACF;AAEO,IAAM,qBAAqB,IAAI,SAAmE;AACvG,SAAO,KAAK,CAAC,aAAa,eAAe,KAAK,CAAC,IAAI,IAAI,aAAa,GAAG,IAAI;AAC7E;;;AEhFO,IAAM,gBAAgB,CAAC,oBAAoC;AAChE,SAAO,gBAAgB,MAAM,GAAG,EAAE,CAAC,GAAG,MAAM,GAAG,EAAE,CAAC;AACpD;AAEO,IAAM,iBAAiB,CAAC,oBAAoC;AACjE,SAAO,gBAAgB,MAAM,GAAG,EAAE,CAAC,GAAG,MAAM,GAAG,EAAE,CAAC;AACpD;;;ACeA,IAAI,QAAyB,CAAC;AAC9B,IAAI,gBAAgB;AAEpB,SAAS,aAAa,KAAa;AACjC,SAAO,MAAM,GAAG;AAClB;AAEA,SAAS,iBAAiB;AACxB,SAAO,OAAO,OAAO,KAAK;AAC5B;AAEA,SAAS,WAAW,KAAwB,eAAe,MAAM;AAC/D,QAAM,IAAI,GAAG,IAAI;AACjB,kBAAgB,eAAe,KAAK,IAAI,IAAI;AAC9C;AAEA,IAAM,cAAc;AACpB,IAAM,aAAa;AACnB,IAAM,cAAc;AACpB,IAAM,aAAa;AACnB,IAAM,aAAa;AAUZ,SAAS,sBAAsB,UAA+B;AACnE,MAAI,CAAC,aAAa,WAAW,GAAG;AAC9B,QAAI,CAAC,UAAU;AACb,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,SAAS;AAAA,QACT,QAAQ,6BAA6B;AAAA,MACvC,CAAC;AAAA,IACH;AAEA,UAAM,UAAU,SACb,QAAQ,eAAe,EAAE,EACzB,QAAQ,YAAY,EAAE,EACtB,QAAQ,aAAa,EAAE,EACvB,QAAQ,YAAY,EAAE,EACtB,QAAQ,YAAY,EAAE,EACtB,QAAQ,OAAO,GAAG,EAClB,QAAQ,OAAO,GAAG;AAGrB;AAAA,MACE;AAAA,QACE,KAAK;AAAA,QACL,KAAK;AAAA,QACL,KAAK;AAAA,QACL,GAAG;AAAA,QACH,GAAG;AAAA,MACL;AAAA,MACA;AAAA;AAAA,IACF;AAAA,EACF;AAEA,SAAO,aAAa,WAAW;AACjC;AAwCA,eAAsB,uBAAuB;AAAA,EAC3C;AAAA,EACA,SAAS;AAAA,EACT,aAAa;AAAA,EACb;AAAA,EACA;AACF,GAAuD;AACrD,MAAI,iBAAiB,gBAAgB,KAAK,CAAC,aAAa,GAAG,GAAG;AAC5D,QAAI,CAAC,WAAW;AACd,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,SAAS;AAAA,QACT,QAAQ,6BAA6B;AAAA,MACvC,CAAC;AAAA,IACH;AACA,UAAM,UAAU,MAAM,kBAAkB,QAAQ,WAAW,UAAU;AACrE,UAAM,EAAE,KAAK,IAAI,UAAM,oBAAM,OAAO;AAEpC,QAAI,CAAC,QAAQ,CAAC,KAAK,QAAQ;AACzB,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,SAAS;AAAA,QACT,QAAQ,6BAA6B;AAAA,MACvC,CAAC;AAAA,IACH;AAEA,SAAK,QAAQ,SAAO,WAAW,GAAG,CAAC;AAAA,EACrC;AAEA,QAAM,MAAM,aAAa,GAAG;AAE5B,MAAI,CAAC,KAAK;AACR,UAAM,cAAc,eAAe;AACnC,UAAM,UAAU,YACb,IAAI,CAAAC,SAAOA,KAAI,GAAG,EAClB,KAAK,EACL,KAAK,IAAI;AAEZ,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,8EAA8E,6BAA6B,cAAc;AAAA,MACjI,SAAS,8DAA8D,GAAG,uLAAuL,OAAO;AAAA,MACxQ,QAAQ,6BAA6B;AAAA,IACvC,CAAC;AAAA,EACH;AAEA,SAAO;AACT;AAEA,eAAe,kBAAkB,QAAgB,KAAa,YAAoB;AAChF,MAAI,CAAC,KAAK;AACR,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SACE;AAAA,MACF,QAAQ,6BAA6B;AAAA,IACvC,CAAC;AAAA,EACH;AAEA,QAAM,MAAM,IAAI,IAAI,MAAM;AAC1B,MAAI,WAAW,UAAU,IAAI,UAAU,YAAY,OAAO;AAE1D,QAAM,WAAW,MAAM,QAAQ,MAAM,IAAI,MAAM;AAAA,IAC7C,SAAS;AAAA,MACP,eAAe,UAAU,GAAG;AAAA,MAC5B,qBAAqB;AAAA,MACrB,gBAAgB;AAAA,MAChB,cAAc;AAAA,IAChB;AAAA,EACF,CAAC;AAED,MAAI,CAAC,SAAS,IAAI;AAChB,UAAM,OAAO,MAAM,SAAS,KAAK;AACjC,UAAM,wBAAwB,qBAAqB,MAAM,QAAQ,2BAA2B,gBAAgB;AAE5G,QAAI,uBAAuB;AACzB,YAAM,SAAS,6BAA6B;AAE5C,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,SAAS,sBAAsB;AAAA,QAC/B;AAAA,MACF,CAAC;AAAA,IACH;AAEA,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,iCAAiC,IAAI,IAAI,cAAc,SAAS,MAAM;AAAA,MAC/E,QAAQ,6BAA6B;AAAA,IACvC,CAAC;AAAA,EACH;AAEA,SAAO,SAAS,KAAK;AACvB;AAEA,SAAS,kBAAkB;AAEzB,MAAI,kBAAkB,IAAI;AACxB,WAAO;AAAA,EACT;AAGA,QAAM,YAAY,KAAK,IAAI,IAAI,iBAAiB,oCAAoC;AAEpF,MAAI,WAAW;AACb,YAAQ,CAAC;AAAA,EACX;AAEA,SAAO;AACT;AAQA,IAAM,uBAAuB,CAAC,QAAuB,SAAiB;AACpE,MAAI,CAAC,QAAQ;AACX,WAAO;AAAA,EACT;AAEA,SAAO,OAAO,KAAK,CAAC,QAAqB,IAAI,SAAS,IAAI;AAC5D;;;AC/OA,eAAe,mBAAmB,OAAe,EAAE,IAAI,GAAuD;AAC5G,QAAM,EAAE,MAAM,SAAS,OAAO,IAAI,UAAU,KAAK;AACjD,MAAI,QAAQ;AACV,UAAM,OAAO,CAAC;AAAA,EAChB;AAEA,QAAM,EAAE,QAAQ,QAAQ,IAAI;AAG5B,QAAM,EAAE,KAAK,IAAI,IAAI;AAErB,mBAAiB,GAAG;AACpB,wBAAsB,GAAG;AAEzB,QAAM,EAAE,MAAM,gBAAgB,QAAQ,gBAAgB,IAAI,MAAM,kBAAkB,SAAS,GAAG;AAC9F,MAAI,iBAAiB;AACnB,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,oCAAoC,gBAAgB,CAAC,CAAC;AAAA,IACjE,CAAC;AAAA,EACH;AAEA,MAAI,CAAC,gBAAgB;AACnB,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS;AAAA,IACX,CAAC;AAAA,EACH;AAEA,SAAO;AACT;AAMA,eAAsB,qBACpB,OACA,SACkC;AAClC,QAAM,EAAE,WAAW,QAAQ,YAAY,kBAAkB,QAAQ,cAAc,IAAI;AAEnF,QAAM,EAAE,MAAM,OAAO,IAAI,UAAU,KAAK;AACxC,MAAI,QAAQ;AACV,UAAM,OAAO,CAAC;AAAA,EAChB;AAEA,QAAM,EAAE,IAAI,IAAI,KAAK;AAErB,MAAI;AAEJ,MAAI,QAAQ;AACV,UAAM,sBAAsB,MAAM;AAAA,EACpC,WAAW,WAAW;AAEpB,UAAM,MAAM,uBAAuB,EAAE,WAAW,QAAQ,YAAY,KAAK,kBAAkB,cAAc,CAAC;AAAA,EAC5G,OAAO;AACL,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS;AAAA,MACT,QAAQ,6BAA6B;AAAA,IACvC,CAAC;AAAA,EACH;AAEA,SAAO,MAAM,mBAAmB,OAAO;AAAA,IACrC;AAAA,EACF,CAAC;AACH;;;ACzDA,eAAsB,YACpB,OACA,SAC4D;AAC5D,QAAM,EAAE,MAAM,eAAe,OAAO,IAAI,UAAU,KAAK;AACvD,MAAI,QAAQ;AACV,WAAO,EAAE,OAAO;AAAA,EAClB;AAEA,QAAM,EAAE,OAAO,IAAI;AACnB,QAAM,EAAE,IAAI,IAAI;AAEhB,MAAI;AACF,QAAI;AAEJ,QAAI,QAAQ,QAAQ;AAClB,YAAM,sBAAsB,QAAQ,MAAM;AAAA,IAC5C,WAAW,QAAQ,WAAW;AAE5B,YAAM,MAAM,uBAAuB,EAAE,GAAG,SAAS,IAAI,CAAC;AAAA,IACxD,OAAO;AACL,aAAO;AAAA,QACL,QAAQ;AAAA,UACN,IAAI,uBAAuB;AAAA,YACzB,QAAQ,6BAA6B;AAAA,YACrC,SAAS;AAAA,YACT,QAAQ,6BAA6B;AAAA,UACvC,CAAC;AAAA,QACH;AAAA,MACF;AAAA,IACF;AAEA,WAAO,MAAM,UAAU,OAAO,EAAE,GAAG,SAAS,IAAI,CAAC;AAAA,EACnD,SAAS,OAAO;AACd,WAAO,EAAE,QAAQ,CAAC,KAA+B,EAAE;AAAA,EACrD;AACF;;;AfhCO,IAAM,0BAA0B;AAAA,EACrC,qBAAqB;AAAA,EACrB,mBAAmB;AAAA,EACnB,qBAAqB;AAAA,EACrB,kBAAkB;AAAA,EAClB,qBAAqB;AAAA,EACrB,qBAAqB;AAAA,EACrB,iCAAiC;AAAA,EACjC,oCAAoC;AAAA,EACpC,YAAY;AAAA,EACZ,oBAAoB;AAAA,EACpB,qBAAqB;AACvB;AAEA,SAAS,sBAAsB,WAA+B,KAA0C;AACtG,MAAI,CAAC,iBAAa,wCAA2B,GAAG,GAAG;AACjD,UAAM,IAAI,MAAM,8EAA8E;AAAA,EAChG;AACF;AAEA,SAAS,uBAAuB,kBAAsC;AACpE,MAAI,CAAC,kBAAkB;AACrB,UAAM,IAAI,MAAM,8FAA8F;AAAA,EAChH;AACF;AAEA,SAAS,+BAA+B,YAAoB,QAAgB;AAC1E,MAAI;AACJ,MAAI;AACF,gBAAY,IAAI,IAAI,UAAU;AAAA,EAChC,QAAQ;AACN,UAAM,IAAI,MAAM,oDAAoD;AAAA,EACtE;AAEA,MAAI,UAAU,WAAW,QAAQ;AAC/B,UAAM,IAAI,MAAM,kFAAkF;AAAA,EACpG;AACF;AAMA,SAAS,8BAA8B,qBAAiE;AACtG,QAAM,EAAE,QAAQ,aAAa,IAAI;AAIjC,MAAI,iBAAiB,cAAc,iBAAiB,UAAU;AAC5D,WAAO;AAAA,EACT;AAEA,MAAI,CAAC,gBAAgB,QAAQ,WAAW,WAAW,GAAG;AACpD,WAAO;AAAA,EACT;AAEA,SAAO;AACT;AAEA,SAAS,4BACP,KACA,qBACA,SACA;AACA,SACE,IAAI,WAAW,6BAA6B,gBAC5C,CAAC,CAAC,oBAAoB,wBACtB,QAAQ,WAAW;AAEvB;AAEA,eAAsB,oBACpB,SACA,SACuB;AACvB,QAAM,sBAAsB,MAAM,0BAA0B,mBAAmB,OAAO,GAAG,OAAO;AAChG,uBAAqB,oBAAoB,SAAS;AAElD,MAAI,oBAAoB,aAAa;AACnC,0BAAsB,oBAAoB,WAAW,oBAAoB,SAAS;AAClF,QAAI,oBAAoB,aAAa,oBAAoB,QAAQ;AAC/D,qCAA+B,oBAAoB,WAAW,oBAAoB,MAAM;AAAA,IAC1F;AACA,2BAAuB,oBAAoB,YAAY,oBAAoB,MAAM;AAAA,EACnF;AAGA,QAAM,iCAAiC,sCAAsC,QAAQ,uBAAuB;AAE5G,WAAS,wBAAwB,KAAU;AACzC,UAAM,aAAa,IAAI,IAAI,GAAG;AAE9B,eAAW,aAAa,OAAO,UAAU,gBAAgB,UAAU;AAEnE,eAAW,aAAa,OAAO,UAAU,gBAAgB,gBAAgB;AAEzE,WAAO;AAAA,EACT;AAEA,WAAS,yBAAyB,EAAE,gBAAgB,GAAgC;AAClF,UAAM,cAAc,wBAAwB,oBAAoB,QAAQ;AACxE,UAAM,wBAAwB,oBAAoB,YAAY,QAAQ,iBAAiB,EAAE;AAEzF,UAAM,MAAM,IAAI,IAAI,WAAW,qBAAqB,sBAAsB;AAC1E,QAAI,aAAa,OAAO,gBAAgB,aAAa,QAAQ,EAAE;AAC/D,QAAI,aAAa;AAAA,MACf,UAAU,gBAAgB;AAAA,MAC1B,oBAAoB,oBAAoB,EAAE,SAAS;AAAA,IACrD;AACA,QAAI,aAAa,OAAO,UAAU,gBAAgB,iBAAiB,eAAe;AAElF,QAAI,oBAAoB,iBAAiB,iBAAiB,oBAAoB,iBAAiB;AAC7F,UAAI,aAAa,OAAO,UAAU,gBAAgB,YAAY,oBAAoB,eAAe;AAAA,IACnG;AAEA,UAAM,aAAa;AAAA,MACjB,oBAAoB;AAAA,MACpB,QAAQ;AAAA,MACR;AAAA,IACF;AACA,QAAI,YAAY;AACd,YAAM,SAAS,+BAA+B,UAAU;AAExD,aAAO,QAAQ,CAAC,OAAO,QAAQ;AAC7B,YAAI,aAAa,OAAO,KAAK,KAAK;AAAA,MACpC,CAAC;AAAA,IACH;AAEA,WAAO,IAAI,QAAQ,EAAE,CAAC,UAAU,QAAQ,QAAQ,GAAG,IAAI,KAAK,CAAC;AAAA,EAC/D;AAEA,iBAAe,mBAAmB;AAChC,UAAM,UAAU,IAAI,QAAQ;AAAA,MAC1B,+BAA+B;AAAA,MAC/B,oCAAoC;AAAA,IACtC,CAAC;AAED,UAAM,mBAAmB,MAAM,qBAAqB,oBAAoB,gBAAiB,mBAAmB;AAC5G,UAAM,eAAe,iBAAiB;AAEtC,QAAI,eAAe;AACnB,iBAAa,QAAQ,CAAC,MAAc;AAClC,cAAQ,OAAO,cAAc,CAAC;AAC9B,UAAI,cAAc,CAAC,EAAE,WAAW,UAAU,QAAQ,OAAO,GAAG;AAC1D,uBAAe,eAAe,CAAC;AAAA,MACjC;AAAA,IACF,CAAC;AAED,QAAI,oBAAoB,iBAAiB,eAAe;AACtD,YAAM,SAAS,IAAI,IAAI,oBAAoB,QAAQ;AACnD,aAAO,aAAa,OAAO,UAAU,gBAAgB,SAAS;AAC9D,aAAO,aAAa,OAAO,UAAU,gBAAgB,aAAa;AAClE,cAAQ,OAAO,UAAU,QAAQ,UAAU,OAAO,SAAS,CAAC;AAC5D,cAAQ,IAAI,UAAU,QAAQ,cAAc,UAAU;AAAA,IACxD;AAEA,QAAI,iBAAiB,IAAI;AACvB,aAAO,UAAU,qBAAqB,gBAAgB,qBAAqB,IAAI,OAAO;AAAA,IACxF;AAEA,UAAM,EAAE,MAAM,QAAQ,CAAC,KAAK,IAAI,CAAC,EAAE,IAAI,MAAM,YAAY,cAAc,mBAAmB;AAC1F,QAAI,MAAM;AACR,aAAO,SAAS,qBAAqB,MAAM,SAAS,YAAY;AAAA,IAClE;AAEA,QACE,oBAAoB,iBAAiB,kBACpC,OAAO,WAAW,6BAA6B,gBAC9C,OAAO,WAAW,6BAA6B,qBAC/C,OAAO,WAAW,6BAA6B,sBACjD;AACA,YAAM,eAAe;AAErB,cAAQ;AAAA,QACN;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAMN,MAAM,eAAe,CAAC;AAAA,MAClB;AAGA,YAAM,EAAE,MAAM,aAAa,QAAQ,CAAC,UAAU,IAAI,CAAC,EAAE,IAAI,MAAM,YAAY,cAAc;AAAA,QACvF,GAAG;AAAA,QACH,eAAe;AAAA,MACjB,CAAC;AACD,UAAI,aAAa;AACf,eAAO,SAAS,qBAAqB,aAAa,SAAS,YAAY;AAAA,MACzE;AAEA,YAAM,IAAI,MAAM,YAAY,WAAW,gCAAgC;AAAA,IACzE;AAEA,UAAM,IAAI,MAAM,OAAO,WAAW,0BAA0B;AAAA,EAC9D;AAEA,iBAAe,aACbC,sBACuE;AAEvE,QAAI,CAAC,QAAQ,WAAW;AACtB,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,iBAAiB;AAAA,QAC5D;AAAA,MACF;AAAA,IACF;AACA,UAAM,EAAE,cAAc,qBAAqB,sBAAsBC,cAAa,IAAID;AAClF,QAAI,CAAC,qBAAqB;AACxB,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,oBAAoB;AAAA,QAC/D;AAAA,MACF;AAAA,IACF;AACA,QAAI,CAACC,eAAc;AACjB,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,oBAAoB;AAAA,QAC/D;AAAA,MACF;AAAA,IACF;AAEA,UAAM,EAAE,MAAM,cAAc,QAAQ,cAAc,IAAI,UAAU,mBAAmB;AACnF,QAAI,CAAC,gBAAgB,eAAe;AAClC,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,iCAAiC,QAAQ,cAAc;AAAA,QAClG;AAAA,MACF;AAAA,IACF;AAEA,QAAI,CAAC,cAAc,SAAS,KAAK;AAC/B,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,mCAAmC;AAAA,QAC9E;AAAA,MACF;AAAA,IACF;AAEA,QAAI;AAEF,YAAM,WAAW,MAAM,QAAQ,UAAU,SAAS,eAAe,aAAa,QAAQ,KAAK;AAAA,QACzF,QAAQ;AAAA,QACR,kBAAkBD,qBAAoB,oBAAoB;AAAA,QAC1D,eAAe,uBAAuB;AAAA,QACtC,eAAeC,iBAAgB;AAAA,QAC/B,gBAAgBD,qBAAoB,SAAS;AAAA;AAAA,QAE7C,iBAAiB,OAAO,YAAY,MAAM,KAAK,QAAQ,QAAQ,QAAQ,CAAC,EAAE,IAAI,CAAC,CAAC,GAAG,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,CAAC;AAAA,MACrG,CAAC;AACD,aAAO,EAAE,MAAM,SAAS,SAAS,OAAO,KAAK;AAAA,IAC/C,SAAS,KAAU;AACjB,UAAI,KAAK,QAAQ,QAAQ;AACvB,YAAI,IAAI,OAAO,CAAC,EAAE,SAAS,oBAAoB;AAC7C,iBAAO;AAAA,YACL,MAAM;AAAA,YACN,OAAO;AAAA,cACL,SAAS;AAAA,cACT,OAAO,EAAE,QAAQ,wBAAwB,YAAY,QAAQ,IAAI,OAAO;AAAA,YAC1E;AAAA,UACF;AAAA,QACF;AACA,eAAO;AAAA,UACL,MAAM;AAAA,UACN,OAAO;AAAA,YACL,SAAS,IAAI,OAAO,CAAC,EAAE;AAAA,YACvB,OAAO,EAAE,QAAQ,IAAI,OAAO,CAAC,EAAE,MAAM,QAAQ,IAAI,OAAO;AAAA,UAC1D;AAAA,QACF;AAAA,MACF,OAAO;AACL,eAAO;AAAA,UACL,MAAM;AAAA,UACN,OAAO;AAAA,YACL,SAAS;AAAA,YACT,OAAO,EAAE,QAAQ,wBAAwB,qBAAqB,QAAQ,CAAC,GAAG,EAAE;AAAA,UAC9E;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAAA,EACF;AAEA,iBAAe,eACbA,sBAIA;AACA,UAAM,EAAE,MAAM,cAAc,MAAM,IAAI,MAAM,aAAaA,oBAAmB;AAC5E,QAAI,CAAC,gBAAgB,aAAa,WAAW,GAAG;AAC9C,aAAO,EAAE,MAAM,MAAM,MAAM;AAAA,IAC7B;AAEA,UAAM,UAAU,IAAI,QAAQ;AAC5B,QAAI,eAAe;AACnB,iBAAa,QAAQ,CAAC,MAAc;AAClC,cAAQ,OAAO,cAAc,CAAC;AAC9B,UAAI,cAAc,CAAC,EAAE,WAAW,UAAU,QAAQ,OAAO,GAAG;AAC1D,uBAAe,eAAe,CAAC;AAAA,MACjC;AAAA,IACF,CAAC;AAGD,UAAM,EAAE,MAAM,YAAY,OAAO,IAAI,MAAM,YAAY,cAAcA,oBAAmB;AACxF,QAAI,QAAQ;AACV,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,qBAAqB,OAAO;AAAA,QACvE;AAAA,MACF;AAAA,IACF;AACA,WAAO,EAAE,MAAM,EAAE,YAAY,cAAc,QAAQ,GAAG,OAAO,KAAK;AAAA,EACpE;AAEA,WAAS,2BACPA,sBACA,QACA,SACA,SACiD;AACjD,QAAI,8BAA8BA,oBAAmB,GAAG;AAGtD,YAAM,mBAAmB,WAAW,yBAAyB,EAAE,iBAAiB,OAAO,CAAC;AAIxF,UAAI,iBAAiB,IAAI,UAAU,QAAQ,QAAQ,GAAG;AACpD,yBAAiB,IAAI,UAAU,QAAQ,cAAc,UAAU;AAAA,MACjE;AAKA,YAAM,iBAAiB,2CAA2C,gBAAgB;AAClF,UAAI,gBAAgB;AAClB,cAAM,MAAM;AACZ,gBAAQ,IAAI,GAAG;AACf,eAAO,UAAUA,sBAAqB,QAAQ,OAAO;AAAA,MACvD;AAEA,aAAO,UAAUA,sBAAqB,QAAQ,SAAS,gBAAgB;AAAA,IACzE;AAEA,WAAO,UAAUA,sBAAqB,QAAQ,OAAO;AAAA,EACvD;AAWA,WAAS,qCACPA,sBACA,MACwC;AACxC,UAAM,yBAAyB;AAAA,MAC7BA,qBAAoB;AAAA,MACpB,QAAQ;AAAA,MACR;AAAA,IACF;AACA,QAAI,CAAC,wBAAwB;AAC3B,aAAO;AAAA,IACT;AACA,QAAI,eAAe;AACnB,QAAI,uBAAuB,SAAS,gBAAgB;AAElD,UAAI,uBAAuB,oBAAoB,uBAAuB,qBAAqB,KAAK,SAAS;AACvG,uBAAe;AAAA,MACjB;AAEA,UAAI,uBAAuB,kBAAkB,uBAAuB,mBAAmB,KAAK,OAAO;AACjG,uBAAe;AAAA,MACjB;AAAA,IACF;AAEA,QAAI,uBAAuB,SAAS,qBAAqB,KAAK,OAAO;AACnE,qBAAe;AAAA,IACjB;AACA,QAAI,CAAC,cAAc;AACjB,aAAO;AAAA,IACT;AACA,QAAIA,qBAAoB,+BAA+B,GAAG;AAKxD,cAAQ;AAAA,QACN;AAAA,MACF;AACA,aAAO;AAAA,IACT;AACA,UAAM,iBAAiB;AAAA,MACrBA;AAAA,MACA,gBAAgB;AAAA,MAChB;AAAA,IACF;AACA,QAAI,eAAe,WAAW,aAAa;AAEzC,aAAO;AAAA,IACT;AACA,WAAO;AAAA,EACT;AAEA,iBAAe,uCAAuC;AACpD,UAAM,EAAE,qBAAqB,IAAI;AAEjC,QAAI;AACF,YAAM,EAAE,MAAM,OAAO,IAAI,MAAM,YAAY,sBAAuB,mBAAmB;AACrF,UAAI,QAAQ;AACV,cAAM,OAAO,CAAC;AAAA,MAChB;AAEA,aAAO,SAAS,qBAAqB,MAAM,QAAW,oBAAqB;AAAA,IAC7E,SAAS,KAAK;AACZ,aAAO,YAAY,KAAK,QAAQ;AAAA,IAClC;AAAA,EACF;AAKA,WAAS,2CAA2C,SAA2B;AAC7E,QAAI,oBAAoB,iCAAiC,GAAG;AAC1D,aAAO;AAAA,IACT;AAEA,UAAM,kBAAkB,oBAAoB,+BAA+B;AAC3E,UAAM,aAAa,UAAU,QAAQ;AACrC,YAAQ,OAAO,cAAc,GAAG,UAAU,IAAI,eAAe,qCAAqC;AAClG,WAAO;AAAA,EACT;AAEA,WAAS,mDAAmD,OAA+B;AAOzF,QAAI,MAAM,WAAW,6BAA6B,uBAAuB;AACvE,YAAM,MAAM;AACZ,YAAM,IAAI,MAAM,GAAG;AAAA,IACrB;AACA,UAAM,IAAI,MAAM,+CAA+C,MAAM,eAAe,CAAC,GAAG;AAAA,EAC1F;AAEA,iBAAe,uCAAuC;AACpD,UAAM,kBAAkB,oBAAoB;AAC5C,UAAM,kBAAkB,CAAC,CAAC,oBAAoB;AAC9C,UAAM,qBAAqB,CAAC,CAAC,oBAAoB;AAKjD,QAAI,oBAAoB,gBAAgB;AACtC,UAAI;AACF,eAAO,MAAM,iBAAiB;AAAA,MAChC,SAAS,OAAO;AAYd,YAAI,iBAAiB,0BAA0B,oBAAoB,iBAAiB,eAAe;AACjG,6DAAmD,KAAK;AAAA,QAC1D,OAAO;AACL,kBAAQ,MAAM,uCAAuC,KAAK;AAAA,QAC5D;AAAA,MACF;AAAA,IACF;AAIA,QACE,oBAAoB,iBAAiB,iBACrC,oBAAoB,SAAS,aAAa,IAAI,UAAU,gBAAgB,UAAU,GAClF;AACA,aAAO,2BAA2B,qBAAqB,gBAAgB,gBAAgB,EAAE;AAAA,IAC3F;AAEA,UAAM,sCACJ,oBAAoB,eAAe,oBAAoB,iBAAiB;AAK1E,QAAI,oBAAoB,iBAAiB,gBAAgB,qCAAqC;AAC5F,aAAO,2BAA2B,qBAAqB,gBAAgB,6BAA6B,EAAE;AAAA,IACxG;AAGA,QACE,oBAAoB,iBAAiB,iBACrC,uCACA,CAAC,oBAAoB,SAAS,aAAa,IAAI,UAAU,gBAAgB,WAAW,GACpF;AAIA,YAAM,cAAc,IAAI,IAAI,oBAAoB,SAAU;AAC1D,kBAAY,aAAa;AAAA,QACvB,UAAU,gBAAgB;AAAA,QAC1B,oBAAoB,SAAS,SAAS;AAAA,MACxC;AACA,YAAM,UAAU,IAAI,QAAQ,EAAE,CAAC,UAAU,QAAQ,QAAQ,GAAG,YAAY,SAAS,EAAE,CAAC;AACpF,aAAO,2BAA2B,qBAAqB,gBAAgB,6BAA6B,IAAI,OAAO;AAAA,IACjH;AAGA,UAAM,cAAc,IAAI,IAAI,oBAAoB,QAAQ,EAAE,aAAa;AAAA,MACrE,UAAU,gBAAgB;AAAA,IAC5B;AAEA,QAAI,oBAAoB,iBAAiB,iBAAiB,CAAC,oBAAoB,eAAe,aAAa;AAEzG,YAAM,6BAA6B,IAAI,IAAI,WAAW;AAEtD,UAAI,oBAAoB,iBAAiB;AACvC,mCAA2B,aAAa;AAAA,UACtC,UAAU,gBAAgB;AAAA,UAC1B,oBAAoB;AAAA,QACtB;AAAA,MACF;AACA,iCAA2B,aAAa,OAAO,UAAU,gBAAgB,aAAa,MAAM;AAE5F,YAAM,UAAU,IAAI,QAAQ,EAAE,CAAC,UAAU,QAAQ,QAAQ,GAAG,2BAA2B,SAAS,EAAE,CAAC;AACnG,aAAO,2BAA2B,qBAAqB,gBAAgB,0BAA0B,IAAI,OAAO;AAAA,IAC9G;AAKA,QAAI,oBAAoB,iBAAiB,iBAAiB,CAAC,oBAAoB;AAC7E,aAAO,2BAA2B,qBAAqB,gBAAgB,mBAAmB,EAAE;AAAA,IAC9F;AAEA,QAAI,CAAC,mBAAmB,CAAC,iBAAiB;AACxC,aAAO,UAAU,qBAAqB,gBAAgB,2BAA2B,EAAE;AAAA,IACrF;AAGA,QAAI,CAAC,mBAAmB,iBAAiB;AACvC,aAAO,2BAA2B,qBAAqB,gBAAgB,8BAA8B,EAAE;AAAA,IACzG;AAEA,QAAI,mBAAmB,CAAC,iBAAiB;AACvC,aAAO,2BAA2B,qBAAqB,gBAAgB,8BAA8B,EAAE;AAAA,IACzG;AAEA,UAAM,EAAE,MAAM,cAAc,QAAQ,cAAc,IAAI,UAAU,oBAAoB,oBAAqB;AAEzG,QAAI,eAAe;AACjB,aAAO,YAAY,cAAc,CAAC,GAAG,QAAQ;AAAA,IAC/C;AAEA,QAAI,aAAa,QAAQ,MAAM,oBAAoB,WAAW;AAC5D,aAAO,2BAA2B,qBAAqB,gBAAgB,gCAAgC,EAAE;AAAA,IAC3G;AAEA,QAAI;AACF,YAAM,EAAE,MAAM,OAAO,IAAI,MAAM,YAAY,oBAAoB,sBAAuB,mBAAmB;AACzG,UAAI,QAAQ;AACV,cAAM,OAAO,CAAC;AAAA,MAChB;AACA,YAAM,uBAAuB;AAAA,QAC3B;AAAA,QACA;AAAA,QACA;AAAA,QACA,oBAAoB;AAAA,MACtB;AAGA,YAAM,wBAAwB;AAAA,QAC5B;AAAA,QACA,qBAAqB,OAAO;AAAA,MAC9B;AACA,UAAI,uBAAuB;AACzB,eAAO;AAAA,MACT;AAEA,aAAO;AAAA,IACT,SAAS,KAAK;AACZ,aAAO,YAAY,KAAK,QAAQ;AAAA,IAClC;AAEA,WAAO,UAAU,qBAAqB,gBAAgB,eAAe;AAAA,EACvE;AAEA,iBAAe,YACb,KACA,cAC0D;AAC1D,QAAI,EAAE,eAAe,yBAAyB;AAC5C,aAAO,UAAU,qBAAqB,gBAAgB,eAAe;AAAA,IACvE;AAEA,QAAI;AAEJ,QAAI,4BAA4B,KAAK,qBAAqB,OAAO,GAAG;AAClE,YAAM,EAAE,MAAM,MAAM,IAAI,MAAM,eAAe,mBAAmB;AAChE,UAAI,MAAM;AACR,eAAO,SAAS,qBAAqB,KAAK,YAAY,KAAK,SAAS,KAAK,YAAY;AAAA,MACvF;AAGA,UAAI,OAAO,OAAO,QAAQ;AACxB,uBAAe,MAAM,MAAM;AAAA,MAC7B,OAAO;AACL,uBAAe,wBAAwB;AAAA,MACzC;AAAA,IACF,OAAO;AACL,UAAI,QAAQ,WAAW,OAAO;AAC5B,uBAAe,wBAAwB;AAAA,MACzC,WAAW,CAAC,oBAAoB,sBAAsB;AACpD,uBAAe,wBAAwB;AAAA,MACzC,OAAO;AAEL,uBAAe;AAAA,MACjB;AAAA,IACF;AAEA,QAAI,eAAe;AAEnB,UAAM,oBAAoB;AAAA,MACxB,6BAA6B;AAAA,MAC7B,6BAA6B;AAAA,MAC7B,6BAA6B;AAAA,IAC/B,EAAE,SAAS,IAAI,MAAM;AAErB,QAAI,mBAAmB;AACrB,aAAO;AAAA,QACL;AAAA,QACA,qDAAqD,EAAE,YAAY,IAAI,QAAQ,aAAa,CAAC;AAAA,QAC7F,IAAI,eAAe;AAAA,MACrB;AAAA,IACF;AAEA,WAAO,UAAU,qBAAqB,IAAI,QAAQ,IAAI,eAAe,CAAC;AAAA,EACxE;AAEA,MAAI,oBAAoB,sBAAsB;AAC5C,WAAO,qCAAqC;AAAA,EAC9C;AAEA,SAAO,qCAAqC;AAC9C;AAKO,IAAM,oBAAoB,CAAC,WAAyB;AACzD,QAAM,EAAE,YAAY,UAAU,QAAQ,SAAS,gBAAgB,aAAa,OAAO,IAAI;AACvF,SAAO,EAAE,YAAY,UAAU,QAAQ,SAAS,gBAAgB,aAAa,OAAO;AACtF;AAUO,SAAS,sCACd,SACgC;AAChC,MAAI,yBAA2F;AAC/F,MAAI,SAAS,yBAAyB;AACpC,QAAI;AACF,mCAAyB,2BAAM,QAAQ,uBAAuB;AAAA,IAChE,SAAS,GAAG;AAEV,YAAM,IAAI,MAAM,qCAAqC,QAAQ,uBAAuB,OAAO,CAAC,GAAG;AAAA,IACjG;AAAA,EACF;AAEA,MAAI,sBAAwF;AAC5F,MAAI,SAAS,sBAAsB;AACjC,QAAI;AACF,gCAAsB,2BAAM,QAAQ,oBAAoB;AAAA,IAC1D,SAAS,GAAG;AAEV,YAAM,IAAI,MAAM,wCAAwC,QAAQ,oBAAoB,OAAO,CAAC,GAAG;AAAA,IACjG;AAAA,EACF;AAEA,SAAO;AAAA,IACL,qBAAqB;AAAA,IACrB,wBAAwB;AAAA,EAC1B;AACF;AAUO,SAAS,0BACd,KACA,SACA,UAC+B;AAC/B,MAAI,CAAC,SAAS;AACZ,WAAO;AAAA,EACT;AAGA,MAAI,SAAS,qBAAqB;AAChC,QAAI;AACJ,QAAI;AACF,kBAAY,SAAS,oBAAoB,IAAI,QAAQ;AAAA,IACvD,SAAS,GAAG;AAEV,cAAQ,MAAM,gDAAgD,QAAQ,oBAAoB,eAAe,CAAC;AAC1G,aAAO;AAAA,IACT;AAEA,QAAI,aAAa,YAAY,WAAW;AACtC,YAAM,SAAS,UAAU;AAEzB,UAAI,QAAQ,UAAU,OAAO,OAAO,OAAO,UAAU;AACnD,eAAO,EAAE,MAAM,gBAAgB,gBAAgB,OAAO,GAAG;AAAA,MAC3D;AACA,UAAI,UAAU,UAAU,OAAO,OAAO,SAAS,UAAU;AACvD,eAAO,EAAE,MAAM,gBAAgB,kBAAkB,OAAO,KAAK;AAAA,MAC/D;AACA,cAAQ;AAAA,QACN;AAAA,MACF;AAAA,IACF;AAAA,EACF;AAGA,MAAI,SAAS,wBAAwB;AACnC,QAAI;AACJ,QAAI;AACF,uBAAiB,SAAS,uBAAuB,IAAI,QAAQ;AAAA,IAC/D,SAAS,GAAG;AAEV,cAAQ,MAAM,6CAA6C,QAAQ,uBAAuB,eAAe,CAAC;AAC1G,aAAO;AAAA,IACT;AAEA,QAAI,gBAAgB;AAClB,aAAO,EAAE,MAAM,kBAAkB;AAAA,IACnC;AAAA,EACF;AACA,SAAO;AACT;AAcA,SAAS,+BAA+B,YAAyD;AAC/F,QAAM,MAAM,oBAAI,IAAI;AACpB,MAAI,WAAW,SAAS,mBAAmB;AACzC,QAAI,IAAI,mBAAmB,EAAE;AAAA,EAC/B;AACA,MAAI,WAAW,SAAS,gBAAgB;AACtC,QAAI,WAAW,gBAAgB;AAC7B,UAAI,IAAI,mBAAmB,WAAW,cAAc;AAAA,IACtD;AACA,QAAI,WAAW,kBAAkB;AAC/B,UAAI,IAAI,mBAAmB,WAAW,gBAAgB;AAAA,IACxD;AAAA,EACF;AACA,SAAO;AACT;AAEA,IAAM,uDAAuD,CAAC;AAAA,EAC5D;AAAA,EACA;AACF,MAGc;AACZ,UAAQ,YAAY;AAAA,IAClB,KAAK,6BAA6B;AAChC,aAAO,GAAG,gBAAgB,mBAAmB,YAAY,YAAY;AAAA,IACvE,KAAK,6BAA6B;AAChC,aAAO,gBAAgB;AAAA,IACzB,KAAK,6BAA6B;AAChC,aAAO,gBAAgB;AAAA,IACzB;AACE,aAAO,gBAAgB;AAAA,EAC3B;AACF;;;AgBvzBA,IAAM,iBAAiB;AAAA,EACrB,WAAW;AAAA,EACX,QAAQ;AAAA,EACR,QAAQ;AAAA,EACR,YAAY;AAAA,EACZ,UAAU;AAAA,EACV,gBAAgB;AAAA,EAChB,aAAa;AAAA,EACb,QAAQ;AAAA,EACR,UAAU;AACZ;AAaO,SAAS,0BAA0B,QAA0C;AAClF,QAAM,mBAAmB,uBAAuB,gBAAgB,OAAO,OAAO;AAC9E,QAAM,YAAY,OAAO;AAEzB,QAAME,uBAAsB,CAAC,SAAkB,UAA0B,CAAC,MAAM;AAC9E,UAAM,EAAE,QAAQ,WAAW,IAAI;AAC/B,UAAM,iBAAiB,uBAAuB,kBAAkB,OAAO;AACvE,WAAO,oBAA4B,SAAS;AAAA,MAC1C,GAAG;AAAA,MACH,GAAG;AAAA;AAAA;AAAA,MAGH;AAAA,MACA;AAAA,MACA;AAAA,IACF,CAAC;AAAA,EACH;AAEA,SAAO;AAAA,IACL,qBAAAA;AAAA,IACA;AAAA,EACF;AACF;;;ApEvDO,IAAMC,eAAc,iBAAiB,WAAY;AAiBjD,SAAS,kBAAkB,SAAoC;AACpE,QAAM,OAAO,EAAE,GAAG,QAAQ;AAC1B,QAAM,YAAY,uBAAuB,IAAI;AAC7C,QAAM,eAAe,0BAA0B,EAAE,SAAS,MAAM,UAAU,CAAC;AAC3E,QAAM,YAAY,IAAI,oCAAmB;AAAA,IACvC,GAAG,QAAQ;AAAA,IACX,gBAAgB,KAAK;AAAA,IACrB,WAAW,KAAK;AAAA,IAChB,GAAI,KAAK,cAAc,EAAE,KAAK,KAAK,YAAY,MAAM,YAAY,KAAK,YAAY,QAAQ,IAAI,CAAC;AAAA,EACjG,CAAC;AAED,SAAO;AAAA,IACL,GAAG;AAAA,IACH,GAAG;AAAA,IACH;AAAA,EACF;AACF;","names":["verifyToken","basePath","basePath","basePath","basePath","basePath","crypto","basePath","basePath","basePath","basePath","basePath","import_keys","basePath","basePath","basePath","import_error","Headers","Cookies","data","Cookies","snakecaseKeys","jwk","authenticateContext","refreshToken","authenticateRequest","verifyToken"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/index.mjs b/backend/node_modules/@clerk/backend/dist/index.mjs new file mode 100644 index 000000000..1dc3416df --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/index.mjs @@ -0,0 +1,35 @@ +import { + createAuthenticateRequest, + createBackendApiClient, + verifyToken +} from "./chunk-XYKMBJDY.mjs"; +import { + withLegacyReturn +} from "./chunk-P263NW7Z.mjs"; +import "./chunk-AT3FJU3M.mjs"; +import "./chunk-5JS2VYLU.mjs"; + +// src/index.ts +import { TelemetryCollector } from "@clerk/shared/telemetry"; +var verifyToken2 = withLegacyReturn(verifyToken); +function createClerkClient(options) { + const opts = { ...options }; + const apiClient = createBackendApiClient(opts); + const requestState = createAuthenticateRequest({ options: opts, apiClient }); + const telemetry = new TelemetryCollector({ + ...options.telemetry, + publishableKey: opts.publishableKey, + secretKey: opts.secretKey, + ...opts.sdkMetadata ? { sdk: opts.sdkMetadata.name, sdkVersion: opts.sdkMetadata.version } : {} + }); + return { + ...apiClient, + ...requestState, + telemetry + }; +} +export { + createClerkClient, + verifyToken2 as verifyToken +}; +//# sourceMappingURL=index.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/index.mjs.map b/backend/node_modules/@clerk/backend/dist/index.mjs.map new file mode 100644 index 000000000..07c23c2f7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/index.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/index.ts"],"sourcesContent":["import type { TelemetryCollectorOptions } from '@clerk/shared/telemetry';\nimport { TelemetryCollector } from '@clerk/shared/telemetry';\nimport type { SDKMetadata } from '@clerk/types';\n\nimport type { ApiClient, CreateBackendApiOptions } from './api';\nimport { createBackendApiClient } from './api';\nimport { withLegacyReturn } from './jwt/legacyReturn';\nimport type { CreateAuthenticateRequestOptions } from './tokens/factory';\nimport { createAuthenticateRequest } from './tokens/factory';\nimport { verifyToken as _verifyToken } from './tokens/verify';\n\nexport const verifyToken = withLegacyReturn(_verifyToken);\n\nexport type ClerkOptions = CreateBackendApiOptions &\n Partial<\n Pick<\n CreateAuthenticateRequestOptions['options'],\n 'audience' | 'jwtKey' | 'proxyUrl' | 'secretKey' | 'publishableKey' | 'domain' | 'isSatellite'\n >\n > & { sdkMetadata?: SDKMetadata; telemetry?: Pick };\n\n// The current exported type resolves the following issue in packages importing createClerkClient\n// TS4023: Exported variable 'clerkClient' has or is using name 'AuthErrorReason' from external module \"/packages/backend/dist/index\" but cannot be named.\nexport type ClerkClient = {\n telemetry: TelemetryCollector;\n} & ApiClient &\n ReturnType;\n\nexport function createClerkClient(options: ClerkOptions): ClerkClient {\n const opts = { ...options };\n const apiClient = createBackendApiClient(opts);\n const requestState = createAuthenticateRequest({ options: opts, apiClient });\n const telemetry = new TelemetryCollector({\n ...options.telemetry,\n publishableKey: opts.publishableKey,\n secretKey: opts.secretKey,\n ...(opts.sdkMetadata ? { sdk: opts.sdkMetadata.name, sdkVersion: opts.sdkMetadata.version } : {}),\n });\n\n return {\n ...apiClient,\n ...requestState,\n telemetry,\n };\n}\n\n/**\n * General Types\n */\nexport type { OrganizationMembershipRole } from './api/resources';\nexport type { VerifyTokenOptions } from './tokens/verify';\n/**\n * JSON types\n */\nexport type {\n AccountlessApplicationJSON,\n ClerkResourceJSON,\n TokenJSON,\n AllowlistIdentifierJSON,\n ClientJSON,\n EmailJSON,\n EmailAddressJSON,\n ExternalAccountJSON,\n IdentificationLinkJSON,\n InvitationJSON,\n OauthAccessTokenJSON,\n OrganizationJSON,\n OrganizationDomainJSON,\n OrganizationDomainVerificationJSON,\n OrganizationInvitationJSON,\n PublicOrganizationDataJSON,\n OrganizationMembershipJSON,\n OrganizationMembershipPublicUserDataJSON,\n PhoneNumberJSON,\n RedirectUrlJSON,\n SessionJSON,\n SignInJSON,\n SignInTokenJSON,\n SignUpJSON,\n SMSMessageJSON,\n UserJSON,\n VerificationJSON,\n Web3WalletJSON,\n DeletedObjectJSON,\n PaginatedResponseJSON,\n TestingTokenJSON,\n} from './api/resources/JSON';\n\n/**\n * Resources\n */\nexport type {\n AccountlessApplication,\n AllowlistIdentifier,\n Client,\n EmailAddress,\n ExternalAccount,\n Invitation,\n OauthAccessToken,\n Organization,\n OrganizationDomain,\n OrganizationDomainVerification,\n OrganizationInvitation,\n OrganizationMembership,\n OrganizationMembershipPublicUserData,\n PhoneNumber,\n Session,\n SignInToken,\n SMSMessage,\n Token,\n User,\n TestingToken,\n} from './api/resources';\n\n/**\n * Webhooks event types\n */\nexport type {\n EmailWebhookEvent,\n OrganizationWebhookEvent,\n OrganizationDomainWebhookEvent,\n OrganizationInvitationWebhookEvent,\n OrganizationMembershipWebhookEvent,\n RoleWebhookEvent,\n PermissionWebhookEvent,\n SessionWebhookEvent,\n SMSWebhookEvent,\n UserWebhookEvent,\n WebhookEvent,\n WebhookEventType,\n} from './api/resources/Webhooks';\n\n/**\n * Auth objects\n */\nexport type { AuthObject } from './tokens/authObjects';\n"],"mappings":";;;;;;;;;;;;AACA,SAAS,0BAA0B;AAU5B,IAAMA,eAAc,iBAAiB,WAAY;AAiBjD,SAAS,kBAAkB,SAAoC;AACpE,QAAM,OAAO,EAAE,GAAG,QAAQ;AAC1B,QAAM,YAAY,uBAAuB,IAAI;AAC7C,QAAM,eAAe,0BAA0B,EAAE,SAAS,MAAM,UAAU,CAAC;AAC3E,QAAM,YAAY,IAAI,mBAAmB;AAAA,IACvC,GAAG,QAAQ;AAAA,IACX,gBAAgB,KAAK;AAAA,IACrB,WAAW,KAAK;AAAA,IAChB,GAAI,KAAK,cAAc,EAAE,KAAK,KAAK,YAAY,MAAM,YAAY,KAAK,YAAY,QAAQ,IAAI,CAAC;AAAA,EACjG,CAAC;AAED,SAAO;AAAA,IACL,GAAG;AAAA,IACH,GAAG;AAAA,IACH;AAAA,EACF;AACF;","names":["verifyToken"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/internal.d.ts b/backend/node_modules/@clerk/backend/dist/internal.d.ts new file mode 100644 index 000000000..56e874eeb --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/internal.d.ts @@ -0,0 +1,16 @@ +export { constants } from './constants'; +export { createRedirect } from './createRedirect'; +export type { RedirectFun } from './createRedirect'; +export type { CreateAuthenticateRequestOptions } from './tokens/factory'; +export { createAuthenticateRequest } from './tokens/factory'; +export { debugRequestState } from './tokens/request'; +export type { AuthenticateRequestOptions, OrganizationSyncOptions } from './tokens/types'; +export type { SignedInAuthObjectOptions, SignedInAuthObject, SignedOutAuthObject } from './tokens/authObjects'; +export { makeAuthObjectSerializable, signedOutAuthObject, signedInAuthObject } from './tokens/authObjects'; +export { AuthStatus } from './tokens/authStatus'; +export type { RequestState, SignedInState, SignedOutState } from './tokens/authStatus'; +export { decorateObjectWithResources, stripPrivateDataFromObject } from './util/decorateObjectWithResources'; +export { createClerkRequest } from './tokens/clerkRequest'; +export type { ClerkRequest } from './tokens/clerkRequest'; +export { reverificationError, reverificationErrorResponse } from '@clerk/shared/authorization-errors'; +//# sourceMappingURL=internal.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/internal.d.ts.map b/backend/node_modules/@clerk/backend/dist/internal.d.ts.map new file mode 100644 index 000000000..97ef77f34 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/internal.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"internal.d.ts","sourceRoot":"","sources":["../src/internal.ts"],"names":[],"mappings":"AAAA,OAAO,EAAE,SAAS,EAAE,MAAM,aAAa,CAAC;AACxC,OAAO,EAAE,cAAc,EAAE,MAAM,kBAAkB,CAAC;AAClD,YAAY,EAAE,WAAW,EAAE,MAAM,kBAAkB,CAAC;AAEpD,YAAY,EAAE,gCAAgC,EAAE,MAAM,kBAAkB,CAAC;AACzE,OAAO,EAAE,yBAAyB,EAAE,MAAM,kBAAkB,CAAC;AAE7D,OAAO,EAAE,iBAAiB,EAAE,MAAM,kBAAkB,CAAC;AAErD,YAAY,EAAE,0BAA0B,EAAE,uBAAuB,EAAE,MAAM,gBAAgB,CAAC;AAE1F,YAAY,EAAE,yBAAyB,EAAE,kBAAkB,EAAE,mBAAmB,EAAE,MAAM,sBAAsB,CAAC;AAC/G,OAAO,EAAE,0BAA0B,EAAE,mBAAmB,EAAE,kBAAkB,EAAE,MAAM,sBAAsB,CAAC;AAE3G,OAAO,EAAE,UAAU,EAAE,MAAM,qBAAqB,CAAC;AACjD,YAAY,EAAE,YAAY,EAAE,aAAa,EAAE,cAAc,EAAE,MAAM,qBAAqB,CAAC;AAEvF,OAAO,EAAE,2BAA2B,EAAE,0BAA0B,EAAE,MAAM,oCAAoC,CAAC;AAE7G,OAAO,EAAE,kBAAkB,EAAE,MAAM,uBAAuB,CAAC;AAC3D,YAAY,EAAE,YAAY,EAAE,MAAM,uBAAuB,CAAC;AAE1D,OAAO,EAAE,mBAAmB,EAAE,2BAA2B,EAAE,MAAM,oCAAoC,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/internal.js b/backend/node_modules/@clerk/backend/dist/internal.js new file mode 100644 index 000000000..1afae28c6 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/internal.js @@ -0,0 +1,3501 @@ +"use strict"; +var __create = Object.create; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __getProtoOf = Object.getPrototypeOf; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toESM = (mod, isNodeMode, target) => (target = mod != null ? __create(__getProtoOf(mod)) : {}, __copyProps( + // If the importer is in node compatibility mode or this is not an ESM + // file that has been converted to a CommonJS file using a Babel- + // compatible transform (i.e. "__esModule" has not been set), then set + // "default" to the CommonJS "module.exports" for node compatibility. + isNodeMode || !mod || !mod.__esModule ? __defProp(target, "default", { value: mod, enumerable: true }) : target, + mod +)); +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/internal.ts +var internal_exports = {}; +__export(internal_exports, { + AuthStatus: () => AuthStatus, + constants: () => constants, + createAuthenticateRequest: () => createAuthenticateRequest, + createClerkRequest: () => createClerkRequest, + createRedirect: () => createRedirect, + debugRequestState: () => debugRequestState, + decorateObjectWithResources: () => decorateObjectWithResources, + makeAuthObjectSerializable: () => makeAuthObjectSerializable, + reverificationError: () => import_authorization_errors.reverificationError, + reverificationErrorResponse: () => import_authorization_errors.reverificationErrorResponse, + signedInAuthObject: () => signedInAuthObject, + signedOutAuthObject: () => signedOutAuthObject, + stripPrivateDataFromObject: () => stripPrivateDataFromObject +}); +module.exports = __toCommonJS(internal_exports); + +// src/constants.ts +var API_URL = "https://api.clerk.com"; +var API_VERSION = "v1"; +var USER_AGENT = `${"@clerk/backend"}@${"1.24.3"}`; +var MAX_CACHE_LAST_UPDATED_AT_SECONDS = 5 * 60; +var SUPPORTED_BAPI_VERSION = "2024-10-01"; +var Attributes = { + AuthToken: "__clerkAuthToken", + AuthSignature: "__clerkAuthSignature", + AuthStatus: "__clerkAuthStatus", + AuthReason: "__clerkAuthReason", + AuthMessage: "__clerkAuthMessage", + ClerkUrl: "__clerkUrl" +}; +var Cookies = { + Session: "__session", + Refresh: "__refresh", + ClientUat: "__client_uat", + Handshake: "__clerk_handshake", + DevBrowser: "__clerk_db_jwt", + RedirectCount: "__clerk_redirect_count" +}; +var QueryParameters = { + ClerkSynced: "__clerk_synced", + SuffixedCookies: "suffixed_cookies", + ClerkRedirectUrl: "__clerk_redirect_url", + // use the reference to Cookies to indicate that it's the same value + DevBrowser: Cookies.DevBrowser, + Handshake: Cookies.Handshake, + HandshakeHelp: "__clerk_help", + LegacyDevBrowser: "__dev_session", + HandshakeReason: "__clerk_hs_reason" +}; +var Headers2 = { + AuthToken: "x-clerk-auth-token", + AuthSignature: "x-clerk-auth-signature", + AuthStatus: "x-clerk-auth-status", + AuthReason: "x-clerk-auth-reason", + AuthMessage: "x-clerk-auth-message", + ClerkUrl: "x-clerk-clerk-url", + EnableDebug: "x-clerk-debug", + ClerkRequestData: "x-clerk-request-data", + ClerkRedirectTo: "x-clerk-redirect-to", + CloudFrontForwardedProto: "cloudfront-forwarded-proto", + Authorization: "authorization", + ForwardedPort: "x-forwarded-port", + ForwardedProto: "x-forwarded-proto", + ForwardedHost: "x-forwarded-host", + Accept: "accept", + Referrer: "referer", + UserAgent: "user-agent", + Origin: "origin", + Host: "host", + ContentType: "content-type", + SecFetchDest: "sec-fetch-dest", + Location: "location", + CacheControl: "cache-control" +}; +var ContentTypes = { + Json: "application/json" +}; +var constants = { + Attributes, + Cookies, + Headers: Headers2, + ContentTypes, + QueryParameters +}; + +// src/util/shared.ts +var import_url = require("@clerk/shared/url"); +var import_retry = require("@clerk/shared/retry"); +var import_keys = require("@clerk/shared/keys"); +var import_deprecated = require("@clerk/shared/deprecated"); +var import_error = require("@clerk/shared/error"); +var import_keys2 = require("@clerk/shared/keys"); +var errorThrower = (0, import_error.buildErrorThrower)({ packageName: "@clerk/backend" }); +var { isDevOrStagingUrl } = (0, import_keys2.createDevOrStagingUrlCache)(); + +// src/createRedirect.ts +var buildUrl = (_baseUrl, _targetUrl, _returnBackUrl, _devBrowserToken) => { + if (_baseUrl === "") { + return legacyBuildUrl(_targetUrl.toString(), _returnBackUrl?.toString()); + } + const baseUrl = new URL(_baseUrl); + const returnBackUrl = _returnBackUrl ? new URL(_returnBackUrl, baseUrl) : void 0; + const res = new URL(_targetUrl, baseUrl); + if (returnBackUrl) { + res.searchParams.set("redirect_url", returnBackUrl.toString()); + } + if (_devBrowserToken && baseUrl.hostname !== res.hostname) { + res.searchParams.set(constants.QueryParameters.DevBrowser, _devBrowserToken); + } + return res.toString(); +}; +var legacyBuildUrl = (targetUrl, redirectUrl) => { + let url; + if (!targetUrl.startsWith("http")) { + if (!redirectUrl || !redirectUrl.startsWith("http")) { + throw new Error("destination url or return back url should be an absolute path url!"); + } + const baseURL = new URL(redirectUrl); + url = new URL(targetUrl, baseURL.origin); + } else { + url = new URL(targetUrl); + } + if (redirectUrl) { + url.searchParams.set("redirect_url", redirectUrl); + } + return url.toString(); +}; +var buildAccountsBaseUrl = (frontendApi) => { + if (!frontendApi) { + return ""; + } + const accountsBaseUrl = frontendApi.replace(/clerk\.accountsstage\./, "accountsstage.").replace(/clerk\.accounts\.|clerk\./, "accounts."); + return `https://${accountsBaseUrl}`; +}; +var createRedirect = (params) => { + const { publishableKey, redirectAdapter, signInUrl, signUpUrl, baseUrl } = params; + const parsedPublishableKey = (0, import_keys.parsePublishableKey)(publishableKey); + const frontendApi = parsedPublishableKey?.frontendApi; + const isDevelopment = parsedPublishableKey?.instanceType === "development"; + const accountsBaseUrl = buildAccountsBaseUrl(frontendApi); + const redirectToSignUp = ({ returnBackUrl } = {}) => { + if (!signUpUrl && !accountsBaseUrl) { + errorThrower.throwMissingPublishableKeyError(); + } + const accountsSignUpUrl = `${accountsBaseUrl}/sign-up`; + return redirectAdapter( + buildUrl(baseUrl, signUpUrl || accountsSignUpUrl, returnBackUrl, isDevelopment ? params.devBrowserToken : null) + ); + }; + const redirectToSignIn = ({ returnBackUrl } = {}) => { + if (!signInUrl && !accountsBaseUrl) { + errorThrower.throwMissingPublishableKeyError(); + } + const accountsSignInUrl = `${accountsBaseUrl}/sign-in`; + return redirectAdapter( + buildUrl(baseUrl, signInUrl || accountsSignInUrl, returnBackUrl, isDevelopment ? params.devBrowserToken : null) + ); + }; + return { redirectToSignUp, redirectToSignIn }; +}; + +// src/util/mergePreDefinedOptions.ts +function mergePreDefinedOptions(preDefinedOptions, options) { + return Object.keys(preDefinedOptions).reduce( + (obj, key) => { + return { ...obj, [key]: options[key] || obj[key] }; + }, + { ...preDefinedOptions } + ); +} + +// src/tokens/request.ts +var import_pathToRegexp = require("@clerk/shared/pathToRegexp"); + +// src/errors.ts +var TokenVerificationErrorCode = { + InvalidSecretKey: "clerk_key_invalid" +}; +var TokenVerificationErrorReason = { + TokenExpired: "token-expired", + TokenInvalid: "token-invalid", + TokenInvalidAlgorithm: "token-invalid-algorithm", + TokenInvalidAuthorizedParties: "token-invalid-authorized-parties", + TokenInvalidSignature: "token-invalid-signature", + TokenNotActiveYet: "token-not-active-yet", + TokenIatInTheFuture: "token-iat-in-the-future", + TokenVerificationFailed: "token-verification-failed", + InvalidSecretKey: "secret-key-invalid", + LocalJWKMissing: "jwk-local-missing", + RemoteJWKFailedToLoad: "jwk-remote-failed-to-load", + RemoteJWKInvalid: "jwk-remote-invalid", + RemoteJWKMissing: "jwk-remote-missing", + JWKFailedToResolve: "jwk-failed-to-resolve", + JWKKidMismatch: "jwk-kid-mismatch" +}; +var TokenVerificationErrorAction = { + ContactSupport: "Contact support@clerk.com", + EnsureClerkJWT: "Make sure that this is a valid Clerk generate JWT.", + SetClerkJWTKey: "Set the CLERK_JWT_KEY environment variable.", + SetClerkSecretKey: "Set the CLERK_SECRET_KEY environment variable.", + EnsureClockSync: "Make sure your system clock is in sync (e.g. turn off and on automatic time synchronization)." +}; +var TokenVerificationError = class _TokenVerificationError extends Error { + constructor({ + action, + message, + reason + }) { + super(message); + Object.setPrototypeOf(this, _TokenVerificationError.prototype); + this.reason = reason; + this.message = message; + this.action = action; + } + getFullMessage() { + return `${[this.message, this.action].filter((m) => m).join(" ")} (reason=${this.reason}, token-carrier=${this.tokenCarrier})`; + } +}; + +// src/runtime.ts +var import_crypto = require("#crypto"); +var globalFetch = fetch.bind(globalThis); +var runtime = { + crypto: import_crypto.webcrypto, + get fetch() { + return process.env.NODE_ENV === "test" ? fetch : globalFetch; + }, + AbortController: globalThis.AbortController, + Blob: globalThis.Blob, + FormData: globalThis.FormData, + Headers: globalThis.Headers, + Request: globalThis.Request, + Response: globalThis.Response +}; + +// src/util/rfc4648.ts +var base64url = { + parse(string, opts) { + return parse(string, base64UrlEncoding, opts); + }, + stringify(data, opts) { + return stringify(data, base64UrlEncoding, opts); + } +}; +var base64UrlEncoding = { + chars: "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_", + bits: 6 +}; +function parse(string, encoding, opts = {}) { + if (!encoding.codes) { + encoding.codes = {}; + for (let i = 0; i < encoding.chars.length; ++i) { + encoding.codes[encoding.chars[i]] = i; + } + } + if (!opts.loose && string.length * encoding.bits & 7) { + throw new SyntaxError("Invalid padding"); + } + let end = string.length; + while (string[end - 1] === "=") { + --end; + if (!opts.loose && !((string.length - end) * encoding.bits & 7)) { + throw new SyntaxError("Invalid padding"); + } + } + const out = new (opts.out ?? Uint8Array)(end * encoding.bits / 8 | 0); + let bits = 0; + let buffer = 0; + let written = 0; + for (let i = 0; i < end; ++i) { + const value = encoding.codes[string[i]]; + if (value === void 0) { + throw new SyntaxError("Invalid character " + string[i]); + } + buffer = buffer << encoding.bits | value; + bits += encoding.bits; + if (bits >= 8) { + bits -= 8; + out[written++] = 255 & buffer >> bits; + } + } + if (bits >= encoding.bits || 255 & buffer << 8 - bits) { + throw new SyntaxError("Unexpected end of data"); + } + return out; +} +function stringify(data, encoding, opts = {}) { + const { pad = true } = opts; + const mask = (1 << encoding.bits) - 1; + let out = ""; + let bits = 0; + let buffer = 0; + for (let i = 0; i < data.length; ++i) { + buffer = buffer << 8 | 255 & data[i]; + bits += 8; + while (bits > encoding.bits) { + bits -= encoding.bits; + out += encoding.chars[mask & buffer >> bits]; + } + } + if (bits) { + out += encoding.chars[mask & buffer << encoding.bits - bits]; + } + if (pad) { + while (out.length * encoding.bits & 7) { + out += "="; + } + } + return out; +} + +// src/jwt/algorithms.ts +var algToHash = { + RS256: "SHA-256", + RS384: "SHA-384", + RS512: "SHA-512" +}; +var RSA_ALGORITHM_NAME = "RSASSA-PKCS1-v1_5"; +var jwksAlgToCryptoAlg = { + RS256: RSA_ALGORITHM_NAME, + RS384: RSA_ALGORITHM_NAME, + RS512: RSA_ALGORITHM_NAME +}; +var algs = Object.keys(algToHash); +function getCryptoAlgorithm(algorithmName) { + const hash = algToHash[algorithmName]; + const name = jwksAlgToCryptoAlg[algorithmName]; + if (!hash || !name) { + throw new Error(`Unsupported algorithm ${algorithmName}, expected one of ${algs.join(",")}.`); + } + return { + hash: { name: algToHash[algorithmName] }, + name: jwksAlgToCryptoAlg[algorithmName] + }; +} + +// src/jwt/assertions.ts +var isArrayString = (s) => { + return Array.isArray(s) && s.length > 0 && s.every((a) => typeof a === "string"); +}; +var assertAudienceClaim = (aud, audience) => { + const audienceList = [audience].flat().filter((a) => !!a); + const audList = [aud].flat().filter((a) => !!a); + const shouldVerifyAudience = audienceList.length > 0 && audList.length > 0; + if (!shouldVerifyAudience) { + return; + } + if (typeof aud === "string") { + if (!audienceList.includes(aud)) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT audience claim (aud) ${JSON.stringify(aud)}. Is not included in "${JSON.stringify( + audienceList + )}".` + }); + } + } else if (isArrayString(aud)) { + if (!aud.some((a) => audienceList.includes(a))) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT audience claim array (aud) ${JSON.stringify(aud)}. Is not included in "${JSON.stringify( + audienceList + )}".` + }); + } + } +}; +var assertHeaderType = (typ) => { + if (typeof typ === "undefined") { + return; + } + if (typ !== "JWT") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenInvalid, + message: `Invalid JWT type ${JSON.stringify(typ)}. Expected "JWT".` + }); + } +}; +var assertHeaderAlgorithm = (alg) => { + if (!algs.includes(alg)) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenInvalidAlgorithm, + message: `Invalid JWT algorithm ${JSON.stringify(alg)}. Supported: ${algs}.` + }); + } +}; +var assertSubClaim = (sub) => { + if (typeof sub !== "string") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Subject claim (sub) is required and must be a string. Received ${JSON.stringify(sub)}.` + }); + } +}; +var assertAuthorizedPartiesClaim = (azp, authorizedParties) => { + if (!azp || !authorizedParties || authorizedParties.length === 0) { + return; + } + if (!authorizedParties.includes(azp)) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalidAuthorizedParties, + message: `Invalid JWT Authorized party claim (azp) ${JSON.stringify(azp)}. Expected "${authorizedParties}".` + }); + } +}; +var assertExpirationClaim = (exp, clockSkewInMs) => { + if (typeof exp !== "number") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT expiry date claim (exp) ${JSON.stringify(exp)}. Expected number.` + }); + } + const currentDate = new Date(Date.now()); + const expiryDate = /* @__PURE__ */ new Date(0); + expiryDate.setUTCSeconds(exp); + const expired = expiryDate.getTime() <= currentDate.getTime() - clockSkewInMs; + if (expired) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenExpired, + message: `JWT is expired. Expiry date: ${expiryDate.toUTCString()}, Current date: ${currentDate.toUTCString()}.` + }); + } +}; +var assertActivationClaim = (nbf, clockSkewInMs) => { + if (typeof nbf === "undefined") { + return; + } + if (typeof nbf !== "number") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT not before date claim (nbf) ${JSON.stringify(nbf)}. Expected number.` + }); + } + const currentDate = new Date(Date.now()); + const notBeforeDate = /* @__PURE__ */ new Date(0); + notBeforeDate.setUTCSeconds(nbf); + const early = notBeforeDate.getTime() > currentDate.getTime() + clockSkewInMs; + if (early) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenNotActiveYet, + message: `JWT cannot be used prior to not before date claim (nbf). Not before date: ${notBeforeDate.toUTCString()}; Current date: ${currentDate.toUTCString()};` + }); + } +}; +var assertIssuedAtClaim = (iat, clockSkewInMs) => { + if (typeof iat === "undefined") { + return; + } + if (typeof iat !== "number") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT issued at date claim (iat) ${JSON.stringify(iat)}. Expected number.` + }); + } + const currentDate = new Date(Date.now()); + const issuedAtDate = /* @__PURE__ */ new Date(0); + issuedAtDate.setUTCSeconds(iat); + const postIssued = issuedAtDate.getTime() > currentDate.getTime() + clockSkewInMs; + if (postIssued) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenIatInTheFuture, + message: `JWT issued at date claim (iat) is in the future. Issued at date: ${issuedAtDate.toUTCString()}; Current date: ${currentDate.toUTCString()};` + }); + } +}; + +// src/jwt/cryptoKeys.ts +var import_isomorphicAtob = require("@clerk/shared/isomorphicAtob"); +function pemToBuffer(secret) { + const trimmed = secret.replace(/-----BEGIN.*?-----/g, "").replace(/-----END.*?-----/g, "").replace(/\s/g, ""); + const decoded = (0, import_isomorphicAtob.isomorphicAtob)(trimmed); + const buffer = new ArrayBuffer(decoded.length); + const bufView = new Uint8Array(buffer); + for (let i = 0, strLen = decoded.length; i < strLen; i++) { + bufView[i] = decoded.charCodeAt(i); + } + return bufView; +} +function importKey(key, algorithm, keyUsage) { + if (typeof key === "object") { + return runtime.crypto.subtle.importKey("jwk", key, algorithm, false, [keyUsage]); + } + const keyData = pemToBuffer(key); + const format = keyUsage === "sign" ? "pkcs8" : "spki"; + return runtime.crypto.subtle.importKey(format, keyData, algorithm, false, [keyUsage]); +} + +// src/jwt/verifyJwt.ts +var DEFAULT_CLOCK_SKEW_IN_SECONDS = 5 * 1e3; +async function hasValidSignature(jwt, key) { + const { header, signature, raw } = jwt; + const encoder = new TextEncoder(); + const data = encoder.encode([raw.header, raw.payload].join(".")); + const algorithm = getCryptoAlgorithm(header.alg); + try { + const cryptoKey = await importKey(key, algorithm, "verify"); + const verified = await runtime.crypto.subtle.verify(algorithm.name, cryptoKey, signature, data); + return { data: verified }; + } catch (error) { + return { + errors: [ + new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalidSignature, + message: error?.message + }) + ] + }; + } +} +function decodeJwt(token) { + const tokenParts = (token || "").toString().split("."); + if (tokenParts.length !== 3) { + return { + errors: [ + new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalid, + message: `Invalid JWT form. A JWT consists of three parts separated by dots.` + }) + ] + }; + } + const [rawHeader, rawPayload, rawSignature] = tokenParts; + const decoder = new TextDecoder(); + const header = JSON.parse(decoder.decode(base64url.parse(rawHeader, { loose: true }))); + const payload = JSON.parse(decoder.decode(base64url.parse(rawPayload, { loose: true }))); + const signature = base64url.parse(rawSignature, { loose: true }); + const data = { + header, + payload, + signature, + raw: { + header: rawHeader, + payload: rawPayload, + signature: rawSignature, + text: token + } + }; + return { data }; +} +async function verifyJwt(token, options) { + const { audience, authorizedParties, clockSkewInMs, key } = options; + const clockSkew = clockSkewInMs || DEFAULT_CLOCK_SKEW_IN_SECONDS; + const { data: decoded, errors } = decodeJwt(token); + if (errors) { + return { errors }; + } + const { header, payload } = decoded; + try { + const { typ, alg } = header; + assertHeaderType(typ); + assertHeaderAlgorithm(alg); + const { azp, sub, aud, iat, exp, nbf } = payload; + assertSubClaim(sub); + assertAudienceClaim([aud], [audience]); + assertAuthorizedPartiesClaim(azp, authorizedParties); + assertExpirationClaim(exp, clockSkew); + assertActivationClaim(nbf, clockSkew); + assertIssuedAtClaim(iat, clockSkew); + } catch (err) { + return { errors: [err] }; + } + const { data: signatureValid, errors: signatureErrors } = await hasValidSignature(decoded, key); + if (signatureErrors) { + return { + errors: [ + new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Error verifying JWT signature. ${signatureErrors[0]}` + }) + ] + }; + } + if (!signatureValid) { + return { + errors: [ + new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalidSignature, + message: "JWT signature is invalid." + }) + ] + }; + } + return { data: payload }; +} + +// src/util/optionsAssertions.ts +function assertValidSecretKey(val) { + if (!val || typeof val !== "string") { + throw Error("Missing Clerk Secret Key. Go to https://dashboard.clerk.com and get your key for your instance."); + } +} +function assertValidPublishableKey(val) { + (0, import_keys.parsePublishableKey)(val, { fatal: true }); +} + +// src/tokens/authenticateContext.ts +var AuthenticateContext = class { + constructor(cookieSuffix, clerkRequest, options) { + this.cookieSuffix = cookieSuffix; + this.clerkRequest = clerkRequest; + this.initPublishableKeyValues(options); + this.initHeaderValues(); + this.initCookieValues(); + this.initHandshakeValues(); + Object.assign(this, options); + this.clerkUrl = this.clerkRequest.clerkUrl; + } + /** + * Retrieves the session token from either the cookie or the header. + * + * @returns {string | undefined} The session token if available, otherwise undefined. + */ + get sessionToken() { + return this.sessionTokenInCookie || this.sessionTokenInHeader; + } + usesSuffixedCookies() { + const suffixedClientUat = this.getSuffixedCookie(constants.Cookies.ClientUat); + const clientUat = this.getCookie(constants.Cookies.ClientUat); + const suffixedSession = this.getSuffixedCookie(constants.Cookies.Session) || ""; + const session = this.getCookie(constants.Cookies.Session) || ""; + if (session && !this.tokenHasIssuer(session)) { + return false; + } + if (session && !this.tokenBelongsToInstance(session)) { + return true; + } + if (!suffixedClientUat && !suffixedSession) { + return false; + } + const { data: sessionData } = decodeJwt(session); + const sessionIat = sessionData?.payload.iat || 0; + const { data: suffixedSessionData } = decodeJwt(suffixedSession); + const suffixedSessionIat = suffixedSessionData?.payload.iat || 0; + if (suffixedClientUat !== "0" && clientUat !== "0" && sessionIat > suffixedSessionIat) { + return false; + } + if (suffixedClientUat === "0" && clientUat !== "0") { + return false; + } + if (this.instanceType !== "production") { + const isSuffixedSessionExpired = this.sessionExpired(suffixedSessionData); + if (suffixedClientUat !== "0" && clientUat === "0" && isSuffixedSessionExpired) { + return false; + } + } + if (!suffixedClientUat && suffixedSession) { + return false; + } + return true; + } + initPublishableKeyValues(options) { + assertValidPublishableKey(options.publishableKey); + this.publishableKey = options.publishableKey; + const pk = (0, import_keys.parsePublishableKey)(this.publishableKey, { + fatal: true, + proxyUrl: options.proxyUrl, + domain: options.domain + }); + this.instanceType = pk.instanceType; + this.frontendApi = pk.frontendApi; + } + initHeaderValues() { + this.sessionTokenInHeader = this.stripAuthorizationHeader(this.getHeader(constants.Headers.Authorization)); + this.origin = this.getHeader(constants.Headers.Origin); + this.host = this.getHeader(constants.Headers.Host); + this.forwardedHost = this.getHeader(constants.Headers.ForwardedHost); + this.forwardedProto = this.getHeader(constants.Headers.CloudFrontForwardedProto) || this.getHeader(constants.Headers.ForwardedProto); + this.referrer = this.getHeader(constants.Headers.Referrer); + this.userAgent = this.getHeader(constants.Headers.UserAgent); + this.secFetchDest = this.getHeader(constants.Headers.SecFetchDest); + this.accept = this.getHeader(constants.Headers.Accept); + } + initCookieValues() { + this.sessionTokenInCookie = this.getSuffixedOrUnSuffixedCookie(constants.Cookies.Session); + this.refreshTokenInCookie = this.getSuffixedCookie(constants.Cookies.Refresh); + this.clientUat = Number.parseInt(this.getSuffixedOrUnSuffixedCookie(constants.Cookies.ClientUat) || "") || 0; + } + initHandshakeValues() { + this.devBrowserToken = this.getQueryParam(constants.QueryParameters.DevBrowser) || this.getSuffixedOrUnSuffixedCookie(constants.Cookies.DevBrowser); + this.handshakeToken = this.getQueryParam(constants.QueryParameters.Handshake) || this.getCookie(constants.Cookies.Handshake); + this.handshakeRedirectLoopCounter = Number(this.getCookie(constants.Cookies.RedirectCount)) || 0; + } + stripAuthorizationHeader(authValue) { + return authValue?.replace("Bearer ", ""); + } + getQueryParam(name) { + return this.clerkRequest.clerkUrl.searchParams.get(name); + } + getHeader(name) { + return this.clerkRequest.headers.get(name) || void 0; + } + getCookie(name) { + return this.clerkRequest.cookies.get(name) || void 0; + } + getSuffixedCookie(name) { + return this.getCookie((0, import_keys.getSuffixedCookieName)(name, this.cookieSuffix)) || void 0; + } + getSuffixedOrUnSuffixedCookie(cookieName) { + if (this.usesSuffixedCookies()) { + return this.getSuffixedCookie(cookieName); + } + return this.getCookie(cookieName); + } + tokenHasIssuer(token) { + const { data, errors } = decodeJwt(token); + if (errors) { + return false; + } + return !!data.payload.iss; + } + tokenBelongsToInstance(token) { + if (!token) { + return false; + } + const { data, errors } = decodeJwt(token); + if (errors) { + return false; + } + const tokenIssuer = data.payload.iss.replace(/https?:\/\//gi, ""); + return this.frontendApi === tokenIssuer; + } + sessionExpired(jwt) { + return !!jwt && jwt?.payload.exp <= Date.now() / 1e3 >> 0; + } +}; +var createAuthenticateContext = async (clerkRequest, options) => { + const cookieSuffix = options.publishableKey ? await (0, import_keys.getCookieSuffix)(options.publishableKey, runtime.crypto.subtle) : ""; + return new AuthenticateContext(cookieSuffix, clerkRequest, options); +}; + +// src/tokens/authObjects.ts +var import_authorization = require("@clerk/shared/authorization"); + +// src/util/path.ts +var SEPARATOR = "/"; +var MULTIPLE_SEPARATOR_REGEX = new RegExp("(? p).join(SEPARATOR).replace(MULTIPLE_SEPARATOR_REGEX, SEPARATOR); +} + +// src/api/endpoints/AbstractApi.ts +var AbstractAPI = class { + constructor(request) { + this.request = request; + } + requireId(id) { + if (!id) { + throw new Error("A valid resource ID is required."); + } + } +}; + +// src/api/endpoints/AccountlessApplicationsAPI.ts +var basePath = "/accountless_applications"; +var AccountlessApplicationAPI = class extends AbstractAPI { + async createAccountlessApplication() { + return this.request({ + method: "POST", + path: basePath + }); + } + async completeAccountlessApplicationOnboarding() { + return this.request({ + method: "POST", + path: joinPaths(basePath, "complete") + }); + } +}; + +// src/api/endpoints/AllowlistIdentifierApi.ts +var basePath2 = "/allowlist_identifiers"; +var AllowlistIdentifierAPI = class extends AbstractAPI { + async getAllowlistIdentifierList() { + return this.request({ + method: "GET", + path: basePath2, + queryParams: { paginated: true } + }); + } + async createAllowlistIdentifier(params) { + return this.request({ + method: "POST", + path: basePath2, + bodyParams: params + }); + } + async deleteAllowlistIdentifier(allowlistIdentifierId) { + this.requireId(allowlistIdentifierId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath2, allowlistIdentifierId) + }); + } +}; + +// src/api/endpoints/ClientApi.ts +var basePath3 = "/clients"; +var ClientAPI = class extends AbstractAPI { + async getClientList(params = {}) { + return this.request({ + method: "GET", + path: basePath3, + queryParams: { ...params, paginated: true } + }); + } + async getClient(clientId) { + this.requireId(clientId); + return this.request({ + method: "GET", + path: joinPaths(basePath3, clientId) + }); + } + verifyClient(token) { + return this.request({ + method: "POST", + path: joinPaths(basePath3, "verify"), + bodyParams: { token } + }); + } +}; + +// src/api/endpoints/DomainApi.ts +var basePath4 = "/domains"; +var DomainAPI = class extends AbstractAPI { + async deleteDomain(id) { + return this.request({ + method: "DELETE", + path: joinPaths(basePath4, id) + }); + } +}; + +// src/api/endpoints/EmailAddressApi.ts +var basePath5 = "/email_addresses"; +var EmailAddressAPI = class extends AbstractAPI { + async getEmailAddress(emailAddressId) { + this.requireId(emailAddressId); + return this.request({ + method: "GET", + path: joinPaths(basePath5, emailAddressId) + }); + } + async createEmailAddress(params) { + return this.request({ + method: "POST", + path: basePath5, + bodyParams: params + }); + } + async updateEmailAddress(emailAddressId, params = {}) { + this.requireId(emailAddressId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath5, emailAddressId), + bodyParams: params + }); + } + async deleteEmailAddress(emailAddressId) { + this.requireId(emailAddressId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath5, emailAddressId) + }); + } +}; + +// src/api/endpoints/InvitationApi.ts +var basePath6 = "/invitations"; +var InvitationAPI = class extends AbstractAPI { + async getInvitationList(params = {}) { + return this.request({ + method: "GET", + path: basePath6, + queryParams: { ...params, paginated: true } + }); + } + async createInvitation(params) { + return this.request({ + method: "POST", + path: basePath6, + bodyParams: params + }); + } + async revokeInvitation(invitationId) { + this.requireId(invitationId); + return this.request({ + method: "POST", + path: joinPaths(basePath6, invitationId, "revoke") + }); + } +}; + +// src/api/endpoints/OrganizationApi.ts +var basePath7 = "/organizations"; +var OrganizationAPI = class extends AbstractAPI { + async getOrganizationList(params) { + return this.request({ + method: "GET", + path: basePath7, + queryParams: params + }); + } + async createOrganization(params) { + return this.request({ + method: "POST", + path: basePath7, + bodyParams: params + }); + } + async getOrganization(params) { + const { includeMembersCount } = params; + const organizationIdOrSlug = "organizationId" in params ? params.organizationId : params.slug; + this.requireId(organizationIdOrSlug); + return this.request({ + method: "GET", + path: joinPaths(basePath7, organizationIdOrSlug), + queryParams: { + includeMembersCount + } + }); + } + async updateOrganization(organizationId, params) { + this.requireId(organizationId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath7, organizationId), + bodyParams: params + }); + } + async updateOrganizationLogo(organizationId, params) { + this.requireId(organizationId); + const formData = new runtime.FormData(); + formData.append("file", params?.file); + if (params?.uploaderUserId) { + formData.append("uploader_user_id", params?.uploaderUserId); + } + return this.request({ + method: "PUT", + path: joinPaths(basePath7, organizationId, "logo"), + formData + }); + } + async deleteOrganizationLogo(organizationId) { + this.requireId(organizationId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath7, organizationId, "logo") + }); + } + async updateOrganizationMetadata(organizationId, params) { + this.requireId(organizationId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath7, organizationId, "metadata"), + bodyParams: params + }); + } + async deleteOrganization(organizationId) { + return this.request({ + method: "DELETE", + path: joinPaths(basePath7, organizationId) + }); + } + async getOrganizationMembershipList(params) { + const { organizationId, ...queryParams } = params; + this.requireId(organizationId); + return this.request({ + method: "GET", + path: joinPaths(basePath7, organizationId, "memberships"), + queryParams + }); + } + async createOrganizationMembership(params) { + const { organizationId, ...bodyParams } = params; + this.requireId(organizationId); + return this.request({ + method: "POST", + path: joinPaths(basePath7, organizationId, "memberships"), + bodyParams + }); + } + async updateOrganizationMembership(params) { + const { organizationId, userId, ...bodyParams } = params; + this.requireId(organizationId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath7, organizationId, "memberships", userId), + bodyParams + }); + } + async updateOrganizationMembershipMetadata(params) { + const { organizationId, userId, ...bodyParams } = params; + return this.request({ + method: "PATCH", + path: joinPaths(basePath7, organizationId, "memberships", userId, "metadata"), + bodyParams + }); + } + async deleteOrganizationMembership(params) { + const { organizationId, userId } = params; + this.requireId(organizationId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath7, organizationId, "memberships", userId) + }); + } + async getOrganizationInvitationList(params) { + const { organizationId, ...queryParams } = params; + this.requireId(organizationId); + return this.request({ + method: "GET", + path: joinPaths(basePath7, organizationId, "invitations"), + queryParams + }); + } + async createOrganizationInvitation(params) { + const { organizationId, ...bodyParams } = params; + this.requireId(organizationId); + return this.request({ + method: "POST", + path: joinPaths(basePath7, organizationId, "invitations"), + bodyParams + }); + } + async getOrganizationInvitation(params) { + const { organizationId, invitationId } = params; + this.requireId(organizationId); + this.requireId(invitationId); + return this.request({ + method: "GET", + path: joinPaths(basePath7, organizationId, "invitations", invitationId) + }); + } + async revokeOrganizationInvitation(params) { + const { organizationId, invitationId, ...bodyParams } = params; + this.requireId(organizationId); + return this.request({ + method: "POST", + path: joinPaths(basePath7, organizationId, "invitations", invitationId, "revoke"), + bodyParams + }); + } + async getOrganizationDomainList(params) { + const { organizationId, ...queryParams } = params; + this.requireId(organizationId); + return this.request({ + method: "GET", + path: joinPaths(basePath7, organizationId, "domains"), + queryParams + }); + } + async createOrganizationDomain(params) { + const { organizationId, ...bodyParams } = params; + this.requireId(organizationId); + return this.request({ + method: "POST", + path: joinPaths(basePath7, organizationId, "domains"), + bodyParams: { + ...bodyParams, + verified: bodyParams.verified ?? true + } + }); + } + async updateOrganizationDomain(params) { + const { organizationId, domainId, ...bodyParams } = params; + this.requireId(organizationId); + this.requireId(domainId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath7, organizationId, "domains", domainId), + bodyParams + }); + } + async deleteOrganizationDomain(params) { + const { organizationId, domainId } = params; + this.requireId(organizationId); + this.requireId(domainId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath7, organizationId, "domains", domainId) + }); + } +}; + +// src/api/endpoints/PhoneNumberApi.ts +var basePath8 = "/phone_numbers"; +var PhoneNumberAPI = class extends AbstractAPI { + async getPhoneNumber(phoneNumberId) { + this.requireId(phoneNumberId); + return this.request({ + method: "GET", + path: joinPaths(basePath8, phoneNumberId) + }); + } + async createPhoneNumber(params) { + return this.request({ + method: "POST", + path: basePath8, + bodyParams: params + }); + } + async updatePhoneNumber(phoneNumberId, params = {}) { + this.requireId(phoneNumberId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath8, phoneNumberId), + bodyParams: params + }); + } + async deletePhoneNumber(phoneNumberId) { + this.requireId(phoneNumberId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath8, phoneNumberId) + }); + } +}; + +// src/api/endpoints/RedirectUrlApi.ts +var basePath9 = "/redirect_urls"; +var RedirectUrlAPI = class extends AbstractAPI { + async getRedirectUrlList() { + return this.request({ + method: "GET", + path: basePath9, + queryParams: { paginated: true } + }); + } + async getRedirectUrl(redirectUrlId) { + this.requireId(redirectUrlId); + return this.request({ + method: "GET", + path: joinPaths(basePath9, redirectUrlId) + }); + } + async createRedirectUrl(params) { + return this.request({ + method: "POST", + path: basePath9, + bodyParams: params + }); + } + async deleteRedirectUrl(redirectUrlId) { + this.requireId(redirectUrlId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath9, redirectUrlId) + }); + } +}; + +// src/api/endpoints/SessionApi.ts +var basePath10 = "/sessions"; +var SessionAPI = class extends AbstractAPI { + async getSessionList(params = {}) { + return this.request({ + method: "GET", + path: basePath10, + queryParams: { ...params, paginated: true } + }); + } + async getSession(sessionId) { + this.requireId(sessionId); + return this.request({ + method: "GET", + path: joinPaths(basePath10, sessionId) + }); + } + async revokeSession(sessionId) { + this.requireId(sessionId); + return this.request({ + method: "POST", + path: joinPaths(basePath10, sessionId, "revoke") + }); + } + async verifySession(sessionId, token) { + this.requireId(sessionId); + return this.request({ + method: "POST", + path: joinPaths(basePath10, sessionId, "verify"), + bodyParams: { token } + }); + } + async getToken(sessionId, template) { + this.requireId(sessionId); + return this.request({ + method: "POST", + path: joinPaths(basePath10, sessionId, "tokens", template || "") + }); + } + async refreshSession(sessionId, params) { + this.requireId(sessionId); + const { suffixed_cookies, ...restParams } = params; + return this.request({ + method: "POST", + path: joinPaths(basePath10, sessionId, "refresh"), + bodyParams: restParams, + queryParams: { suffixed_cookies } + }); + } +}; + +// src/api/endpoints/SignInTokenApi.ts +var basePath11 = "/sign_in_tokens"; +var SignInTokenAPI = class extends AbstractAPI { + async createSignInToken(params) { + return this.request({ + method: "POST", + path: basePath11, + bodyParams: params + }); + } + async revokeSignInToken(signInTokenId) { + this.requireId(signInTokenId); + return this.request({ + method: "POST", + path: joinPaths(basePath11, signInTokenId, "revoke") + }); + } +}; + +// src/api/endpoints/UserApi.ts +var basePath12 = "/users"; +var UserAPI = class extends AbstractAPI { + async getUserList(params = {}) { + const { limit, offset, orderBy, ...userCountParams } = params; + const [data, totalCount] = await Promise.all([ + this.request({ + method: "GET", + path: basePath12, + queryParams: params + }), + this.getCount(userCountParams) + ]); + return { data, totalCount }; + } + async getUser(userId) { + this.requireId(userId); + return this.request({ + method: "GET", + path: joinPaths(basePath12, userId) + }); + } + async createUser(params) { + return this.request({ + method: "POST", + path: basePath12, + bodyParams: params + }); + } + async updateUser(userId, params = {}) { + this.requireId(userId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath12, userId), + bodyParams: params + }); + } + async updateUserProfileImage(userId, params) { + this.requireId(userId); + const formData = new runtime.FormData(); + formData.append("file", params?.file); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "profile_image"), + formData + }); + } + async updateUserMetadata(userId, params) { + this.requireId(userId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath12, userId, "metadata"), + bodyParams: params + }); + } + async deleteUser(userId) { + this.requireId(userId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath12, userId) + }); + } + async getCount(params = {}) { + return this.request({ + method: "GET", + path: joinPaths(basePath12, "count"), + queryParams: params + }); + } + async getUserOauthAccessToken(userId, provider) { + this.requireId(userId); + const hasPrefix = provider.startsWith("oauth_"); + const _provider = hasPrefix ? provider : `oauth_${provider}`; + if (hasPrefix) { + (0, import_deprecated.deprecated)( + "getUserOauthAccessToken(userId, provider)", + "Remove the `oauth_` prefix from the `provider` argument." + ); + } + return this.request({ + method: "GET", + path: joinPaths(basePath12, userId, "oauth_access_tokens", _provider), + queryParams: { paginated: true } + }); + } + async disableUserMFA(userId) { + this.requireId(userId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath12, userId, "mfa") + }); + } + async getOrganizationMembershipList(params) { + const { userId, limit, offset } = params; + this.requireId(userId); + return this.request({ + method: "GET", + path: joinPaths(basePath12, userId, "organization_memberships"), + queryParams: { limit, offset } + }); + } + async verifyPassword(params) { + const { userId, password } = params; + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "verify_password"), + bodyParams: { password } + }); + } + async verifyTOTP(params) { + const { userId, code } = params; + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "verify_totp"), + bodyParams: { code } + }); + } + async banUser(userId) { + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "ban") + }); + } + async unbanUser(userId) { + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "unban") + }); + } + async lockUser(userId) { + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "lock") + }); + } + async unlockUser(userId) { + this.requireId(userId); + return this.request({ + method: "POST", + path: joinPaths(basePath12, userId, "unlock") + }); + } + async deleteUserProfileImage(userId) { + this.requireId(userId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath12, userId, "profile_image") + }); + } +}; + +// src/api/endpoints/SamlConnectionApi.ts +var basePath13 = "/saml_connections"; +var SamlConnectionAPI = class extends AbstractAPI { + async getSamlConnectionList(params = {}) { + return this.request({ + method: "GET", + path: basePath13, + queryParams: params + }); + } + async createSamlConnection(params) { + return this.request({ + method: "POST", + path: basePath13, + bodyParams: params + }); + } + async getSamlConnection(samlConnectionId) { + this.requireId(samlConnectionId); + return this.request({ + method: "GET", + path: joinPaths(basePath13, samlConnectionId) + }); + } + async updateSamlConnection(samlConnectionId, params = {}) { + this.requireId(samlConnectionId); + return this.request({ + method: "PATCH", + path: joinPaths(basePath13, samlConnectionId), + bodyParams: params + }); + } + async deleteSamlConnection(samlConnectionId) { + this.requireId(samlConnectionId); + return this.request({ + method: "DELETE", + path: joinPaths(basePath13, samlConnectionId) + }); + } +}; + +// src/api/endpoints/TestingTokenApi.ts +var basePath14 = "/testing_tokens"; +var TestingTokenAPI = class extends AbstractAPI { + async createTestingToken() { + return this.request({ + method: "POST", + path: basePath14 + }); + } +}; + +// src/api/request.ts +var import_error2 = require("@clerk/shared/error"); +var import_snakecase_keys = __toESM(require("snakecase-keys")); + +// src/api/resources/AccountlessApplication.ts +var AccountlessApplication = class _AccountlessApplication { + constructor(publishableKey, secretKey, claimUrl, apiKeysUrl) { + this.publishableKey = publishableKey; + this.secretKey = secretKey; + this.claimUrl = claimUrl; + this.apiKeysUrl = apiKeysUrl; + } + static fromJSON(data) { + return new _AccountlessApplication(data.publishable_key, data.secret_key, data.claim_url, data.api_keys_url); + } +}; + +// src/api/resources/AllowlistIdentifier.ts +var AllowlistIdentifier = class _AllowlistIdentifier { + constructor(id, identifier, createdAt, updatedAt, invitationId) { + this.id = id; + this.identifier = identifier; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.invitationId = invitationId; + } + static fromJSON(data) { + return new _AllowlistIdentifier(data.id, data.identifier, data.created_at, data.updated_at, data.invitation_id); + } +}; + +// src/api/resources/Session.ts +var SessionActivity = class _SessionActivity { + constructor(id, isMobile, ipAddress, city, country, browserVersion, browserName, deviceType) { + this.id = id; + this.isMobile = isMobile; + this.ipAddress = ipAddress; + this.city = city; + this.country = country; + this.browserVersion = browserVersion; + this.browserName = browserName; + this.deviceType = deviceType; + } + static fromJSON(data) { + return new _SessionActivity( + data.id, + data.is_mobile, + data.ip_address, + data.city, + data.country, + data.browser_version, + data.browser_name, + data.device_type + ); + } +}; +var Session = class _Session { + constructor(id, clientId, userId, status, lastActiveAt, expireAt, abandonAt, createdAt, updatedAt, lastActiveOrganizationId, latestActivity, actor = null) { + this.id = id; + this.clientId = clientId; + this.userId = userId; + this.status = status; + this.lastActiveAt = lastActiveAt; + this.expireAt = expireAt; + this.abandonAt = abandonAt; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.lastActiveOrganizationId = lastActiveOrganizationId; + this.latestActivity = latestActivity; + this.actor = actor; + } + static fromJSON(data) { + return new _Session( + data.id, + data.client_id, + data.user_id, + data.status, + data.last_active_at, + data.expire_at, + data.abandon_at, + data.created_at, + data.updated_at, + data.last_active_organization_id, + data.latest_activity && SessionActivity.fromJSON(data.latest_activity), + data.actor + ); + } +}; + +// src/api/resources/Client.ts +var Client = class _Client { + constructor(id, sessionIds, sessions, signInId, signUpId, lastActiveSessionId, createdAt, updatedAt) { + this.id = id; + this.sessionIds = sessionIds; + this.sessions = sessions; + this.signInId = signInId; + this.signUpId = signUpId; + this.lastActiveSessionId = lastActiveSessionId; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + } + static fromJSON(data) { + return new _Client( + data.id, + data.session_ids, + data.sessions.map((x) => Session.fromJSON(x)), + data.sign_in_id, + data.sign_up_id, + data.last_active_session_id, + data.created_at, + data.updated_at + ); + } +}; + +// src/api/resources/Cookies.ts +var Cookies2 = class _Cookies { + constructor(cookies) { + this.cookies = cookies; + } + static fromJSON(data) { + return new _Cookies(data.cookies); + } +}; + +// src/api/resources/DeletedObject.ts +var DeletedObject = class _DeletedObject { + constructor(object, id, slug, deleted) { + this.object = object; + this.id = id; + this.slug = slug; + this.deleted = deleted; + } + static fromJSON(data) { + return new _DeletedObject(data.object, data.id || null, data.slug || null, data.deleted); + } +}; + +// src/api/resources/Email.ts +var Email = class _Email { + constructor(id, fromEmailName, emailAddressId, toEmailAddress, subject, body, bodyPlain, status, slug, data, deliveredByClerk) { + this.id = id; + this.fromEmailName = fromEmailName; + this.emailAddressId = emailAddressId; + this.toEmailAddress = toEmailAddress; + this.subject = subject; + this.body = body; + this.bodyPlain = bodyPlain; + this.status = status; + this.slug = slug; + this.data = data; + this.deliveredByClerk = deliveredByClerk; + } + static fromJSON(data) { + return new _Email( + data.id, + data.from_email_name, + data.email_address_id, + data.to_email_address, + data.subject, + data.body, + data.body_plain, + data.status, + data.slug, + data.data, + data.delivered_by_clerk + ); + } +}; + +// src/api/resources/IdentificationLink.ts +var IdentificationLink = class _IdentificationLink { + constructor(id, type) { + this.id = id; + this.type = type; + } + static fromJSON(data) { + return new _IdentificationLink(data.id, data.type); + } +}; + +// src/api/resources/Verification.ts +var Verification = class _Verification { + constructor(status, strategy, externalVerificationRedirectURL = null, attempts = null, expireAt = null, nonce = null, message = null) { + this.status = status; + this.strategy = strategy; + this.externalVerificationRedirectURL = externalVerificationRedirectURL; + this.attempts = attempts; + this.expireAt = expireAt; + this.nonce = nonce; + this.message = message; + } + static fromJSON(data) { + return new _Verification( + data.status, + data.strategy, + data.external_verification_redirect_url ? new URL(data.external_verification_redirect_url) : null, + data.attempts, + data.expire_at, + data.nonce + ); + } +}; + +// src/api/resources/EmailAddress.ts +var EmailAddress = class _EmailAddress { + constructor(id, emailAddress, verification, linkedTo) { + this.id = id; + this.emailAddress = emailAddress; + this.verification = verification; + this.linkedTo = linkedTo; + } + static fromJSON(data) { + return new _EmailAddress( + data.id, + data.email_address, + data.verification && Verification.fromJSON(data.verification), + data.linked_to.map((link) => IdentificationLink.fromJSON(link)) + ); + } +}; + +// src/api/resources/ExternalAccount.ts +var ExternalAccount = class _ExternalAccount { + constructor(id, provider, identificationId, externalId, approvedScopes, emailAddress, firstName, lastName, imageUrl, username, publicMetadata = {}, label, verification) { + this.id = id; + this.provider = provider; + this.identificationId = identificationId; + this.externalId = externalId; + this.approvedScopes = approvedScopes; + this.emailAddress = emailAddress; + this.firstName = firstName; + this.lastName = lastName; + this.imageUrl = imageUrl; + this.username = username; + this.publicMetadata = publicMetadata; + this.label = label; + this.verification = verification; + } + static fromJSON(data) { + return new _ExternalAccount( + data.id, + data.provider, + data.identification_id, + data.provider_user_id, + data.approved_scopes, + data.email_address, + data.first_name, + data.last_name, + data.image_url || "", + data.username, + data.public_metadata, + data.label, + data.verification && Verification.fromJSON(data.verification) + ); + } +}; + +// src/api/resources/Invitation.ts +var Invitation = class _Invitation { + constructor(id, emailAddress, publicMetadata, createdAt, updatedAt, status, url, revoked) { + this.id = id; + this.emailAddress = emailAddress; + this.publicMetadata = publicMetadata; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.status = status; + this.url = url; + this.revoked = revoked; + } + static fromJSON(data) { + return new _Invitation( + data.id, + data.email_address, + data.public_metadata, + data.created_at, + data.updated_at, + data.status, + data.url, + data.revoked + ); + } +}; + +// src/api/resources/JSON.ts +var ObjectType = { + AccountlessApplication: "accountless_application", + AllowlistIdentifier: "allowlist_identifier", + Client: "client", + Cookies: "cookies", + Email: "email", + EmailAddress: "email_address", + ExternalAccount: "external_account", + FacebookAccount: "facebook_account", + GoogleAccount: "google_account", + Invitation: "invitation", + OauthAccessToken: "oauth_access_token", + Organization: "organization", + OrganizationDomain: "organization_domain", + OrganizationInvitation: "organization_invitation", + OrganizationMembership: "organization_membership", + PhoneNumber: "phone_number", + RedirectUrl: "redirect_url", + SamlAccount: "saml_account", + Session: "session", + SignInAttempt: "sign_in_attempt", + SignInToken: "sign_in_token", + SignUpAttempt: "sign_up_attempt", + SmsMessage: "sms_message", + User: "user", + Web3Wallet: "web3_wallet", + Token: "token", + TotalCount: "total_count", + TestingToken: "testing_token", + Role: "role", + Permission: "permission" +}; + +// src/api/resources/OauthAccessToken.ts +var OauthAccessToken = class _OauthAccessToken { + constructor(externalAccountId, provider, token, publicMetadata = {}, label, scopes, tokenSecret) { + this.externalAccountId = externalAccountId; + this.provider = provider; + this.token = token; + this.publicMetadata = publicMetadata; + this.label = label; + this.scopes = scopes; + this.tokenSecret = tokenSecret; + } + static fromJSON(data) { + return new _OauthAccessToken( + data.external_account_id, + data.provider, + data.token, + data.public_metadata, + data.label || "", + data.scopes, + data.token_secret + ); + } +}; + +// src/api/resources/Organization.ts +var Organization = class _Organization { + constructor(id, name, slug, imageUrl, hasImage, createdAt, updatedAt, publicMetadata = {}, privateMetadata = {}, maxAllowedMemberships, adminDeleteEnabled, membersCount, createdBy) { + this.id = id; + this.name = name; + this.slug = slug; + this.imageUrl = imageUrl; + this.hasImage = hasImage; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.publicMetadata = publicMetadata; + this.privateMetadata = privateMetadata; + this.maxAllowedMemberships = maxAllowedMemberships; + this.adminDeleteEnabled = adminDeleteEnabled; + this.membersCount = membersCount; + this.createdBy = createdBy; + } + static fromJSON(data) { + return new _Organization( + data.id, + data.name, + data.slug, + data.image_url || "", + data.has_image, + data.created_at, + data.updated_at, + data.public_metadata, + data.private_metadata, + data.max_allowed_memberships, + data.admin_delete_enabled, + data.members_count, + data.created_by + ); + } +}; + +// src/api/resources/OrganizationInvitation.ts +var OrganizationInvitation = class _OrganizationInvitation { + constructor(id, emailAddress, role, organizationId, createdAt, updatedAt, status, publicMetadata = {}, privateMetadata = {}) { + this.id = id; + this.emailAddress = emailAddress; + this.role = role; + this.organizationId = organizationId; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.status = status; + this.publicMetadata = publicMetadata; + this.privateMetadata = privateMetadata; + } + static fromJSON(data) { + return new _OrganizationInvitation( + data.id, + data.email_address, + data.role, + data.organization_id, + data.created_at, + data.updated_at, + data.status, + data.public_metadata, + data.private_metadata + ); + } +}; + +// src/api/resources/OrganizationMembership.ts +var OrganizationMembership = class _OrganizationMembership { + constructor(id, role, permissions, publicMetadata = {}, privateMetadata = {}, createdAt, updatedAt, organization, publicUserData) { + this.id = id; + this.role = role; + this.permissions = permissions; + this.publicMetadata = publicMetadata; + this.privateMetadata = privateMetadata; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.organization = organization; + this.publicUserData = publicUserData; + } + static fromJSON(data) { + return new _OrganizationMembership( + data.id, + data.role, + data.permissions, + data.public_metadata, + data.private_metadata, + data.created_at, + data.updated_at, + Organization.fromJSON(data.organization), + OrganizationMembershipPublicUserData.fromJSON(data.public_user_data) + ); + } +}; +var OrganizationMembershipPublicUserData = class _OrganizationMembershipPublicUserData { + constructor(identifier, firstName, lastName, imageUrl, hasImage, userId) { + this.identifier = identifier; + this.firstName = firstName; + this.lastName = lastName; + this.imageUrl = imageUrl; + this.hasImage = hasImage; + this.userId = userId; + } + static fromJSON(data) { + return new _OrganizationMembershipPublicUserData( + data.identifier, + data.first_name, + data.last_name, + data.image_url, + data.has_image, + data.user_id + ); + } +}; + +// src/api/resources/PhoneNumber.ts +var PhoneNumber = class _PhoneNumber { + constructor(id, phoneNumber, reservedForSecondFactor, defaultSecondFactor, verification, linkedTo) { + this.id = id; + this.phoneNumber = phoneNumber; + this.reservedForSecondFactor = reservedForSecondFactor; + this.defaultSecondFactor = defaultSecondFactor; + this.verification = verification; + this.linkedTo = linkedTo; + } + static fromJSON(data) { + return new _PhoneNumber( + data.id, + data.phone_number, + data.reserved_for_second_factor, + data.default_second_factor, + data.verification && Verification.fromJSON(data.verification), + data.linked_to.map((link) => IdentificationLink.fromJSON(link)) + ); + } +}; + +// src/api/resources/RedirectUrl.ts +var RedirectUrl = class _RedirectUrl { + constructor(id, url, createdAt, updatedAt) { + this.id = id; + this.url = url; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + } + static fromJSON(data) { + return new _RedirectUrl(data.id, data.url, data.created_at, data.updated_at); + } +}; + +// src/api/resources/SignInTokens.ts +var SignInToken = class _SignInToken { + constructor(id, userId, token, status, url, createdAt, updatedAt) { + this.id = id; + this.userId = userId; + this.token = token; + this.status = status; + this.url = url; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + } + static fromJSON(data) { + return new _SignInToken(data.id, data.user_id, data.token, data.status, data.url, data.created_at, data.updated_at); + } +}; + +// src/api/resources/SMSMessage.ts +var SMSMessage = class _SMSMessage { + constructor(id, fromPhoneNumber, toPhoneNumber, message, status, phoneNumberId, data) { + this.id = id; + this.fromPhoneNumber = fromPhoneNumber; + this.toPhoneNumber = toPhoneNumber; + this.message = message; + this.status = status; + this.phoneNumberId = phoneNumberId; + this.data = data; + } + static fromJSON(data) { + return new _SMSMessage( + data.id, + data.from_phone_number, + data.to_phone_number, + data.message, + data.status, + data.phone_number_id, + data.data + ); + } +}; + +// src/api/resources/Token.ts +var Token = class _Token { + constructor(jwt) { + this.jwt = jwt; + } + static fromJSON(data) { + return new _Token(data.jwt); + } +}; + +// src/api/resources/SamlConnection.ts +var SamlAccountConnection = class _SamlAccountConnection { + constructor(id, name, domain, active, provider, syncUserAttributes, allowSubdomains, allowIdpInitiated, createdAt, updatedAt) { + this.id = id; + this.name = name; + this.domain = domain; + this.active = active; + this.provider = provider; + this.syncUserAttributes = syncUserAttributes; + this.allowSubdomains = allowSubdomains; + this.allowIdpInitiated = allowIdpInitiated; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + } + static fromJSON(data) { + return new _SamlAccountConnection( + data.id, + data.name, + data.domain, + data.active, + data.provider, + data.sync_user_attributes, + data.allow_subdomains, + data.allow_idp_initiated, + data.created_at, + data.updated_at + ); + } +}; + +// src/api/resources/SamlAccount.ts +var SamlAccount = class _SamlAccount { + constructor(id, provider, providerUserId, active, emailAddress, firstName, lastName, verification, samlConnection) { + this.id = id; + this.provider = provider; + this.providerUserId = providerUserId; + this.active = active; + this.emailAddress = emailAddress; + this.firstName = firstName; + this.lastName = lastName; + this.verification = verification; + this.samlConnection = samlConnection; + } + static fromJSON(data) { + return new _SamlAccount( + data.id, + data.provider, + data.provider_user_id, + data.active, + data.email_address, + data.first_name, + data.last_name, + data.verification && Verification.fromJSON(data.verification), + data.saml_connection && SamlAccountConnection.fromJSON(data.saml_connection) + ); + } +}; + +// src/api/resources/Web3Wallet.ts +var Web3Wallet = class _Web3Wallet { + constructor(id, web3Wallet, verification) { + this.id = id; + this.web3Wallet = web3Wallet; + this.verification = verification; + } + static fromJSON(data) { + return new _Web3Wallet(data.id, data.web3_wallet, data.verification && Verification.fromJSON(data.verification)); + } +}; + +// src/api/resources/User.ts +var User = class _User { + constructor(id, passwordEnabled, totpEnabled, backupCodeEnabled, twoFactorEnabled, banned, locked, createdAt, updatedAt, imageUrl, hasImage, primaryEmailAddressId, primaryPhoneNumberId, primaryWeb3WalletId, lastSignInAt, externalId, username, firstName, lastName, publicMetadata = {}, privateMetadata = {}, unsafeMetadata = {}, emailAddresses = [], phoneNumbers = [], web3Wallets = [], externalAccounts = [], samlAccounts = [], lastActiveAt, createOrganizationEnabled, createOrganizationsLimit = null, deleteSelfEnabled, legalAcceptedAt) { + this.id = id; + this.passwordEnabled = passwordEnabled; + this.totpEnabled = totpEnabled; + this.backupCodeEnabled = backupCodeEnabled; + this.twoFactorEnabled = twoFactorEnabled; + this.banned = banned; + this.locked = locked; + this.createdAt = createdAt; + this.updatedAt = updatedAt; + this.imageUrl = imageUrl; + this.hasImage = hasImage; + this.primaryEmailAddressId = primaryEmailAddressId; + this.primaryPhoneNumberId = primaryPhoneNumberId; + this.primaryWeb3WalletId = primaryWeb3WalletId; + this.lastSignInAt = lastSignInAt; + this.externalId = externalId; + this.username = username; + this.firstName = firstName; + this.lastName = lastName; + this.publicMetadata = publicMetadata; + this.privateMetadata = privateMetadata; + this.unsafeMetadata = unsafeMetadata; + this.emailAddresses = emailAddresses; + this.phoneNumbers = phoneNumbers; + this.web3Wallets = web3Wallets; + this.externalAccounts = externalAccounts; + this.samlAccounts = samlAccounts; + this.lastActiveAt = lastActiveAt; + this.createOrganizationEnabled = createOrganizationEnabled; + this.createOrganizationsLimit = createOrganizationsLimit; + this.deleteSelfEnabled = deleteSelfEnabled; + this.legalAcceptedAt = legalAcceptedAt; + this._raw = null; + } + get raw() { + return this._raw; + } + static fromJSON(data) { + const res = new _User( + data.id, + data.password_enabled, + data.totp_enabled, + data.backup_code_enabled, + data.two_factor_enabled, + data.banned, + data.locked, + data.created_at, + data.updated_at, + data.image_url, + data.has_image, + data.primary_email_address_id, + data.primary_phone_number_id, + data.primary_web3_wallet_id, + data.last_sign_in_at, + data.external_id, + data.username, + data.first_name, + data.last_name, + data.public_metadata, + data.private_metadata, + data.unsafe_metadata, + (data.email_addresses || []).map((x) => EmailAddress.fromJSON(x)), + (data.phone_numbers || []).map((x) => PhoneNumber.fromJSON(x)), + (data.web3_wallets || []).map((x) => Web3Wallet.fromJSON(x)), + (data.external_accounts || []).map((x) => ExternalAccount.fromJSON(x)), + (data.saml_accounts || []).map((x) => SamlAccount.fromJSON(x)), + data.last_active_at, + data.create_organization_enabled, + data.create_organizations_limit, + data.delete_self_enabled, + data.legal_accepted_at + ); + res._raw = data; + return res; + } + get primaryEmailAddress() { + return this.emailAddresses.find(({ id }) => id === this.primaryEmailAddressId) ?? null; + } + get primaryPhoneNumber() { + return this.phoneNumbers.find(({ id }) => id === this.primaryPhoneNumberId) ?? null; + } + get primaryWeb3Wallet() { + return this.web3Wallets.find(({ id }) => id === this.primaryWeb3WalletId) ?? null; + } + get fullName() { + return [this.firstName, this.lastName].join(" ").trim() || null; + } +}; + +// src/api/resources/Deserializer.ts +function deserialize(payload) { + let data, totalCount; + if (Array.isArray(payload)) { + const data2 = payload.map((item) => jsonToObject(item)); + return { data: data2 }; + } else if (isPaginated(payload)) { + data = payload.data.map((item) => jsonToObject(item)); + totalCount = payload.total_count; + return { data, totalCount }; + } else { + return { data: jsonToObject(payload) }; + } +} +function isPaginated(payload) { + if (!payload || typeof payload !== "object" || !("data" in payload)) { + return false; + } + return Array.isArray(payload.data) && payload.data !== void 0; +} +function getCount(item) { + return item.total_count; +} +function jsonToObject(item) { + if (typeof item !== "string" && "object" in item && "deleted" in item) { + return DeletedObject.fromJSON(item); + } + switch (item.object) { + case ObjectType.AccountlessApplication: + return AccountlessApplication.fromJSON(item); + case ObjectType.AllowlistIdentifier: + return AllowlistIdentifier.fromJSON(item); + case ObjectType.Client: + return Client.fromJSON(item); + case ObjectType.Cookies: + return Cookies2.fromJSON(item); + case ObjectType.EmailAddress: + return EmailAddress.fromJSON(item); + case ObjectType.Email: + return Email.fromJSON(item); + case ObjectType.Invitation: + return Invitation.fromJSON(item); + case ObjectType.OauthAccessToken: + return OauthAccessToken.fromJSON(item); + case ObjectType.Organization: + return Organization.fromJSON(item); + case ObjectType.OrganizationInvitation: + return OrganizationInvitation.fromJSON(item); + case ObjectType.OrganizationMembership: + return OrganizationMembership.fromJSON(item); + case ObjectType.PhoneNumber: + return PhoneNumber.fromJSON(item); + case ObjectType.RedirectUrl: + return RedirectUrl.fromJSON(item); + case ObjectType.SignInToken: + return SignInToken.fromJSON(item); + case ObjectType.Session: + return Session.fromJSON(item); + case ObjectType.SmsMessage: + return SMSMessage.fromJSON(item); + case ObjectType.Token: + return Token.fromJSON(item); + case ObjectType.TotalCount: + return getCount(item); + case ObjectType.User: + return User.fromJSON(item); + default: + return item; + } +} + +// src/api/request.ts +function buildRequest(options) { + const requestFn = async (requestOptions) => { + const { + secretKey, + requireSecretKey = true, + apiUrl = API_URL, + apiVersion = API_VERSION, + userAgent = USER_AGENT + } = options; + const { path, method, queryParams, headerParams, bodyParams, formData } = requestOptions; + if (requireSecretKey) { + assertValidSecretKey(secretKey); + } + const url = joinPaths(apiUrl, apiVersion, path); + const finalUrl = new URL(url); + if (queryParams) { + const snakecasedQueryParams = (0, import_snakecase_keys.default)({ ...queryParams }); + for (const [key, val] of Object.entries(snakecasedQueryParams)) { + if (val) { + [val].flat().forEach((v) => finalUrl.searchParams.append(key, v)); + } + } + } + const headers = { + Authorization: `Bearer ${secretKey}`, + "Clerk-API-Version": SUPPORTED_BAPI_VERSION, + "User-Agent": userAgent, + ...headerParams + }; + let res; + try { + if (formData) { + res = await runtime.fetch(finalUrl.href, { + method, + headers, + body: formData + }); + } else { + headers["Content-Type"] = "application/json"; + const hasBody = method !== "GET" && bodyParams && Object.keys(bodyParams).length > 0; + const body = hasBody ? { body: JSON.stringify((0, import_snakecase_keys.default)(bodyParams, { deep: false })) } : null; + res = await runtime.fetch(finalUrl.href, { + method, + headers, + ...body + }); + } + const isJSONResponse = res?.headers && res.headers?.get(constants.Headers.ContentType) === constants.ContentTypes.Json; + const responseBody = await (isJSONResponse ? res.json() : res.text()); + if (!res.ok) { + return { + data: null, + errors: parseErrors(responseBody), + status: res?.status, + statusText: res?.statusText, + clerkTraceId: getTraceId(responseBody, res?.headers) + }; + } + return { + ...deserialize(responseBody), + errors: null + }; + } catch (err) { + if (err instanceof Error) { + return { + data: null, + errors: [ + { + code: "unexpected_error", + message: err.message || "Unexpected error" + } + ], + clerkTraceId: getTraceId(err, res?.headers) + }; + } + return { + data: null, + errors: parseErrors(err), + status: res?.status, + statusText: res?.statusText, + clerkTraceId: getTraceId(err, res?.headers) + }; + } + }; + return withLegacyRequestReturn(requestFn); +} +function getTraceId(data, headers) { + if (data && typeof data === "object" && "clerk_trace_id" in data && typeof data.clerk_trace_id === "string") { + return data.clerk_trace_id; + } + const cfRay = headers?.get("cf-ray"); + return cfRay || ""; +} +function parseErrors(data) { + if (!!data && typeof data === "object" && "errors" in data) { + const errors = data.errors; + return errors.length > 0 ? errors.map(import_error2.parseError) : []; + } + return []; +} +function withLegacyRequestReturn(cb) { + return async (...args) => { + const { data, errors, totalCount, status, statusText, clerkTraceId } = await cb(...args); + if (errors) { + const error = new import_error2.ClerkAPIResponseError(statusText || "", { + data: [], + status, + clerkTraceId + }); + error.errors = errors; + throw error; + } + if (typeof totalCount !== "undefined") { + return { data, totalCount }; + } + return data; + }; +} + +// src/api/factory.ts +function createBackendApiClient(options) { + const request = buildRequest(options); + return { + __experimental_accountlessApplications: new AccountlessApplicationAPI( + buildRequest({ ...options, requireSecretKey: false }) + ), + allowlistIdentifiers: new AllowlistIdentifierAPI(request), + clients: new ClientAPI(request), + emailAddresses: new EmailAddressAPI(request), + invitations: new InvitationAPI(request), + organizations: new OrganizationAPI(request), + phoneNumbers: new PhoneNumberAPI(request), + redirectUrls: new RedirectUrlAPI(request), + sessions: new SessionAPI(request), + signInTokens: new SignInTokenAPI(request), + users: new UserAPI(request), + domains: new DomainAPI(request), + samlConnections: new SamlConnectionAPI(request), + testingTokens: new TestingTokenAPI(request) + }; +} + +// src/tokens/authObjects.ts +var createDebug = (data) => { + return () => { + const res = { ...data }; + res.secretKey = (res.secretKey || "").substring(0, 7); + res.jwtKey = (res.jwtKey || "").substring(0, 7); + return { ...res }; + }; +}; +function signedInAuthObject(authenticateContext, sessionToken, sessionClaims) { + const { + act: actor, + sid: sessionId, + org_id: orgId, + org_role: orgRole, + org_slug: orgSlug, + org_permissions: orgPermissions, + sub: userId, + fva + } = sessionClaims; + const apiClient = createBackendApiClient(authenticateContext); + const getToken = createGetToken({ + sessionId, + sessionToken, + fetcher: async (...args) => (await apiClient.sessions.getToken(...args)).jwt + }); + const factorVerificationAge = fva ?? null; + return { + actor, + sessionClaims, + sessionId, + userId, + orgId, + orgRole, + orgSlug, + orgPermissions, + factorVerificationAge, + getToken, + has: (0, import_authorization.createCheckAuthorization)({ orgId, orgRole, orgPermissions, userId, factorVerificationAge }), + debug: createDebug({ ...authenticateContext, sessionToken }) + }; +} +function signedOutAuthObject(debugData) { + return { + sessionClaims: null, + sessionId: null, + userId: null, + actor: null, + orgId: null, + orgRole: null, + orgSlug: null, + orgPermissions: null, + factorVerificationAge: null, + getToken: () => Promise.resolve(null), + has: () => false, + debug: createDebug(debugData) + }; +} +var makeAuthObjectSerializable = (obj) => { + const { debug, getToken, has, ...rest } = obj; + return rest; +}; +var createGetToken = (params) => { + const { fetcher, sessionToken, sessionId } = params || {}; + return async (options = {}) => { + if (!sessionId) { + return null; + } + if (options.template) { + return fetcher(sessionId, options.template); + } + return sessionToken; + }; +}; + +// src/tokens/authStatus.ts +var AuthStatus = { + SignedIn: "signed-in", + SignedOut: "signed-out", + Handshake: "handshake" +}; +var AuthErrorReason = { + ClientUATWithoutSessionToken: "client-uat-but-no-session-token", + DevBrowserMissing: "dev-browser-missing", + DevBrowserSync: "dev-browser-sync", + PrimaryRespondsToSyncing: "primary-responds-to-syncing", + SatelliteCookieNeedsSyncing: "satellite-needs-syncing", + SessionTokenAndUATMissing: "session-token-and-uat-missing", + SessionTokenMissing: "session-token-missing", + SessionTokenExpired: "session-token-expired", + SessionTokenIATBeforeClientUAT: "session-token-iat-before-client-uat", + SessionTokenNBF: "session-token-nbf", + SessionTokenIatInTheFuture: "session-token-iat-in-the-future", + SessionTokenWithoutClientUAT: "session-token-but-no-client-uat", + ActiveOrganizationMismatch: "active-organization-mismatch", + UnexpectedError: "unexpected-error" +}; +function signedIn(authenticateContext, sessionClaims, headers = new Headers(), token) { + const authObject = signedInAuthObject(authenticateContext, token, sessionClaims); + return { + status: AuthStatus.SignedIn, + reason: null, + message: null, + proxyUrl: authenticateContext.proxyUrl || "", + publishableKey: authenticateContext.publishableKey || "", + isSatellite: authenticateContext.isSatellite || false, + domain: authenticateContext.domain || "", + signInUrl: authenticateContext.signInUrl || "", + signUpUrl: authenticateContext.signUpUrl || "", + afterSignInUrl: authenticateContext.afterSignInUrl || "", + afterSignUpUrl: authenticateContext.afterSignUpUrl || "", + isSignedIn: true, + toAuth: () => authObject, + headers, + token + }; +} +function signedOut(authenticateContext, reason, message = "", headers = new Headers()) { + return withDebugHeaders({ + status: AuthStatus.SignedOut, + reason, + message, + proxyUrl: authenticateContext.proxyUrl || "", + publishableKey: authenticateContext.publishableKey || "", + isSatellite: authenticateContext.isSatellite || false, + domain: authenticateContext.domain || "", + signInUrl: authenticateContext.signInUrl || "", + signUpUrl: authenticateContext.signUpUrl || "", + afterSignInUrl: authenticateContext.afterSignInUrl || "", + afterSignUpUrl: authenticateContext.afterSignUpUrl || "", + isSignedIn: false, + headers, + toAuth: () => signedOutAuthObject({ ...authenticateContext, status: AuthStatus.SignedOut, reason, message }), + token: null + }); +} +function handshake(authenticateContext, reason, message = "", headers) { + return withDebugHeaders({ + status: AuthStatus.Handshake, + reason, + message, + publishableKey: authenticateContext.publishableKey || "", + isSatellite: authenticateContext.isSatellite || false, + domain: authenticateContext.domain || "", + proxyUrl: authenticateContext.proxyUrl || "", + signInUrl: authenticateContext.signInUrl || "", + signUpUrl: authenticateContext.signUpUrl || "", + afterSignInUrl: authenticateContext.afterSignInUrl || "", + afterSignUpUrl: authenticateContext.afterSignUpUrl || "", + isSignedIn: false, + headers, + toAuth: () => null, + token: null + }); +} +var withDebugHeaders = (requestState) => { + const headers = new Headers(requestState.headers || {}); + if (requestState.message) { + try { + headers.set(constants.Headers.AuthMessage, requestState.message); + } catch { + } + } + if (requestState.reason) { + try { + headers.set(constants.Headers.AuthReason, requestState.reason); + } catch { + } + } + if (requestState.status) { + try { + headers.set(constants.Headers.AuthStatus, requestState.status); + } catch { + } + } + requestState.headers = headers; + return requestState; +}; + +// src/tokens/clerkRequest.ts +var import_cookie = require("cookie"); + +// src/tokens/clerkUrl.ts +var ClerkUrl = class extends URL { + isCrossOrigin(other) { + return this.origin !== new URL(other.toString()).origin; + } +}; +var createClerkUrl = (...args) => { + return new ClerkUrl(...args); +}; + +// src/tokens/clerkRequest.ts +var ClerkRequest = class extends Request { + constructor(input, init) { + const url = typeof input !== "string" && "url" in input ? input.url : String(input); + super(url, init || typeof input === "string" ? void 0 : input); + this.clerkUrl = this.deriveUrlFromHeaders(this); + this.cookies = this.parseCookies(this); + } + toJSON() { + return { + url: this.clerkUrl.href, + method: this.method, + headers: JSON.stringify(Object.fromEntries(this.headers)), + clerkUrl: this.clerkUrl.toString(), + cookies: JSON.stringify(Object.fromEntries(this.cookies)) + }; + } + /** + * Used to fix request.url using the x-forwarded-* headers + * TODO add detailed description of the issues this solves + */ + deriveUrlFromHeaders(req) { + const initialUrl = new URL(req.url); + const forwardedProto = req.headers.get(constants.Headers.ForwardedProto); + const forwardedHost = req.headers.get(constants.Headers.ForwardedHost); + const host = req.headers.get(constants.Headers.Host); + const protocol = initialUrl.protocol; + const resolvedHost = this.getFirstValueFromHeader(forwardedHost) ?? host; + const resolvedProtocol = this.getFirstValueFromHeader(forwardedProto) ?? protocol?.replace(/[:/]/, ""); + const origin = resolvedHost && resolvedProtocol ? `${resolvedProtocol}://${resolvedHost}` : initialUrl.origin; + if (origin === initialUrl.origin) { + return createClerkUrl(initialUrl); + } + return createClerkUrl(initialUrl.pathname + initialUrl.search, origin); + } + getFirstValueFromHeader(value) { + return value?.split(",")[0]; + } + parseCookies(req) { + const cookiesRecord = (0, import_cookie.parse)(this.decodeCookieValue(req.headers.get("cookie") || "")); + return new Map(Object.entries(cookiesRecord)); + } + decodeCookieValue(str) { + return str ? str.replace(/(%[0-9A-Z]{2})+/g, decodeURIComponent) : str; + } +}; +var createClerkRequest = (...args) => { + return args[0] instanceof ClerkRequest ? args[0] : new ClerkRequest(...args); +}; + +// src/tokens/cookie.ts +var getCookieName = (cookieDirective) => { + return cookieDirective.split(";")[0]?.split("=")[0]; +}; +var getCookieValue = (cookieDirective) => { + return cookieDirective.split(";")[0]?.split("=")[1]; +}; + +// src/tokens/keys.ts +var cache = {}; +var lastUpdatedAt = 0; +function getFromCache(kid) { + return cache[kid]; +} +function getCacheValues() { + return Object.values(cache); +} +function setInCache(jwk, shouldExpire = true) { + cache[jwk.kid] = jwk; + lastUpdatedAt = shouldExpire ? Date.now() : -1; +} +var LocalJwkKid = "local"; +var PEM_HEADER = "-----BEGIN PUBLIC KEY-----"; +var PEM_TRAILER = "-----END PUBLIC KEY-----"; +var RSA_PREFIX = "MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA"; +var RSA_SUFFIX = "IDAQAB"; +function loadClerkJWKFromLocal(localKey) { + if (!getFromCache(LocalJwkKid)) { + if (!localKey) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.SetClerkJWTKey, + message: "Missing local JWK.", + reason: TokenVerificationErrorReason.LocalJWKMissing + }); + } + const modulus = localKey.replace(/\r\n|\n|\r/g, "").replace(PEM_HEADER, "").replace(PEM_TRAILER, "").replace(RSA_PREFIX, "").replace(RSA_SUFFIX, "").replace(/\+/g, "-").replace(/\//g, "_"); + setInCache( + { + kid: "local", + kty: "RSA", + alg: "RS256", + n: modulus, + e: "AQAB" + }, + false + // local key never expires in cache + ); + } + return getFromCache(LocalJwkKid); +} +async function loadClerkJWKFromRemote({ + secretKey, + apiUrl = API_URL, + apiVersion = API_VERSION, + kid, + skipJwksCache +}) { + if (skipJwksCache || cacheHasExpired() || !getFromCache(kid)) { + if (!secretKey) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.ContactSupport, + message: "Failed to load JWKS from Clerk Backend or Frontend API.", + reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad + }); + } + const fetcher = () => fetchJWKSFromBAPI(apiUrl, secretKey, apiVersion); + const { keys } = await (0, import_retry.retry)(fetcher); + if (!keys || !keys.length) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.ContactSupport, + message: "The JWKS endpoint did not contain any signing keys. Contact support@clerk.com.", + reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad + }); + } + keys.forEach((key) => setInCache(key)); + } + const jwk = getFromCache(kid); + if (!jwk) { + const cacheValues = getCacheValues(); + const jwkKeys = cacheValues.map((jwk2) => jwk2.kid).sort().join(", "); + throw new TokenVerificationError({ + action: `Go to your Dashboard and validate your secret and public keys are correct. ${TokenVerificationErrorAction.ContactSupport} if the issue persists.`, + message: `Unable to find a signing key in JWKS that matches the kid='${kid}' of the provided session token. Please make sure that the __session cookie or the HTTP authorization header contain a Clerk-generated session JWT. The following kid is available: ${jwkKeys}`, + reason: TokenVerificationErrorReason.JWKKidMismatch + }); + } + return jwk; +} +async function fetchJWKSFromBAPI(apiUrl, key, apiVersion) { + if (!key) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.SetClerkSecretKey, + message: "Missing Clerk Secret Key or API Key. Go to https://dashboard.clerk.com and get your key for your instance.", + reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad + }); + } + const url = new URL(apiUrl); + url.pathname = joinPaths(url.pathname, apiVersion, "/jwks"); + const response = await runtime.fetch(url.href, { + headers: { + Authorization: `Bearer ${key}`, + "Clerk-API-Version": SUPPORTED_BAPI_VERSION, + "Content-Type": "application/json", + "User-Agent": USER_AGENT + } + }); + if (!response.ok) { + const json = await response.json(); + const invalidSecretKeyError = getErrorObjectByCode(json?.errors, TokenVerificationErrorCode.InvalidSecretKey); + if (invalidSecretKeyError) { + const reason = TokenVerificationErrorReason.InvalidSecretKey; + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.ContactSupport, + message: invalidSecretKeyError.message, + reason + }); + } + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.ContactSupport, + message: `Error loading Clerk JWKS from ${url.href} with code=${response.status}`, + reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad + }); + } + return response.json(); +} +function cacheHasExpired() { + if (lastUpdatedAt === -1) { + return false; + } + const isExpired = Date.now() - lastUpdatedAt >= MAX_CACHE_LAST_UPDATED_AT_SECONDS * 1e3; + if (isExpired) { + cache = {}; + } + return isExpired; +} +var getErrorObjectByCode = (errors, code) => { + if (!errors) { + return null; + } + return errors.find((err) => err.code === code); +}; + +// src/tokens/handshake.ts +async function verifyHandshakeJwt(token, { key }) { + const { data: decoded, errors } = decodeJwt(token); + if (errors) { + throw errors[0]; + } + const { header, payload } = decoded; + const { typ, alg } = header; + assertHeaderType(typ); + assertHeaderAlgorithm(alg); + const { data: signatureValid, errors: signatureErrors } = await hasValidSignature(decoded, key); + if (signatureErrors) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Error verifying handshake token. ${signatureErrors[0]}` + }); + } + if (!signatureValid) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalidSignature, + message: "Handshake signature is invalid." + }); + } + return payload; +} +async function verifyHandshakeToken(token, options) { + const { secretKey, apiUrl, apiVersion, jwksCacheTtlInMs, jwtKey, skipJwksCache } = options; + const { data, errors } = decodeJwt(token); + if (errors) { + throw errors[0]; + } + const { kid } = data.header; + let key; + if (jwtKey) { + key = loadClerkJWKFromLocal(jwtKey); + } else if (secretKey) { + key = await loadClerkJWKFromRemote({ secretKey, apiUrl, apiVersion, kid, jwksCacheTtlInMs, skipJwksCache }); + } else { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.SetClerkJWTKey, + message: "Failed to resolve JWK during handshake verification.", + reason: TokenVerificationErrorReason.JWKFailedToResolve + }); + } + return await verifyHandshakeJwt(token, { + key + }); +} + +// src/tokens/verify.ts +async function verifyToken(token, options) { + const { data: decodedResult, errors } = decodeJwt(token); + if (errors) { + return { errors }; + } + const { header } = decodedResult; + const { kid } = header; + try { + let key; + if (options.jwtKey) { + key = loadClerkJWKFromLocal(options.jwtKey); + } else if (options.secretKey) { + key = await loadClerkJWKFromRemote({ ...options, kid }); + } else { + return { + errors: [ + new TokenVerificationError({ + action: TokenVerificationErrorAction.SetClerkJWTKey, + message: "Failed to resolve JWK during verification.", + reason: TokenVerificationErrorReason.JWKFailedToResolve + }) + ] + }; + } + return await verifyJwt(token, { ...options, key }); + } catch (error) { + return { errors: [error] }; + } +} + +// src/tokens/request.ts +var RefreshTokenErrorReason = { + NonEligibleNoCookie: "non-eligible-no-refresh-cookie", + NonEligibleNonGet: "non-eligible-non-get", + InvalidSessionToken: "invalid-session-token", + MissingApiClient: "missing-api-client", + MissingSessionToken: "missing-session-token", + MissingRefreshToken: "missing-refresh-token", + ExpiredSessionTokenDecodeFailed: "expired-session-token-decode-failed", + ExpiredSessionTokenMissingSidClaim: "expired-session-token-missing-sid-claim", + FetchError: "fetch-error", + UnexpectedSDKError: "unexpected-sdk-error", + UnexpectedBAPIError: "unexpected-bapi-error" +}; +function assertSignInUrlExists(signInUrl, key) { + if (!signInUrl && (0, import_keys.isDevelopmentFromSecretKey)(key)) { + throw new Error(`Missing signInUrl. Pass a signInUrl for dev instances if an app is satellite`); + } +} +function assertProxyUrlOrDomain(proxyUrlOrDomain) { + if (!proxyUrlOrDomain) { + throw new Error(`Missing domain and proxyUrl. A satellite application needs to specify a domain or a proxyUrl`); + } +} +function assertSignInUrlFormatAndOrigin(_signInUrl, origin) { + let signInUrl; + try { + signInUrl = new URL(_signInUrl); + } catch { + throw new Error(`The signInUrl needs to have a absolute url format.`); + } + if (signInUrl.origin === origin) { + throw new Error(`The signInUrl needs to be on a different origin than your satellite application.`); + } +} +function isRequestEligibleForHandshake(authenticateContext) { + const { accept, secFetchDest } = authenticateContext; + if (secFetchDest === "document" || secFetchDest === "iframe") { + return true; + } + if (!secFetchDest && accept?.startsWith("text/html")) { + return true; + } + return false; +} +function isRequestEligibleForRefresh(err, authenticateContext, request) { + return err.reason === TokenVerificationErrorReason.TokenExpired && !!authenticateContext.refreshTokenInCookie && request.method === "GET"; +} +async function authenticateRequest(request, options) { + const authenticateContext = await createAuthenticateContext(createClerkRequest(request), options); + assertValidSecretKey(authenticateContext.secretKey); + if (authenticateContext.isSatellite) { + assertSignInUrlExists(authenticateContext.signInUrl, authenticateContext.secretKey); + if (authenticateContext.signInUrl && authenticateContext.origin) { + assertSignInUrlFormatAndOrigin(authenticateContext.signInUrl, authenticateContext.origin); + } + assertProxyUrlOrDomain(authenticateContext.proxyUrl || authenticateContext.domain); + } + const organizationSyncTargetMatchers = computeOrganizationSyncTargetMatchers(options.organizationSyncOptions); + function removeDevBrowserFromURL(url) { + const updatedURL = new URL(url); + updatedURL.searchParams.delete(constants.QueryParameters.DevBrowser); + updatedURL.searchParams.delete(constants.QueryParameters.LegacyDevBrowser); + return updatedURL; + } + function buildRedirectToHandshake({ handshakeReason }) { + const redirectUrl = removeDevBrowserFromURL(authenticateContext.clerkUrl); + const frontendApiNoProtocol = authenticateContext.frontendApi.replace(/http(s)?:\/\//, ""); + const url = new URL(`https://${frontendApiNoProtocol}/v1/client/handshake`); + url.searchParams.append("redirect_url", redirectUrl?.href || ""); + url.searchParams.append( + constants.QueryParameters.SuffixedCookies, + authenticateContext.usesSuffixedCookies().toString() + ); + url.searchParams.append(constants.QueryParameters.HandshakeReason, handshakeReason); + if (authenticateContext.instanceType === "development" && authenticateContext.devBrowserToken) { + url.searchParams.append(constants.QueryParameters.DevBrowser, authenticateContext.devBrowserToken); + } + const toActivate = getOrganizationSyncTarget( + authenticateContext.clerkUrl, + options.organizationSyncOptions, + organizationSyncTargetMatchers + ); + if (toActivate) { + const params = getOrganizationSyncQueryParams(toActivate); + params.forEach((value, key) => { + url.searchParams.append(key, value); + }); + } + return new Headers({ [constants.Headers.Location]: url.href }); + } + async function resolveHandshake() { + const headers = new Headers({ + "Access-Control-Allow-Origin": "null", + "Access-Control-Allow-Credentials": "true" + }); + const handshakePayload = await verifyHandshakeToken(authenticateContext.handshakeToken, authenticateContext); + const cookiesToSet = handshakePayload.handshake; + let sessionToken = ""; + cookiesToSet.forEach((x) => { + headers.append("Set-Cookie", x); + if (getCookieName(x).startsWith(constants.Cookies.Session)) { + sessionToken = getCookieValue(x); + } + }); + if (authenticateContext.instanceType === "development") { + const newUrl = new URL(authenticateContext.clerkUrl); + newUrl.searchParams.delete(constants.QueryParameters.Handshake); + newUrl.searchParams.delete(constants.QueryParameters.HandshakeHelp); + headers.append(constants.Headers.Location, newUrl.toString()); + headers.set(constants.Headers.CacheControl, "no-store"); + } + if (sessionToken === "") { + return signedOut(authenticateContext, AuthErrorReason.SessionTokenMissing, "", headers); + } + const { data, errors: [error] = [] } = await verifyToken(sessionToken, authenticateContext); + if (data) { + return signedIn(authenticateContext, data, headers, sessionToken); + } + if (authenticateContext.instanceType === "development" && (error?.reason === TokenVerificationErrorReason.TokenExpired || error?.reason === TokenVerificationErrorReason.TokenNotActiveYet || error?.reason === TokenVerificationErrorReason.TokenIatInTheFuture)) { + error.tokenCarrier = "cookie"; + console.error( + `Clerk: Clock skew detected. This usually means that your system clock is inaccurate. Clerk will attempt to account for the clock skew in development. + +To resolve this issue, make sure your system's clock is set to the correct time (e.g. turn off and on automatic time synchronization). + +--- + +${error.getFullMessage()}` + ); + const { data: retryResult, errors: [retryError] = [] } = await verifyToken(sessionToken, { + ...authenticateContext, + clockSkewInMs: 864e5 + }); + if (retryResult) { + return signedIn(authenticateContext, retryResult, headers, sessionToken); + } + throw new Error(retryError?.message || "Clerk: Handshake retry failed."); + } + throw new Error(error?.message || "Clerk: Handshake failed."); + } + async function refreshToken(authenticateContext2) { + if (!options.apiClient) { + return { + data: null, + error: { + message: "An apiClient is needed to perform token refresh.", + cause: { reason: RefreshTokenErrorReason.MissingApiClient } + } + }; + } + const { sessionToken: expiredSessionToken, refreshTokenInCookie: refreshToken2 } = authenticateContext2; + if (!expiredSessionToken) { + return { + data: null, + error: { + message: "Session token must be provided.", + cause: { reason: RefreshTokenErrorReason.MissingSessionToken } + } + }; + } + if (!refreshToken2) { + return { + data: null, + error: { + message: "Refresh token must be provided.", + cause: { reason: RefreshTokenErrorReason.MissingRefreshToken } + } + }; + } + const { data: decodeResult, errors: decodedErrors } = decodeJwt(expiredSessionToken); + if (!decodeResult || decodedErrors) { + return { + data: null, + error: { + message: "Unable to decode the expired session token.", + cause: { reason: RefreshTokenErrorReason.ExpiredSessionTokenDecodeFailed, errors: decodedErrors } + } + }; + } + if (!decodeResult?.payload?.sid) { + return { + data: null, + error: { + message: "Expired session token is missing the `sid` claim.", + cause: { reason: RefreshTokenErrorReason.ExpiredSessionTokenMissingSidClaim } + } + }; + } + try { + const response = await options.apiClient.sessions.refreshSession(decodeResult.payload.sid, { + format: "cookie", + suffixed_cookies: authenticateContext2.usesSuffixedCookies(), + expired_token: expiredSessionToken || "", + refresh_token: refreshToken2 || "", + request_origin: authenticateContext2.clerkUrl.origin, + // The refresh endpoint expects headers as Record, so we need to transform it. + request_headers: Object.fromEntries(Array.from(request.headers.entries()).map(([k, v]) => [k, [v]])) + }); + return { data: response.cookies, error: null }; + } catch (err) { + if (err?.errors?.length) { + if (err.errors[0].code === "unexpected_error") { + return { + data: null, + error: { + message: `Fetch unexpected error`, + cause: { reason: RefreshTokenErrorReason.FetchError, errors: err.errors } + } + }; + } + return { + data: null, + error: { + message: err.errors[0].code, + cause: { reason: err.errors[0].code, errors: err.errors } + } + }; + } else { + return { + data: null, + error: { + message: `Unexpected Server/BAPI error`, + cause: { reason: RefreshTokenErrorReason.UnexpectedBAPIError, errors: [err] } + } + }; + } + } + } + async function attemptRefresh(authenticateContext2) { + const { data: cookiesToSet, error } = await refreshToken(authenticateContext2); + if (!cookiesToSet || cookiesToSet.length === 0) { + return { data: null, error }; + } + const headers = new Headers(); + let sessionToken = ""; + cookiesToSet.forEach((x) => { + headers.append("Set-Cookie", x); + if (getCookieName(x).startsWith(constants.Cookies.Session)) { + sessionToken = getCookieValue(x); + } + }); + const { data: jwtPayload, errors } = await verifyToken(sessionToken, authenticateContext2); + if (errors) { + return { + data: null, + error: { + message: `Clerk: unable to verify refreshed session token.`, + cause: { reason: RefreshTokenErrorReason.InvalidSessionToken, errors } + } + }; + } + return { data: { jwtPayload, sessionToken, headers }, error: null }; + } + function handleMaybeHandshakeStatus(authenticateContext2, reason, message, headers) { + if (isRequestEligibleForHandshake(authenticateContext2)) { + const handshakeHeaders = headers ?? buildRedirectToHandshake({ handshakeReason: reason }); + if (handshakeHeaders.get(constants.Headers.Location)) { + handshakeHeaders.set(constants.Headers.CacheControl, "no-store"); + } + const isRedirectLoop = setHandshakeInfiniteRedirectionLoopHeaders(handshakeHeaders); + if (isRedirectLoop) { + const msg = `Clerk: Refreshing the session token resulted in an infinite redirect loop. This usually means that your Clerk instance keys do not match - make sure to copy the correct publishable and secret keys from the Clerk dashboard.`; + console.log(msg); + return signedOut(authenticateContext2, reason, message); + } + return handshake(authenticateContext2, reason, message, handshakeHeaders); + } + return signedOut(authenticateContext2, reason, message); + } + function handleMaybeOrganizationSyncHandshake(authenticateContext2, auth) { + const organizationSyncTarget = getOrganizationSyncTarget( + authenticateContext2.clerkUrl, + options.organizationSyncOptions, + organizationSyncTargetMatchers + ); + if (!organizationSyncTarget) { + return null; + } + let mustActivate = false; + if (organizationSyncTarget.type === "organization") { + if (organizationSyncTarget.organizationSlug && organizationSyncTarget.organizationSlug !== auth.orgSlug) { + mustActivate = true; + } + if (organizationSyncTarget.organizationId && organizationSyncTarget.organizationId !== auth.orgId) { + mustActivate = true; + } + } + if (organizationSyncTarget.type === "personalAccount" && auth.orgId) { + mustActivate = true; + } + if (!mustActivate) { + return null; + } + if (authenticateContext2.handshakeRedirectLoopCounter > 0) { + console.warn( + "Clerk: Organization activation handshake loop detected. This is likely due to an invalid organization ID or slug. Skipping organization activation." + ); + return null; + } + const handshakeState = handleMaybeHandshakeStatus( + authenticateContext2, + AuthErrorReason.ActiveOrganizationMismatch, + "" + ); + if (handshakeState.status !== "handshake") { + return null; + } + return handshakeState; + } + async function authenticateRequestWithTokenInHeader() { + const { sessionTokenInHeader } = authenticateContext; + try { + const { data, errors } = await verifyToken(sessionTokenInHeader, authenticateContext); + if (errors) { + throw errors[0]; + } + return signedIn(authenticateContext, data, void 0, sessionTokenInHeader); + } catch (err) { + return handleError(err, "header"); + } + } + function setHandshakeInfiniteRedirectionLoopHeaders(headers) { + if (authenticateContext.handshakeRedirectLoopCounter === 3) { + return true; + } + const newCounterValue = authenticateContext.handshakeRedirectLoopCounter + 1; + const cookieName = constants.Cookies.RedirectCount; + headers.append("Set-Cookie", `${cookieName}=${newCounterValue}; SameSite=Lax; HttpOnly; Max-Age=3`); + return false; + } + function handleHandshakeTokenVerificationErrorInDevelopment(error) { + if (error.reason === TokenVerificationErrorReason.TokenInvalidSignature) { + const msg = `Clerk: Handshake token verification failed due to an invalid signature. If you have switched Clerk keys locally, clear your cookies and try again.`; + throw new Error(msg); + } + throw new Error(`Clerk: Handshake token verification failed: ${error.getFullMessage()}.`); + } + async function authenticateRequestWithTokenInCookie() { + const hasActiveClient = authenticateContext.clientUat; + const hasSessionToken = !!authenticateContext.sessionTokenInCookie; + const hasDevBrowserToken = !!authenticateContext.devBrowserToken; + if (authenticateContext.handshakeToken) { + try { + return await resolveHandshake(); + } catch (error) { + if (error instanceof TokenVerificationError && authenticateContext.instanceType === "development") { + handleHandshakeTokenVerificationErrorInDevelopment(error); + } else { + console.error("Clerk: unable to resolve handshake:", error); + } + } + } + if (authenticateContext.instanceType === "development" && authenticateContext.clerkUrl.searchParams.has(constants.QueryParameters.DevBrowser)) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.DevBrowserSync, ""); + } + const isRequestEligibleForMultiDomainSync = authenticateContext.isSatellite && authenticateContext.secFetchDest === "document"; + if (authenticateContext.instanceType === "production" && isRequestEligibleForMultiDomainSync) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SatelliteCookieNeedsSyncing, ""); + } + if (authenticateContext.instanceType === "development" && isRequestEligibleForMultiDomainSync && !authenticateContext.clerkUrl.searchParams.has(constants.QueryParameters.ClerkSynced)) { + const redirectURL = new URL(authenticateContext.signInUrl); + redirectURL.searchParams.append( + constants.QueryParameters.ClerkRedirectUrl, + authenticateContext.clerkUrl.toString() + ); + const headers = new Headers({ [constants.Headers.Location]: redirectURL.toString() }); + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SatelliteCookieNeedsSyncing, "", headers); + } + const redirectUrl = new URL(authenticateContext.clerkUrl).searchParams.get( + constants.QueryParameters.ClerkRedirectUrl + ); + if (authenticateContext.instanceType === "development" && !authenticateContext.isSatellite && redirectUrl) { + const redirectBackToSatelliteUrl = new URL(redirectUrl); + if (authenticateContext.devBrowserToken) { + redirectBackToSatelliteUrl.searchParams.append( + constants.QueryParameters.DevBrowser, + authenticateContext.devBrowserToken + ); + } + redirectBackToSatelliteUrl.searchParams.append(constants.QueryParameters.ClerkSynced, "true"); + const headers = new Headers({ [constants.Headers.Location]: redirectBackToSatelliteUrl.toString() }); + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.PrimaryRespondsToSyncing, "", headers); + } + if (authenticateContext.instanceType === "development" && !hasDevBrowserToken) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.DevBrowserMissing, ""); + } + if (!hasActiveClient && !hasSessionToken) { + return signedOut(authenticateContext, AuthErrorReason.SessionTokenAndUATMissing, ""); + } + if (!hasActiveClient && hasSessionToken) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SessionTokenWithoutClientUAT, ""); + } + if (hasActiveClient && !hasSessionToken) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.ClientUATWithoutSessionToken, ""); + } + const { data: decodeResult, errors: decodedErrors } = decodeJwt(authenticateContext.sessionTokenInCookie); + if (decodedErrors) { + return handleError(decodedErrors[0], "cookie"); + } + if (decodeResult.payload.iat < authenticateContext.clientUat) { + return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SessionTokenIATBeforeClientUAT, ""); + } + try { + const { data, errors } = await verifyToken(authenticateContext.sessionTokenInCookie, authenticateContext); + if (errors) { + throw errors[0]; + } + const signedInRequestState = signedIn( + authenticateContext, + data, + void 0, + authenticateContext.sessionTokenInCookie + ); + const handshakeRequestState = handleMaybeOrganizationSyncHandshake( + authenticateContext, + signedInRequestState.toAuth() + ); + if (handshakeRequestState) { + return handshakeRequestState; + } + return signedInRequestState; + } catch (err) { + return handleError(err, "cookie"); + } + return signedOut(authenticateContext, AuthErrorReason.UnexpectedError); + } + async function handleError(err, tokenCarrier) { + if (!(err instanceof TokenVerificationError)) { + return signedOut(authenticateContext, AuthErrorReason.UnexpectedError); + } + let refreshError; + if (isRequestEligibleForRefresh(err, authenticateContext, request)) { + const { data, error } = await attemptRefresh(authenticateContext); + if (data) { + return signedIn(authenticateContext, data.jwtPayload, data.headers, data.sessionToken); + } + if (error?.cause?.reason) { + refreshError = error.cause.reason; + } else { + refreshError = RefreshTokenErrorReason.UnexpectedSDKError; + } + } else { + if (request.method !== "GET") { + refreshError = RefreshTokenErrorReason.NonEligibleNonGet; + } else if (!authenticateContext.refreshTokenInCookie) { + refreshError = RefreshTokenErrorReason.NonEligibleNoCookie; + } else { + refreshError = null; + } + } + err.tokenCarrier = tokenCarrier; + const reasonToHandshake = [ + TokenVerificationErrorReason.TokenExpired, + TokenVerificationErrorReason.TokenNotActiveYet, + TokenVerificationErrorReason.TokenIatInTheFuture + ].includes(err.reason); + if (reasonToHandshake) { + return handleMaybeHandshakeStatus( + authenticateContext, + convertTokenVerificationErrorReasonToAuthErrorReason({ tokenError: err.reason, refreshError }), + err.getFullMessage() + ); + } + return signedOut(authenticateContext, err.reason, err.getFullMessage()); + } + if (authenticateContext.sessionTokenInHeader) { + return authenticateRequestWithTokenInHeader(); + } + return authenticateRequestWithTokenInCookie(); +} +var debugRequestState = (params) => { + const { isSignedIn, proxyUrl, reason, message, publishableKey, isSatellite, domain } = params; + return { isSignedIn, proxyUrl, reason, message, publishableKey, isSatellite, domain }; +}; +function computeOrganizationSyncTargetMatchers(options) { + let personalAccountMatcher = null; + if (options?.personalAccountPatterns) { + try { + personalAccountMatcher = (0, import_pathToRegexp.match)(options.personalAccountPatterns); + } catch (e) { + throw new Error(`Invalid personal account pattern "${options.personalAccountPatterns}": "${e}"`); + } + } + let organizationMatcher = null; + if (options?.organizationPatterns) { + try { + organizationMatcher = (0, import_pathToRegexp.match)(options.organizationPatterns); + } catch (e) { + throw new Error(`Clerk: Invalid organization pattern "${options.organizationPatterns}": "${e}"`); + } + } + return { + OrganizationMatcher: organizationMatcher, + PersonalAccountMatcher: personalAccountMatcher + }; +} +function getOrganizationSyncTarget(url, options, matchers) { + if (!options) { + return null; + } + if (matchers.OrganizationMatcher) { + let orgResult; + try { + orgResult = matchers.OrganizationMatcher(url.pathname); + } catch (e) { + console.error(`Clerk: Failed to apply organization pattern "${options.organizationPatterns}" to a path`, e); + return null; + } + if (orgResult && "params" in orgResult) { + const params = orgResult.params; + if ("id" in params && typeof params.id === "string") { + return { type: "organization", organizationId: params.id }; + } + if ("slug" in params && typeof params.slug === "string") { + return { type: "organization", organizationSlug: params.slug }; + } + console.warn( + "Clerk: Detected an organization pattern match, but no organization ID or slug was found in the URL. Does the pattern include `:id` or `:slug`?" + ); + } + } + if (matchers.PersonalAccountMatcher) { + let personalResult; + try { + personalResult = matchers.PersonalAccountMatcher(url.pathname); + } catch (e) { + console.error(`Failed to apply personal account pattern "${options.personalAccountPatterns}" to a path`, e); + return null; + } + if (personalResult) { + return { type: "personalAccount" }; + } + } + return null; +} +function getOrganizationSyncQueryParams(toActivate) { + const ret = /* @__PURE__ */ new Map(); + if (toActivate.type === "personalAccount") { + ret.set("organization_id", ""); + } + if (toActivate.type === "organization") { + if (toActivate.organizationId) { + ret.set("organization_id", toActivate.organizationId); + } + if (toActivate.organizationSlug) { + ret.set("organization_id", toActivate.organizationSlug); + } + } + return ret; +} +var convertTokenVerificationErrorReasonToAuthErrorReason = ({ + tokenError, + refreshError +}) => { + switch (tokenError) { + case TokenVerificationErrorReason.TokenExpired: + return `${AuthErrorReason.SessionTokenExpired}-refresh-${refreshError}`; + case TokenVerificationErrorReason.TokenNotActiveYet: + return AuthErrorReason.SessionTokenNBF; + case TokenVerificationErrorReason.TokenIatInTheFuture: + return AuthErrorReason.SessionTokenIatInTheFuture; + default: + return AuthErrorReason.UnexpectedError; + } +}; + +// src/tokens/factory.ts +var defaultOptions = { + secretKey: "", + jwtKey: "", + apiUrl: void 0, + apiVersion: void 0, + proxyUrl: "", + publishableKey: "", + isSatellite: false, + domain: "", + audience: "" +}; +function createAuthenticateRequest(params) { + const buildTimeOptions = mergePreDefinedOptions(defaultOptions, params.options); + const apiClient = params.apiClient; + const authenticateRequest2 = (request, options = {}) => { + const { apiUrl, apiVersion } = buildTimeOptions; + const runTimeOptions = mergePreDefinedOptions(buildTimeOptions, options); + return authenticateRequest(request, { + ...options, + ...runTimeOptions, + // We should add all the omitted props from options here (eg apiUrl / apiVersion) + // to avoid runtime options override them. + apiUrl, + apiVersion, + apiClient + }); + }; + return { + authenticateRequest: authenticateRequest2, + debugRequestState + }; +} + +// src/util/decorateObjectWithResources.ts +var decorateObjectWithResources = async (obj, authObj, opts) => { + const { loadSession, loadUser, loadOrganization } = opts || {}; + const { userId, sessionId, orgId } = authObj; + const { sessions, users, organizations } = createBackendApiClient({ ...opts }); + const [sessionResp, userResp, organizationResp] = await Promise.all([ + loadSession && sessionId ? sessions.getSession(sessionId) : Promise.resolve(void 0), + loadUser && userId ? users.getUser(userId) : Promise.resolve(void 0), + loadOrganization && orgId ? organizations.getOrganization({ organizationId: orgId }) : Promise.resolve(void 0) + ]); + const resources = stripPrivateDataFromObject({ + session: sessionResp, + user: userResp, + organization: organizationResp + }); + return Object.assign(obj, resources); +}; +function stripPrivateDataFromObject(authObject) { + const user = authObject.user ? { ...authObject.user } : authObject.user; + const organization = authObject.organization ? { ...authObject.organization } : authObject.organization; + prunePrivateMetadata(user); + prunePrivateMetadata(organization); + return { ...authObject, user, organization }; +} +function prunePrivateMetadata(resource) { + if (resource) { + delete resource["privateMetadata"]; + delete resource["private_metadata"]; + } + return resource; +} + +// src/internal.ts +var import_authorization_errors = require("@clerk/shared/authorization-errors"); +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + AuthStatus, + constants, + createAuthenticateRequest, + createClerkRequest, + createRedirect, + debugRequestState, + decorateObjectWithResources, + makeAuthObjectSerializable, + reverificationError, + reverificationErrorResponse, + signedInAuthObject, + signedOutAuthObject, + stripPrivateDataFromObject +}); +//# sourceMappingURL=internal.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/internal.js.map b/backend/node_modules/@clerk/backend/dist/internal.js.map new file mode 100644 index 000000000..9af555c67 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/internal.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/internal.ts","../src/constants.ts","../src/util/shared.ts","../src/createRedirect.ts","../src/util/mergePreDefinedOptions.ts","../src/tokens/request.ts","../src/errors.ts","../src/runtime.ts","../src/util/rfc4648.ts","../src/jwt/algorithms.ts","../src/jwt/assertions.ts","../src/jwt/cryptoKeys.ts","../src/jwt/verifyJwt.ts","../src/util/optionsAssertions.ts","../src/tokens/authenticateContext.ts","../src/tokens/authObjects.ts","../src/util/path.ts","../src/api/endpoints/AbstractApi.ts","../src/api/endpoints/AccountlessApplicationsAPI.ts","../src/api/endpoints/AllowlistIdentifierApi.ts","../src/api/endpoints/ClientApi.ts","../src/api/endpoints/DomainApi.ts","../src/api/endpoints/EmailAddressApi.ts","../src/api/endpoints/InvitationApi.ts","../src/api/endpoints/OrganizationApi.ts","../src/api/endpoints/PhoneNumberApi.ts","../src/api/endpoints/RedirectUrlApi.ts","../src/api/endpoints/SessionApi.ts","../src/api/endpoints/SignInTokenApi.ts","../src/api/endpoints/UserApi.ts","../src/api/endpoints/SamlConnectionApi.ts","../src/api/endpoints/TestingTokenApi.ts","../src/api/request.ts","../src/api/resources/AccountlessApplication.ts","../src/api/resources/AllowlistIdentifier.ts","../src/api/resources/Session.ts","../src/api/resources/Client.ts","../src/api/resources/Cookies.ts","../src/api/resources/DeletedObject.ts","../src/api/resources/Email.ts","../src/api/resources/IdentificationLink.ts","../src/api/resources/Verification.ts","../src/api/resources/EmailAddress.ts","../src/api/resources/ExternalAccount.ts","../src/api/resources/Invitation.ts","../src/api/resources/JSON.ts","../src/api/resources/OauthAccessToken.ts","../src/api/resources/Organization.ts","../src/api/resources/OrganizationInvitation.ts","../src/api/resources/OrganizationMembership.ts","../src/api/resources/PhoneNumber.ts","../src/api/resources/RedirectUrl.ts","../src/api/resources/SignInTokens.ts","../src/api/resources/SMSMessage.ts","../src/api/resources/Token.ts","../src/api/resources/SamlConnection.ts","../src/api/resources/SamlAccount.ts","../src/api/resources/Web3Wallet.ts","../src/api/resources/User.ts","../src/api/resources/Deserializer.ts","../src/api/factory.ts","../src/tokens/authStatus.ts","../src/tokens/clerkRequest.ts","../src/tokens/clerkUrl.ts","../src/tokens/cookie.ts","../src/tokens/keys.ts","../src/tokens/handshake.ts","../src/tokens/verify.ts","../src/tokens/factory.ts","../src/util/decorateObjectWithResources.ts"],"sourcesContent":["export { constants } from './constants';\nexport { createRedirect } from './createRedirect';\nexport type { RedirectFun } from './createRedirect';\n\nexport type { CreateAuthenticateRequestOptions } from './tokens/factory';\nexport { createAuthenticateRequest } from './tokens/factory';\n\nexport { debugRequestState } from './tokens/request';\n\nexport type { AuthenticateRequestOptions, OrganizationSyncOptions } from './tokens/types';\n\nexport type { SignedInAuthObjectOptions, SignedInAuthObject, SignedOutAuthObject } from './tokens/authObjects';\nexport { makeAuthObjectSerializable, signedOutAuthObject, signedInAuthObject } from './tokens/authObjects';\n\nexport { AuthStatus } from './tokens/authStatus';\nexport type { RequestState, SignedInState, SignedOutState } from './tokens/authStatus';\n\nexport { decorateObjectWithResources, stripPrivateDataFromObject } from './util/decorateObjectWithResources';\n\nexport { createClerkRequest } from './tokens/clerkRequest';\nexport type { ClerkRequest } from './tokens/clerkRequest';\n\nexport { reverificationError, reverificationErrorResponse } from '@clerk/shared/authorization-errors';\n","export const API_URL = 'https://api.clerk.com';\nexport const API_VERSION = 'v1';\n\nexport const USER_AGENT = `${PACKAGE_NAME}@${PACKAGE_VERSION}`;\nexport const MAX_CACHE_LAST_UPDATED_AT_SECONDS = 5 * 60;\nexport const SUPPORTED_BAPI_VERSION = '2024-10-01';\n\nconst Attributes = {\n AuthToken: '__clerkAuthToken',\n AuthSignature: '__clerkAuthSignature',\n AuthStatus: '__clerkAuthStatus',\n AuthReason: '__clerkAuthReason',\n AuthMessage: '__clerkAuthMessage',\n ClerkUrl: '__clerkUrl',\n} as const;\n\nconst Cookies = {\n Session: '__session',\n Refresh: '__refresh',\n ClientUat: '__client_uat',\n Handshake: '__clerk_handshake',\n DevBrowser: '__clerk_db_jwt',\n RedirectCount: '__clerk_redirect_count',\n} as const;\n\nconst QueryParameters = {\n ClerkSynced: '__clerk_synced',\n SuffixedCookies: 'suffixed_cookies',\n ClerkRedirectUrl: '__clerk_redirect_url',\n // use the reference to Cookies to indicate that it's the same value\n DevBrowser: Cookies.DevBrowser,\n Handshake: Cookies.Handshake,\n HandshakeHelp: '__clerk_help',\n LegacyDevBrowser: '__dev_session',\n HandshakeReason: '__clerk_hs_reason',\n} as const;\n\nconst Headers = {\n AuthToken: 'x-clerk-auth-token',\n AuthSignature: 'x-clerk-auth-signature',\n AuthStatus: 'x-clerk-auth-status',\n AuthReason: 'x-clerk-auth-reason',\n AuthMessage: 'x-clerk-auth-message',\n ClerkUrl: 'x-clerk-clerk-url',\n EnableDebug: 'x-clerk-debug',\n ClerkRequestData: 'x-clerk-request-data',\n ClerkRedirectTo: 'x-clerk-redirect-to',\n CloudFrontForwardedProto: 'cloudfront-forwarded-proto',\n Authorization: 'authorization',\n ForwardedPort: 'x-forwarded-port',\n ForwardedProto: 'x-forwarded-proto',\n ForwardedHost: 'x-forwarded-host',\n Accept: 'accept',\n Referrer: 'referer',\n UserAgent: 'user-agent',\n Origin: 'origin',\n Host: 'host',\n ContentType: 'content-type',\n SecFetchDest: 'sec-fetch-dest',\n Location: 'location',\n CacheControl: 'cache-control',\n} as const;\n\nconst ContentTypes = {\n Json: 'application/json',\n} as const;\n\n/**\n * @internal\n */\nexport const constants = {\n Attributes,\n Cookies,\n Headers,\n ContentTypes,\n QueryParameters,\n} as const;\n\nexport type Constants = typeof constants;\n","export { addClerkPrefix, getScriptUrl, getClerkJsMajorVersionOrTag } from '@clerk/shared/url';\nexport { retry } from '@clerk/shared/retry';\nexport {\n isDevelopmentFromSecretKey,\n isProductionFromSecretKey,\n parsePublishableKey,\n getCookieSuffix,\n getSuffixedCookieName,\n} from '@clerk/shared/keys';\nexport { deprecated, deprecatedProperty } from '@clerk/shared/deprecated';\n\nimport { buildErrorThrower } from '@clerk/shared/error';\nimport { createDevOrStagingUrlCache } from '@clerk/shared/keys';\n// TODO: replace packageName with `${PACKAGE_NAME}@${PACKAGE_VERSION}` from tsup.config.ts\nexport const errorThrower = buildErrorThrower({ packageName: '@clerk/backend' });\n\nexport const { isDevOrStagingUrl } = createDevOrStagingUrlCache();\n","import { constants } from './constants';\nimport { errorThrower, parsePublishableKey } from './util/shared';\n\nconst buildUrl = (\n _baseUrl: string | URL,\n _targetUrl: string | URL,\n _returnBackUrl?: string | URL | null,\n _devBrowserToken?: string | null,\n) => {\n if (_baseUrl === '') {\n return legacyBuildUrl(_targetUrl.toString(), _returnBackUrl?.toString());\n }\n\n const baseUrl = new URL(_baseUrl);\n const returnBackUrl = _returnBackUrl ? new URL(_returnBackUrl, baseUrl) : undefined;\n const res = new URL(_targetUrl, baseUrl);\n\n if (returnBackUrl) {\n res.searchParams.set('redirect_url', returnBackUrl.toString());\n }\n // For cross-origin redirects, we need to pass the dev browser token for URL session syncing\n if (_devBrowserToken && baseUrl.hostname !== res.hostname) {\n res.searchParams.set(constants.QueryParameters.DevBrowser, _devBrowserToken);\n }\n return res.toString();\n};\n\n/**\n * In v5, we deprecated the top-level redirectToSignIn and redirectToSignUp functions\n * in favor of the new auth().redirectToSignIn helpers\n * In order to allow for a smooth transition, we need to support the legacy redirectToSignIn for now\n * as we will remove it in v6.\n * In order to make sure that the legacy function works as expected, we will use legacyBuildUrl\n * to build the url if baseUrl is not provided (which is the case for legacy redirectToSignIn)\n * This function can be safely removed when we remove the legacy redirectToSignIn function\n */\nconst legacyBuildUrl = (targetUrl: string, redirectUrl?: string) => {\n let url;\n if (!targetUrl.startsWith('http')) {\n if (!redirectUrl || !redirectUrl.startsWith('http')) {\n throw new Error('destination url or return back url should be an absolute path url!');\n }\n\n const baseURL = new URL(redirectUrl);\n url = new URL(targetUrl, baseURL.origin);\n } else {\n url = new URL(targetUrl);\n }\n\n if (redirectUrl) {\n url.searchParams.set('redirect_url', redirectUrl);\n }\n\n return url.toString();\n};\n\nconst buildAccountsBaseUrl = (frontendApi?: string) => {\n if (!frontendApi) {\n return '';\n }\n\n // convert url from FAPI to accounts for Kima and legacy (prod & dev) instances\n const accountsBaseUrl = frontendApi\n // staging accounts\n .replace(/clerk\\.accountsstage\\./, 'accountsstage.')\n .replace(/clerk\\.accounts\\.|clerk\\./, 'accounts.');\n return `https://${accountsBaseUrl}`;\n};\n\ntype RedirectAdapter = (url: string) => RedirectReturn;\ntype RedirectToParams = { returnBackUrl?: string | URL | null };\nexport type RedirectFun = (params?: RedirectToParams) => ReturnType;\n\n/**\n * @internal\n */\ntype CreateRedirect = (params: {\n publishableKey: string;\n devBrowserToken?: string;\n redirectAdapter: RedirectAdapter;\n baseUrl: URL | string;\n signInUrl?: URL | string;\n signUpUrl?: URL | string;\n}) => {\n redirectToSignIn: RedirectFun;\n redirectToSignUp: RedirectFun;\n};\n\nexport const createRedirect: CreateRedirect = params => {\n const { publishableKey, redirectAdapter, signInUrl, signUpUrl, baseUrl } = params;\n const parsedPublishableKey = parsePublishableKey(publishableKey);\n const frontendApi = parsedPublishableKey?.frontendApi;\n const isDevelopment = parsedPublishableKey?.instanceType === 'development';\n const accountsBaseUrl = buildAccountsBaseUrl(frontendApi);\n\n const redirectToSignUp = ({ returnBackUrl }: RedirectToParams = {}) => {\n if (!signUpUrl && !accountsBaseUrl) {\n errorThrower.throwMissingPublishableKeyError();\n }\n const accountsSignUpUrl = `${accountsBaseUrl}/sign-up`;\n return redirectAdapter(\n buildUrl(baseUrl, signUpUrl || accountsSignUpUrl, returnBackUrl, isDevelopment ? params.devBrowserToken : null),\n );\n };\n\n const redirectToSignIn = ({ returnBackUrl }: RedirectToParams = {}) => {\n if (!signInUrl && !accountsBaseUrl) {\n errorThrower.throwMissingPublishableKeyError();\n }\n const accountsSignInUrl = `${accountsBaseUrl}/sign-in`;\n return redirectAdapter(\n buildUrl(baseUrl, signInUrl || accountsSignInUrl, returnBackUrl, isDevelopment ? params.devBrowserToken : null),\n );\n };\n\n return { redirectToSignUp, redirectToSignIn };\n};\n","export function mergePreDefinedOptions>(preDefinedOptions: T, options: Partial): T {\n return Object.keys(preDefinedOptions).reduce(\n (obj: T, key: string) => {\n return { ...obj, [key]: options[key] || obj[key] };\n },\n { ...preDefinedOptions },\n );\n}\n","import type { Match, MatchFunction } from '@clerk/shared/pathToRegexp';\nimport { match } from '@clerk/shared/pathToRegexp';\nimport type { JwtPayload } from '@clerk/types';\n\nimport { constants } from '../constants';\nimport type { TokenCarrier } from '../errors';\nimport { TokenVerificationError, TokenVerificationErrorReason } from '../errors';\nimport { decodeJwt } from '../jwt/verifyJwt';\nimport { assertValidSecretKey } from '../util/optionsAssertions';\nimport { isDevelopmentFromSecretKey } from '../util/shared';\nimport type { AuthenticateContext } from './authenticateContext';\nimport { createAuthenticateContext } from './authenticateContext';\nimport type { SignedInAuthObject } from './authObjects';\nimport type { HandshakeState, RequestState, SignedInState, SignedOutState } from './authStatus';\nimport { AuthErrorReason, handshake, signedIn, signedOut } from './authStatus';\nimport { createClerkRequest } from './clerkRequest';\nimport { getCookieName, getCookieValue } from './cookie';\nimport { verifyHandshakeToken } from './handshake';\nimport type { AuthenticateRequestOptions, OrganizationSyncOptions } from './types';\nimport { verifyToken } from './verify';\n\nexport const RefreshTokenErrorReason = {\n NonEligibleNoCookie: 'non-eligible-no-refresh-cookie',\n NonEligibleNonGet: 'non-eligible-non-get',\n InvalidSessionToken: 'invalid-session-token',\n MissingApiClient: 'missing-api-client',\n MissingSessionToken: 'missing-session-token',\n MissingRefreshToken: 'missing-refresh-token',\n ExpiredSessionTokenDecodeFailed: 'expired-session-token-decode-failed',\n ExpiredSessionTokenMissingSidClaim: 'expired-session-token-missing-sid-claim',\n FetchError: 'fetch-error',\n UnexpectedSDKError: 'unexpected-sdk-error',\n UnexpectedBAPIError: 'unexpected-bapi-error',\n} as const;\n\nfunction assertSignInUrlExists(signInUrl: string | undefined, key: string): asserts signInUrl is string {\n if (!signInUrl && isDevelopmentFromSecretKey(key)) {\n throw new Error(`Missing signInUrl. Pass a signInUrl for dev instances if an app is satellite`);\n }\n}\n\nfunction assertProxyUrlOrDomain(proxyUrlOrDomain: string | undefined) {\n if (!proxyUrlOrDomain) {\n throw new Error(`Missing domain and proxyUrl. A satellite application needs to specify a domain or a proxyUrl`);\n }\n}\n\nfunction assertSignInUrlFormatAndOrigin(_signInUrl: string, origin: string) {\n let signInUrl: URL;\n try {\n signInUrl = new URL(_signInUrl);\n } catch {\n throw new Error(`The signInUrl needs to have a absolute url format.`);\n }\n\n if (signInUrl.origin === origin) {\n throw new Error(`The signInUrl needs to be on a different origin than your satellite application.`);\n }\n}\n\n/**\n * Currently, a request is only eligible for a handshake if we can say it's *probably* a request for a document, not a fetch or some other exotic request.\n * This heuristic should give us a reliable enough signal for browsers that support `Sec-Fetch-Dest` and for those that don't.\n */\nfunction isRequestEligibleForHandshake(authenticateContext: { secFetchDest?: string; accept?: string }) {\n const { accept, secFetchDest } = authenticateContext;\n\n // NOTE: we could also check sec-fetch-mode === navigate here, but according to the spec, sec-fetch-dest: document should indicate that the request is the data of a user navigation.\n // Also, we check for 'iframe' because it's the value set when a doc request is made by an iframe.\n if (secFetchDest === 'document' || secFetchDest === 'iframe') {\n return true;\n }\n\n if (!secFetchDest && accept?.startsWith('text/html')) {\n return true;\n }\n\n return false;\n}\n\nfunction isRequestEligibleForRefresh(\n err: TokenVerificationError,\n authenticateContext: { refreshTokenInCookie?: string },\n request: Request,\n) {\n return (\n err.reason === TokenVerificationErrorReason.TokenExpired &&\n !!authenticateContext.refreshTokenInCookie &&\n request.method === 'GET'\n );\n}\n\nexport async function authenticateRequest(\n request: Request,\n options: AuthenticateRequestOptions,\n): Promise {\n const authenticateContext = await createAuthenticateContext(createClerkRequest(request), options);\n assertValidSecretKey(authenticateContext.secretKey);\n\n if (authenticateContext.isSatellite) {\n assertSignInUrlExists(authenticateContext.signInUrl, authenticateContext.secretKey);\n if (authenticateContext.signInUrl && authenticateContext.origin) {\n assertSignInUrlFormatAndOrigin(authenticateContext.signInUrl, authenticateContext.origin);\n }\n assertProxyUrlOrDomain(authenticateContext.proxyUrl || authenticateContext.domain);\n }\n\n // NOTE(izaak): compute regex matchers early for efficiency - they can be used multiple times.\n const organizationSyncTargetMatchers = computeOrganizationSyncTargetMatchers(options.organizationSyncOptions);\n\n function removeDevBrowserFromURL(url: URL) {\n const updatedURL = new URL(url);\n\n updatedURL.searchParams.delete(constants.QueryParameters.DevBrowser);\n // Remove legacy dev browser query param key to support local app with v5 using AP with v4\n updatedURL.searchParams.delete(constants.QueryParameters.LegacyDevBrowser);\n\n return updatedURL;\n }\n\n function buildRedirectToHandshake({ handshakeReason }: { handshakeReason: string }) {\n const redirectUrl = removeDevBrowserFromURL(authenticateContext.clerkUrl);\n const frontendApiNoProtocol = authenticateContext.frontendApi.replace(/http(s)?:\\/\\//, '');\n\n const url = new URL(`https://${frontendApiNoProtocol}/v1/client/handshake`);\n url.searchParams.append('redirect_url', redirectUrl?.href || '');\n url.searchParams.append(\n constants.QueryParameters.SuffixedCookies,\n authenticateContext.usesSuffixedCookies().toString(),\n );\n url.searchParams.append(constants.QueryParameters.HandshakeReason, handshakeReason);\n\n if (authenticateContext.instanceType === 'development' && authenticateContext.devBrowserToken) {\n url.searchParams.append(constants.QueryParameters.DevBrowser, authenticateContext.devBrowserToken);\n }\n\n const toActivate = getOrganizationSyncTarget(\n authenticateContext.clerkUrl,\n options.organizationSyncOptions,\n organizationSyncTargetMatchers,\n );\n if (toActivate) {\n const params = getOrganizationSyncQueryParams(toActivate);\n\n params.forEach((value, key) => {\n url.searchParams.append(key, value);\n });\n }\n\n return new Headers({ [constants.Headers.Location]: url.href });\n }\n\n async function resolveHandshake() {\n const headers = new Headers({\n 'Access-Control-Allow-Origin': 'null',\n 'Access-Control-Allow-Credentials': 'true',\n });\n\n const handshakePayload = await verifyHandshakeToken(authenticateContext.handshakeToken!, authenticateContext);\n const cookiesToSet = handshakePayload.handshake;\n\n let sessionToken = '';\n cookiesToSet.forEach((x: string) => {\n headers.append('Set-Cookie', x);\n if (getCookieName(x).startsWith(constants.Cookies.Session)) {\n sessionToken = getCookieValue(x);\n }\n });\n\n if (authenticateContext.instanceType === 'development') {\n const newUrl = new URL(authenticateContext.clerkUrl);\n newUrl.searchParams.delete(constants.QueryParameters.Handshake);\n newUrl.searchParams.delete(constants.QueryParameters.HandshakeHelp);\n headers.append(constants.Headers.Location, newUrl.toString());\n headers.set(constants.Headers.CacheControl, 'no-store');\n }\n\n if (sessionToken === '') {\n return signedOut(authenticateContext, AuthErrorReason.SessionTokenMissing, '', headers);\n }\n\n const { data, errors: [error] = [] } = await verifyToken(sessionToken, authenticateContext);\n if (data) {\n return signedIn(authenticateContext, data, headers, sessionToken);\n }\n\n if (\n authenticateContext.instanceType === 'development' &&\n (error?.reason === TokenVerificationErrorReason.TokenExpired ||\n error?.reason === TokenVerificationErrorReason.TokenNotActiveYet ||\n error?.reason === TokenVerificationErrorReason.TokenIatInTheFuture)\n ) {\n error.tokenCarrier = 'cookie';\n // This probably means we're dealing with clock skew\n console.error(\n `Clerk: Clock skew detected. This usually means that your system clock is inaccurate. Clerk will attempt to account for the clock skew in development.\n\nTo resolve this issue, make sure your system's clock is set to the correct time (e.g. turn off and on automatic time synchronization).\n\n---\n\n${error.getFullMessage()}`,\n );\n\n // Retry with a generous clock skew allowance (1 day)\n const { data: retryResult, errors: [retryError] = [] } = await verifyToken(sessionToken, {\n ...authenticateContext,\n clockSkewInMs: 86_400_000,\n });\n if (retryResult) {\n return signedIn(authenticateContext, retryResult, headers, sessionToken);\n }\n\n throw new Error(retryError?.message || 'Clerk: Handshake retry failed.');\n }\n\n throw new Error(error?.message || 'Clerk: Handshake failed.');\n }\n\n async function refreshToken(\n authenticateContext: AuthenticateContext,\n ): Promise<{ data: string[]; error: null } | { data: null; error: any }> {\n // To perform a token refresh, apiClient must be defined.\n if (!options.apiClient) {\n return {\n data: null,\n error: {\n message: 'An apiClient is needed to perform token refresh.',\n cause: { reason: RefreshTokenErrorReason.MissingApiClient },\n },\n };\n }\n const { sessionToken: expiredSessionToken, refreshTokenInCookie: refreshToken } = authenticateContext;\n if (!expiredSessionToken) {\n return {\n data: null,\n error: {\n message: 'Session token must be provided.',\n cause: { reason: RefreshTokenErrorReason.MissingSessionToken },\n },\n };\n }\n if (!refreshToken) {\n return {\n data: null,\n error: {\n message: 'Refresh token must be provided.',\n cause: { reason: RefreshTokenErrorReason.MissingRefreshToken },\n },\n };\n }\n // The token refresh endpoint requires a sessionId, so we decode that from the expired token.\n const { data: decodeResult, errors: decodedErrors } = decodeJwt(expiredSessionToken);\n if (!decodeResult || decodedErrors) {\n return {\n data: null,\n error: {\n message: 'Unable to decode the expired session token.',\n cause: { reason: RefreshTokenErrorReason.ExpiredSessionTokenDecodeFailed, errors: decodedErrors },\n },\n };\n }\n\n if (!decodeResult?.payload?.sid) {\n return {\n data: null,\n error: {\n message: 'Expired session token is missing the `sid` claim.',\n cause: { reason: RefreshTokenErrorReason.ExpiredSessionTokenMissingSidClaim },\n },\n };\n }\n\n try {\n // Perform the actual token refresh.\n const response = await options.apiClient.sessions.refreshSession(decodeResult.payload.sid, {\n format: 'cookie',\n suffixed_cookies: authenticateContext.usesSuffixedCookies(),\n expired_token: expiredSessionToken || '',\n refresh_token: refreshToken || '',\n request_origin: authenticateContext.clerkUrl.origin,\n // The refresh endpoint expects headers as Record, so we need to transform it.\n request_headers: Object.fromEntries(Array.from(request.headers.entries()).map(([k, v]) => [k, [v]])),\n });\n return { data: response.cookies, error: null };\n } catch (err: any) {\n if (err?.errors?.length) {\n if (err.errors[0].code === 'unexpected_error') {\n return {\n data: null,\n error: {\n message: `Fetch unexpected error`,\n cause: { reason: RefreshTokenErrorReason.FetchError, errors: err.errors },\n },\n };\n }\n return {\n data: null,\n error: {\n message: err.errors[0].code,\n cause: { reason: err.errors[0].code, errors: err.errors },\n },\n };\n } else {\n return {\n data: null,\n error: {\n message: `Unexpected Server/BAPI error`,\n cause: { reason: RefreshTokenErrorReason.UnexpectedBAPIError, errors: [err] },\n },\n };\n }\n }\n }\n\n async function attemptRefresh(\n authenticateContext: AuthenticateContext,\n ): Promise<\n | { data: { jwtPayload: JwtPayload; sessionToken: string; headers: Headers }; error: null }\n | { data: null; error: any }\n > {\n const { data: cookiesToSet, error } = await refreshToken(authenticateContext);\n if (!cookiesToSet || cookiesToSet.length === 0) {\n return { data: null, error };\n }\n\n const headers = new Headers();\n let sessionToken = '';\n cookiesToSet.forEach((x: string) => {\n headers.append('Set-Cookie', x);\n if (getCookieName(x).startsWith(constants.Cookies.Session)) {\n sessionToken = getCookieValue(x);\n }\n });\n\n // Since we're going to return a signedIn response, we need to decode the data from the new sessionToken.\n const { data: jwtPayload, errors } = await verifyToken(sessionToken, authenticateContext);\n if (errors) {\n return {\n data: null,\n error: {\n message: `Clerk: unable to verify refreshed session token.`,\n cause: { reason: RefreshTokenErrorReason.InvalidSessionToken, errors },\n },\n };\n }\n return { data: { jwtPayload, sessionToken, headers }, error: null };\n }\n\n function handleMaybeHandshakeStatus(\n authenticateContext: AuthenticateContext,\n reason: string,\n message: string,\n headers?: Headers,\n ): SignedInState | SignedOutState | HandshakeState {\n if (isRequestEligibleForHandshake(authenticateContext)) {\n // Right now the only usage of passing in different headers is for multi-domain sync, which redirects somewhere else.\n // In the future if we want to decorate the handshake redirect with additional headers per call we need to tweak this logic.\n const handshakeHeaders = headers ?? buildRedirectToHandshake({ handshakeReason: reason });\n\n // Chrome aggressively caches inactive tabs. If we don't set the header here,\n // all 307 redirects will be cached and the handshake will end up in an infinite loop.\n if (handshakeHeaders.get(constants.Headers.Location)) {\n handshakeHeaders.set(constants.Headers.CacheControl, 'no-store');\n }\n\n // Introduce the mechanism to protect for infinite handshake redirect loops\n // using a cookie and returning true if it's infinite redirect loop or false if we can\n // proceed with triggering handshake.\n const isRedirectLoop = setHandshakeInfiniteRedirectionLoopHeaders(handshakeHeaders);\n if (isRedirectLoop) {\n const msg = `Clerk: Refreshing the session token resulted in an infinite redirect loop. This usually means that your Clerk instance keys do not match - make sure to copy the correct publishable and secret keys from the Clerk dashboard.`;\n console.log(msg);\n return signedOut(authenticateContext, reason, message);\n }\n\n return handshake(authenticateContext, reason, message, handshakeHeaders);\n }\n\n return signedOut(authenticateContext, reason, message);\n }\n\n /**\n * Determines if a handshake must occur to resolve a mismatch between the organization as specified\n * by the URL (according to the options) and the actual active organization on the session.\n *\n * @returns {HandshakeState | SignedOutState | null} - The function can return the following:\n * - {HandshakeState}: If a handshake is needed to resolve the mismatched organization.\n * - {SignedOutState}: If a handshake is required but cannot be performed.\n * - {null}: If no action is required.\n */\n function handleMaybeOrganizationSyncHandshake(\n authenticateContext: AuthenticateContext,\n auth: SignedInAuthObject,\n ): HandshakeState | SignedOutState | null {\n const organizationSyncTarget = getOrganizationSyncTarget(\n authenticateContext.clerkUrl,\n options.organizationSyncOptions,\n organizationSyncTargetMatchers,\n );\n if (!organizationSyncTarget) {\n return null;\n }\n let mustActivate = false;\n if (organizationSyncTarget.type === 'organization') {\n // Activate an org by slug?\n if (organizationSyncTarget.organizationSlug && organizationSyncTarget.organizationSlug !== auth.orgSlug) {\n mustActivate = true;\n }\n // Activate an org by ID?\n if (organizationSyncTarget.organizationId && organizationSyncTarget.organizationId !== auth.orgId) {\n mustActivate = true;\n }\n }\n // Activate the personal account?\n if (organizationSyncTarget.type === 'personalAccount' && auth.orgId) {\n mustActivate = true;\n }\n if (!mustActivate) {\n return null;\n }\n if (authenticateContext.handshakeRedirectLoopCounter > 0) {\n // We have an organization that needs to be activated, but this isn't our first time redirecting.\n // This is because we attempted to activate the organization previously, but the organization\n // must not have been valid (either not found, or not valid for this user), and gave us back\n // a null organization. We won't re-try the handshake, and leave it to the server component to handle.\n console.warn(\n 'Clerk: Organization activation handshake loop detected. This is likely due to an invalid organization ID or slug. Skipping organization activation.',\n );\n return null;\n }\n const handshakeState = handleMaybeHandshakeStatus(\n authenticateContext,\n AuthErrorReason.ActiveOrganizationMismatch,\n '',\n );\n if (handshakeState.status !== 'handshake') {\n // Currently, this is only possible if we're in a redirect loop, but the above check should guard against that.\n return null;\n }\n return handshakeState;\n }\n\n async function authenticateRequestWithTokenInHeader() {\n const { sessionTokenInHeader } = authenticateContext;\n\n try {\n const { data, errors } = await verifyToken(sessionTokenInHeader!, authenticateContext);\n if (errors) {\n throw errors[0];\n }\n // use `await` to force this try/catch handle the signedIn invocation\n return signedIn(authenticateContext, data, undefined, sessionTokenInHeader!);\n } catch (err) {\n return handleError(err, 'header');\n }\n }\n\n // We want to prevent infinite handshake redirection loops.\n // We incrementally set a `__clerk_redirection_loop` cookie, and when it loops 3 times, we throw an error.\n // We also utilize the `referer` header to skip the prefetch requests.\n function setHandshakeInfiniteRedirectionLoopHeaders(headers: Headers): boolean {\n if (authenticateContext.handshakeRedirectLoopCounter === 3) {\n return true;\n }\n\n const newCounterValue = authenticateContext.handshakeRedirectLoopCounter + 1;\n const cookieName = constants.Cookies.RedirectCount;\n headers.append('Set-Cookie', `${cookieName}=${newCounterValue}; SameSite=Lax; HttpOnly; Max-Age=3`);\n return false;\n }\n\n function handleHandshakeTokenVerificationErrorInDevelopment(error: TokenVerificationError) {\n // In development, the handshake token is being transferred in the URL as a query parameter, so there is no\n // possibility of collision with a handshake token of another app running on the same local domain\n // (etc one app on localhost:3000 and one on localhost:3001).\n // Therefore, if the handshake token is invalid, it is likely that the user has switched Clerk keys locally.\n // We make sure to throw a descriptive error message and then stop the handshake flow in every case,\n // to avoid the possibility of an infinite loop.\n if (error.reason === TokenVerificationErrorReason.TokenInvalidSignature) {\n const msg = `Clerk: Handshake token verification failed due to an invalid signature. If you have switched Clerk keys locally, clear your cookies and try again.`;\n throw new Error(msg);\n }\n throw new Error(`Clerk: Handshake token verification failed: ${error.getFullMessage()}.`);\n }\n\n async function authenticateRequestWithTokenInCookie() {\n const hasActiveClient = authenticateContext.clientUat;\n const hasSessionToken = !!authenticateContext.sessionTokenInCookie;\n const hasDevBrowserToken = !!authenticateContext.devBrowserToken;\n\n /**\n * If we have a handshakeToken, resolve the handshake and attempt to return a definitive signed in or signed out state.\n */\n if (authenticateContext.handshakeToken) {\n try {\n return await resolveHandshake();\n } catch (error) {\n // In production, the handshake token is being transferred as a cookie, so there is a possibility of collision\n // with a handshake token of another app running on the same etld+1 domain.\n // For example, if one app is running on sub1.clerk.com and another on sub2.clerk.com, the handshake token\n // cookie for both apps will be set on etld+1 (clerk.com) so there's a possibility that one app will accidentally\n // use the handshake token of a different app during the handshake flow.\n // In this scenario, verification will fail with TokenInvalidSignature. In contrast to the development case,\n // we need to allow the flow to continue so the app eventually retries another handshake with the correct token.\n // We need to make sure, however, that we don't allow the flow to continue indefinitely, so we throw an error after X\n // retries to avoid an infinite loop. An infinite loop can happen if the customer switched Clerk keys for their prod app.\n\n // Check the handleHandshakeTokenVerificationErrorInDevelopment function for the development case.\n if (error instanceof TokenVerificationError && authenticateContext.instanceType === 'development') {\n handleHandshakeTokenVerificationErrorInDevelopment(error);\n } else {\n console.error('Clerk: unable to resolve handshake:', error);\n }\n }\n }\n /**\n * Otherwise, check for \"known unknown\" auth states that we can resolve with a handshake.\n */\n if (\n authenticateContext.instanceType === 'development' &&\n authenticateContext.clerkUrl.searchParams.has(constants.QueryParameters.DevBrowser)\n ) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.DevBrowserSync, '');\n }\n\n const isRequestEligibleForMultiDomainSync =\n authenticateContext.isSatellite && authenticateContext.secFetchDest === 'document';\n\n /**\n * Begin multi-domain sync flows\n */\n if (authenticateContext.instanceType === 'production' && isRequestEligibleForMultiDomainSync) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SatelliteCookieNeedsSyncing, '');\n }\n\n // Multi-domain development sync flow\n if (\n authenticateContext.instanceType === 'development' &&\n isRequestEligibleForMultiDomainSync &&\n !authenticateContext.clerkUrl.searchParams.has(constants.QueryParameters.ClerkSynced)\n ) {\n // initiate MD sync\n\n // signInUrl exists, checked at the top of `authenticateRequest`\n const redirectURL = new URL(authenticateContext.signInUrl!);\n redirectURL.searchParams.append(\n constants.QueryParameters.ClerkRedirectUrl,\n authenticateContext.clerkUrl.toString(),\n );\n const headers = new Headers({ [constants.Headers.Location]: redirectURL.toString() });\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SatelliteCookieNeedsSyncing, '', headers);\n }\n\n // Multi-domain development sync flow\n const redirectUrl = new URL(authenticateContext.clerkUrl).searchParams.get(\n constants.QueryParameters.ClerkRedirectUrl,\n );\n\n if (authenticateContext.instanceType === 'development' && !authenticateContext.isSatellite && redirectUrl) {\n // Dev MD sync from primary, redirect back to satellite w/ dev browser query param\n const redirectBackToSatelliteUrl = new URL(redirectUrl);\n\n if (authenticateContext.devBrowserToken) {\n redirectBackToSatelliteUrl.searchParams.append(\n constants.QueryParameters.DevBrowser,\n authenticateContext.devBrowserToken,\n );\n }\n redirectBackToSatelliteUrl.searchParams.append(constants.QueryParameters.ClerkSynced, 'true');\n\n const headers = new Headers({ [constants.Headers.Location]: redirectBackToSatelliteUrl.toString() });\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.PrimaryRespondsToSyncing, '', headers);\n }\n /**\n * End multi-domain sync flows\n */\n\n if (authenticateContext.instanceType === 'development' && !hasDevBrowserToken) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.DevBrowserMissing, '');\n }\n\n if (!hasActiveClient && !hasSessionToken) {\n return signedOut(authenticateContext, AuthErrorReason.SessionTokenAndUATMissing, '');\n }\n\n // This can eagerly run handshake since client_uat is SameSite=Strict in dev\n if (!hasActiveClient && hasSessionToken) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SessionTokenWithoutClientUAT, '');\n }\n\n if (hasActiveClient && !hasSessionToken) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.ClientUATWithoutSessionToken, '');\n }\n\n const { data: decodeResult, errors: decodedErrors } = decodeJwt(authenticateContext.sessionTokenInCookie!);\n\n if (decodedErrors) {\n return handleError(decodedErrors[0], 'cookie');\n }\n\n if (decodeResult.payload.iat < authenticateContext.clientUat) {\n return handleMaybeHandshakeStatus(authenticateContext, AuthErrorReason.SessionTokenIATBeforeClientUAT, '');\n }\n\n try {\n const { data, errors } = await verifyToken(authenticateContext.sessionTokenInCookie!, authenticateContext);\n if (errors) {\n throw errors[0];\n }\n const signedInRequestState = signedIn(\n authenticateContext,\n data,\n undefined,\n authenticateContext.sessionTokenInCookie!,\n );\n\n // Org sync if necessary\n const handshakeRequestState = handleMaybeOrganizationSyncHandshake(\n authenticateContext,\n signedInRequestState.toAuth(),\n );\n if (handshakeRequestState) {\n return handshakeRequestState;\n }\n\n return signedInRequestState;\n } catch (err) {\n return handleError(err, 'cookie');\n }\n\n return signedOut(authenticateContext, AuthErrorReason.UnexpectedError);\n }\n\n async function handleError(\n err: unknown,\n tokenCarrier: TokenCarrier,\n ): Promise {\n if (!(err instanceof TokenVerificationError)) {\n return signedOut(authenticateContext, AuthErrorReason.UnexpectedError);\n }\n\n let refreshError: string | null;\n\n if (isRequestEligibleForRefresh(err, authenticateContext, request)) {\n const { data, error } = await attemptRefresh(authenticateContext);\n if (data) {\n return signedIn(authenticateContext, data.jwtPayload, data.headers, data.sessionToken);\n }\n\n // If there's any error, simply fallback to the handshake flow including the reason as a query parameter.\n if (error?.cause?.reason) {\n refreshError = error.cause.reason;\n } else {\n refreshError = RefreshTokenErrorReason.UnexpectedSDKError;\n }\n } else {\n if (request.method !== 'GET') {\n refreshError = RefreshTokenErrorReason.NonEligibleNonGet;\n } else if (!authenticateContext.refreshTokenInCookie) {\n refreshError = RefreshTokenErrorReason.NonEligibleNoCookie;\n } else {\n //refresh error is not applicable if token verification error is not 'session-token-expired'\n refreshError = null;\n }\n }\n\n err.tokenCarrier = tokenCarrier;\n\n const reasonToHandshake = [\n TokenVerificationErrorReason.TokenExpired,\n TokenVerificationErrorReason.TokenNotActiveYet,\n TokenVerificationErrorReason.TokenIatInTheFuture,\n ].includes(err.reason);\n\n if (reasonToHandshake) {\n return handleMaybeHandshakeStatus(\n authenticateContext,\n convertTokenVerificationErrorReasonToAuthErrorReason({ tokenError: err.reason, refreshError }),\n err.getFullMessage(),\n );\n }\n\n return signedOut(authenticateContext, err.reason, err.getFullMessage());\n }\n\n if (authenticateContext.sessionTokenInHeader) {\n return authenticateRequestWithTokenInHeader();\n }\n\n return authenticateRequestWithTokenInCookie();\n}\n\n/**\n * @internal\n */\nexport const debugRequestState = (params: RequestState) => {\n const { isSignedIn, proxyUrl, reason, message, publishableKey, isSatellite, domain } = params;\n return { isSignedIn, proxyUrl, reason, message, publishableKey, isSatellite, domain };\n};\n\ntype OrganizationSyncTargetMatchers = {\n OrganizationMatcher: MatchFunction>> | null;\n PersonalAccountMatcher: MatchFunction>> | null;\n};\n\n/**\n * Computes regex-based matchers from the given organization sync options.\n */\nexport function computeOrganizationSyncTargetMatchers(\n options: OrganizationSyncOptions | undefined,\n): OrganizationSyncTargetMatchers {\n let personalAccountMatcher: MatchFunction>> | null = null;\n if (options?.personalAccountPatterns) {\n try {\n personalAccountMatcher = match(options.personalAccountPatterns);\n } catch (e) {\n // Likely to be encountered during development, so throwing the error is more prudent than logging\n throw new Error(`Invalid personal account pattern \"${options.personalAccountPatterns}\": \"${e}\"`);\n }\n }\n\n let organizationMatcher: MatchFunction>> | null = null;\n if (options?.organizationPatterns) {\n try {\n organizationMatcher = match(options.organizationPatterns);\n } catch (e) {\n // Likely to be encountered during development, so throwing the error is more prudent than logging\n throw new Error(`Clerk: Invalid organization pattern \"${options.organizationPatterns}\": \"${e}\"`);\n }\n }\n\n return {\n OrganizationMatcher: organizationMatcher,\n PersonalAccountMatcher: personalAccountMatcher,\n };\n}\n\n/**\n * Determines if the given URL and settings indicate a desire to activate a specific\n * organization or personal account.\n *\n * @param url - The URL of the original request.\n * @param options - The organization sync options.\n * @param matchers - The matchers for the organization and personal account patterns, as generated by `computeOrganizationSyncTargetMatchers`.\n */\nexport function getOrganizationSyncTarget(\n url: URL,\n options: OrganizationSyncOptions | undefined,\n matchers: OrganizationSyncTargetMatchers,\n): OrganizationSyncTarget | null {\n if (!options) {\n return null;\n }\n\n // Check for organization activation\n if (matchers.OrganizationMatcher) {\n let orgResult: Match>>;\n try {\n orgResult = matchers.OrganizationMatcher(url.pathname);\n } catch (e) {\n // Intentionally not logging the path to avoid potentially leaking anything sensitive\n console.error(`Clerk: Failed to apply organization pattern \"${options.organizationPatterns}\" to a path`, e);\n return null;\n }\n\n if (orgResult && 'params' in orgResult) {\n const params = orgResult.params;\n\n if ('id' in params && typeof params.id === 'string') {\n return { type: 'organization', organizationId: params.id };\n }\n if ('slug' in params && typeof params.slug === 'string') {\n return { type: 'organization', organizationSlug: params.slug };\n }\n console.warn(\n 'Clerk: Detected an organization pattern match, but no organization ID or slug was found in the URL. Does the pattern include `:id` or `:slug`?',\n );\n }\n }\n\n // Check for personal account activation\n if (matchers.PersonalAccountMatcher) {\n let personalResult: Match>>;\n try {\n personalResult = matchers.PersonalAccountMatcher(url.pathname);\n } catch (e) {\n // Intentionally not logging the path to avoid potentially leaking anything sensitive\n console.error(`Failed to apply personal account pattern \"${options.personalAccountPatterns}\" to a path`, e);\n return null;\n }\n\n if (personalResult) {\n return { type: 'personalAccount' };\n }\n }\n return null;\n}\n\n/**\n * Represents an organization or a personal account - e.g. an\n * entity that can be activated by the handshake API.\n */\nexport type OrganizationSyncTarget =\n | { type: 'personalAccount' }\n | { type: 'organization'; organizationId?: string; organizationSlug?: string };\n\n/**\n * Generates the query parameters to activate an organization or personal account\n * via the FAPI handshake api.\n */\nfunction getOrganizationSyncQueryParams(toActivate: OrganizationSyncTarget): Map {\n const ret = new Map();\n if (toActivate.type === 'personalAccount') {\n ret.set('organization_id', '');\n }\n if (toActivate.type === 'organization') {\n if (toActivate.organizationId) {\n ret.set('organization_id', toActivate.organizationId);\n }\n if (toActivate.organizationSlug) {\n ret.set('organization_id', toActivate.organizationSlug);\n }\n }\n return ret;\n}\n\nconst convertTokenVerificationErrorReasonToAuthErrorReason = ({\n tokenError,\n refreshError,\n}: {\n tokenError: TokenVerificationErrorReason;\n refreshError: string | null;\n}): string => {\n switch (tokenError) {\n case TokenVerificationErrorReason.TokenExpired:\n return `${AuthErrorReason.SessionTokenExpired}-refresh-${refreshError}`;\n case TokenVerificationErrorReason.TokenNotActiveYet:\n return AuthErrorReason.SessionTokenNBF;\n case TokenVerificationErrorReason.TokenIatInTheFuture:\n return AuthErrorReason.SessionTokenIatInTheFuture;\n default:\n return AuthErrorReason.UnexpectedError;\n }\n};\n","export type TokenCarrier = 'header' | 'cookie';\n\nexport const TokenVerificationErrorCode = {\n InvalidSecretKey: 'clerk_key_invalid',\n};\n\nexport type TokenVerificationErrorCode = (typeof TokenVerificationErrorCode)[keyof typeof TokenVerificationErrorCode];\n\nexport const TokenVerificationErrorReason = {\n TokenExpired: 'token-expired',\n TokenInvalid: 'token-invalid',\n TokenInvalidAlgorithm: 'token-invalid-algorithm',\n TokenInvalidAuthorizedParties: 'token-invalid-authorized-parties',\n TokenInvalidSignature: 'token-invalid-signature',\n TokenNotActiveYet: 'token-not-active-yet',\n TokenIatInTheFuture: 'token-iat-in-the-future',\n TokenVerificationFailed: 'token-verification-failed',\n InvalidSecretKey: 'secret-key-invalid',\n LocalJWKMissing: 'jwk-local-missing',\n RemoteJWKFailedToLoad: 'jwk-remote-failed-to-load',\n RemoteJWKInvalid: 'jwk-remote-invalid',\n RemoteJWKMissing: 'jwk-remote-missing',\n JWKFailedToResolve: 'jwk-failed-to-resolve',\n JWKKidMismatch: 'jwk-kid-mismatch',\n};\n\nexport type TokenVerificationErrorReason =\n (typeof TokenVerificationErrorReason)[keyof typeof TokenVerificationErrorReason];\n\nexport const TokenVerificationErrorAction = {\n ContactSupport: 'Contact support@clerk.com',\n EnsureClerkJWT: 'Make sure that this is a valid Clerk generate JWT.',\n SetClerkJWTKey: 'Set the CLERK_JWT_KEY environment variable.',\n SetClerkSecretKey: 'Set the CLERK_SECRET_KEY environment variable.',\n EnsureClockSync: 'Make sure your system clock is in sync (e.g. turn off and on automatic time synchronization).',\n};\n\nexport type TokenVerificationErrorAction =\n (typeof TokenVerificationErrorAction)[keyof typeof TokenVerificationErrorAction];\n\nexport class TokenVerificationError extends Error {\n action?: TokenVerificationErrorAction;\n reason: TokenVerificationErrorReason;\n tokenCarrier?: TokenCarrier;\n\n constructor({\n action,\n message,\n reason,\n }: {\n action?: TokenVerificationErrorAction;\n message: string;\n reason: TokenVerificationErrorReason;\n }) {\n super(message);\n\n Object.setPrototypeOf(this, TokenVerificationError.prototype);\n\n this.reason = reason;\n this.message = message;\n this.action = action;\n }\n\n public getFullMessage() {\n return `${[this.message, this.action].filter(m => m).join(' ')} (reason=${this.reason}, token-carrier=${\n this.tokenCarrier\n })`;\n }\n}\n\nexport class SignJWTError extends Error {}\n","/**\n * This file exports APIs that vary across runtimes (i.e. Node & Browser - V8 isolates)\n * as a singleton object.\n *\n * Runtime polyfills are written in VanillaJS for now to avoid TS complication. Moreover,\n * due to this issue https://github.com/microsoft/TypeScript/issues/44848, there is not a good way\n * to tell Typescript which conditional import to use during build type.\n *\n * The Runtime type definition ensures type safety for now.\n * Runtime js modules are copied into dist folder with bash script.\n *\n * TODO: Support TS runtime modules\n */\n\n// @ts-ignore - These are package subpaths\nimport { webcrypto as crypto } from '#crypto';\n\ntype Runtime = {\n crypto: Crypto;\n fetch: typeof globalThis.fetch;\n AbortController: typeof globalThis.AbortController;\n Blob: typeof globalThis.Blob;\n FormData: typeof globalThis.FormData;\n Headers: typeof globalThis.Headers;\n Request: typeof globalThis.Request;\n Response: typeof globalThis.Response;\n};\n\n// Invoking the global.fetch without binding it first to the globalObject fails in\n// Cloudflare Workers with an \"Illegal Invocation\" error.\n//\n// The globalThis object is supported for Node >= 12.0.\n//\n// https://github.com/supabase/supabase/issues/4417\nconst globalFetch = fetch.bind(globalThis);\n\nexport const runtime: Runtime = {\n crypto,\n get fetch() {\n // We need to use the globalFetch for Cloudflare Workers but the fetch for testing\n return process.env.NODE_ENV === 'test' ? fetch : globalFetch;\n },\n AbortController: globalThis.AbortController,\n Blob: globalThis.Blob,\n FormData: globalThis.FormData,\n Headers: globalThis.Headers,\n Request: globalThis.Request,\n Response: globalThis.Response,\n};\n","/**\n * The base64url helper was extracted from the rfc4648 package\n * in order to resolve CSJ/ESM interoperability issues\n *\n * https://github.com/swansontec/rfc4648.js\n *\n * For more context please refer to:\n * - https://github.com/evanw/esbuild/issues/1719\n * - https://github.com/evanw/esbuild/issues/532\n * - https://github.com/swansontec/rollup-plugin-mjs-entry\n */\nexport const base64url = {\n parse(string: string, opts?: ParseOptions): Uint8Array {\n return parse(string, base64UrlEncoding, opts);\n },\n\n stringify(data: ArrayLike, opts?: StringifyOptions): string {\n return stringify(data, base64UrlEncoding, opts);\n },\n};\n\nconst base64UrlEncoding: Encoding = {\n chars: 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_',\n bits: 6,\n};\n\ninterface Encoding {\n bits: number;\n chars: string;\n codes?: { [char: string]: number };\n}\n\ninterface ParseOptions {\n loose?: boolean;\n out?: new (size: number) => { [index: number]: number };\n}\n\ninterface StringifyOptions {\n pad?: boolean;\n}\n\nfunction parse(string: string, encoding: Encoding, opts: ParseOptions = {}): Uint8Array {\n // Build the character lookup table:\n if (!encoding.codes) {\n encoding.codes = {};\n for (let i = 0; i < encoding.chars.length; ++i) {\n encoding.codes[encoding.chars[i]] = i;\n }\n }\n\n // The string must have a whole number of bytes:\n if (!opts.loose && (string.length * encoding.bits) & 7) {\n throw new SyntaxError('Invalid padding');\n }\n\n // Count the padding bytes:\n let end = string.length;\n while (string[end - 1] === '=') {\n --end;\n\n // If we get a whole number of bytes, there is too much padding:\n if (!opts.loose && !(((string.length - end) * encoding.bits) & 7)) {\n throw new SyntaxError('Invalid padding');\n }\n }\n\n // Allocate the output:\n const out = new (opts.out ?? Uint8Array)(((end * encoding.bits) / 8) | 0) as Uint8Array;\n\n // Parse the data:\n let bits = 0; // Number of bits currently in the buffer\n let buffer = 0; // Bits waiting to be written out, MSB first\n let written = 0; // Next byte to write\n for (let i = 0; i < end; ++i) {\n // Read one character from the string:\n const value = encoding.codes[string[i]];\n if (value === undefined) {\n throw new SyntaxError('Invalid character ' + string[i]);\n }\n\n // Append the bits to the buffer:\n buffer = (buffer << encoding.bits) | value;\n bits += encoding.bits;\n\n // Write out some bits if the buffer has a byte's worth:\n if (bits >= 8) {\n bits -= 8;\n out[written++] = 0xff & (buffer >> bits);\n }\n }\n\n // Verify that we have received just enough bits:\n if (bits >= encoding.bits || 0xff & (buffer << (8 - bits))) {\n throw new SyntaxError('Unexpected end of data');\n }\n\n return out;\n}\n\nfunction stringify(data: ArrayLike, encoding: Encoding, opts: StringifyOptions = {}): string {\n const { pad = true } = opts;\n const mask = (1 << encoding.bits) - 1;\n let out = '';\n\n let bits = 0; // Number of bits currently in the buffer\n let buffer = 0; // Bits waiting to be written out, MSB first\n for (let i = 0; i < data.length; ++i) {\n // Slurp data into the buffer:\n buffer = (buffer << 8) | (0xff & data[i]);\n bits += 8;\n\n // Write out as much as we can:\n while (bits > encoding.bits) {\n bits -= encoding.bits;\n out += encoding.chars[mask & (buffer >> bits)];\n }\n }\n\n // Partial character:\n if (bits) {\n out += encoding.chars[mask & (buffer << (encoding.bits - bits))];\n }\n\n // Add padding characters until we hit a byte boundary:\n if (pad) {\n while ((out.length * encoding.bits) & 7) {\n out += '=';\n }\n }\n\n return out;\n}\n","const algToHash: Record = {\n RS256: 'SHA-256',\n RS384: 'SHA-384',\n RS512: 'SHA-512',\n};\nconst RSA_ALGORITHM_NAME = 'RSASSA-PKCS1-v1_5';\n\nconst jwksAlgToCryptoAlg: Record = {\n RS256: RSA_ALGORITHM_NAME,\n RS384: RSA_ALGORITHM_NAME,\n RS512: RSA_ALGORITHM_NAME,\n};\n\nexport const algs = Object.keys(algToHash);\n\nexport function getCryptoAlgorithm(algorithmName: string): RsaHashedImportParams {\n const hash = algToHash[algorithmName];\n const name = jwksAlgToCryptoAlg[algorithmName];\n\n if (!hash || !name) {\n throw new Error(`Unsupported algorithm ${algorithmName}, expected one of ${algs.join(',')}.`);\n }\n\n return {\n hash: { name: algToHash[algorithmName] },\n name: jwksAlgToCryptoAlg[algorithmName],\n };\n}\n","import { TokenVerificationError, TokenVerificationErrorAction, TokenVerificationErrorReason } from '../errors';\nimport { algs } from './algorithms';\n\nexport type IssuerResolver = string | ((iss: string) => boolean);\n\nconst isArrayString = (s: unknown): s is string[] => {\n return Array.isArray(s) && s.length > 0 && s.every(a => typeof a === 'string');\n};\n\nexport const assertAudienceClaim = (aud?: unknown, audience?: unknown) => {\n const audienceList = [audience].flat().filter(a => !!a);\n const audList = [aud].flat().filter(a => !!a);\n const shouldVerifyAudience = audienceList.length > 0 && audList.length > 0;\n\n if (!shouldVerifyAudience) {\n // Notice: Clerk JWTs use AZP claim instead of Audience\n //\n // return {\n // valid: false,\n // reason: `Invalid JWT audience claim (aud) ${JSON.stringify(\n // aud,\n // )}. Expected a string or a non-empty array of strings.`,\n // };\n return;\n }\n\n if (typeof aud === 'string') {\n if (!audienceList.includes(aud)) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT audience claim (aud) ${JSON.stringify(aud)}. Is not included in \"${JSON.stringify(\n audienceList,\n )}\".`,\n });\n }\n } else if (isArrayString(aud)) {\n if (!aud.some(a => audienceList.includes(a))) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT audience claim array (aud) ${JSON.stringify(aud)}. Is not included in \"${JSON.stringify(\n audienceList,\n )}\".`,\n });\n }\n }\n};\n\nexport const assertHeaderType = (typ?: unknown) => {\n if (typeof typ === 'undefined') {\n return;\n }\n\n if (typ !== 'JWT') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenInvalid,\n message: `Invalid JWT type ${JSON.stringify(typ)}. Expected \"JWT\".`,\n });\n }\n};\n\nexport const assertHeaderAlgorithm = (alg: string) => {\n if (!algs.includes(alg)) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenInvalidAlgorithm,\n message: `Invalid JWT algorithm ${JSON.stringify(alg)}. Supported: ${algs}.`,\n });\n }\n};\n\nexport const assertSubClaim = (sub?: string) => {\n if (typeof sub !== 'string') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Subject claim (sub) is required and must be a string. Received ${JSON.stringify(sub)}.`,\n });\n }\n};\n\nexport const assertAuthorizedPartiesClaim = (azp?: string, authorizedParties?: string[]) => {\n if (!azp || !authorizedParties || authorizedParties.length === 0) {\n return;\n }\n\n if (!authorizedParties.includes(azp)) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalidAuthorizedParties,\n message: `Invalid JWT Authorized party claim (azp) ${JSON.stringify(azp)}. Expected \"${authorizedParties}\".`,\n });\n }\n};\n\nexport const assertExpirationClaim = (exp: number, clockSkewInMs: number) => {\n if (typeof exp !== 'number') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT expiry date claim (exp) ${JSON.stringify(exp)}. Expected number.`,\n });\n }\n\n const currentDate = new Date(Date.now());\n const expiryDate = new Date(0);\n expiryDate.setUTCSeconds(exp);\n\n const expired = expiryDate.getTime() <= currentDate.getTime() - clockSkewInMs;\n if (expired) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenExpired,\n message: `JWT is expired. Expiry date: ${expiryDate.toUTCString()}, Current date: ${currentDate.toUTCString()}.`,\n });\n }\n};\n\nexport const assertActivationClaim = (nbf: number | undefined, clockSkewInMs: number) => {\n if (typeof nbf === 'undefined') {\n return;\n }\n\n if (typeof nbf !== 'number') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT not before date claim (nbf) ${JSON.stringify(nbf)}. Expected number.`,\n });\n }\n\n const currentDate = new Date(Date.now());\n const notBeforeDate = new Date(0);\n notBeforeDate.setUTCSeconds(nbf);\n\n const early = notBeforeDate.getTime() > currentDate.getTime() + clockSkewInMs;\n if (early) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenNotActiveYet,\n message: `JWT cannot be used prior to not before date claim (nbf). Not before date: ${notBeforeDate.toUTCString()}; Current date: ${currentDate.toUTCString()};`,\n });\n }\n};\n\nexport const assertIssuedAtClaim = (iat: number | undefined, clockSkewInMs: number) => {\n if (typeof iat === 'undefined') {\n return;\n }\n\n if (typeof iat !== 'number') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT issued at date claim (iat) ${JSON.stringify(iat)}. Expected number.`,\n });\n }\n\n const currentDate = new Date(Date.now());\n const issuedAtDate = new Date(0);\n issuedAtDate.setUTCSeconds(iat);\n\n const postIssued = issuedAtDate.getTime() > currentDate.getTime() + clockSkewInMs;\n if (postIssued) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenIatInTheFuture,\n message: `JWT issued at date claim (iat) is in the future. Issued at date: ${issuedAtDate.toUTCString()}; Current date: ${currentDate.toUTCString()};`,\n });\n }\n};\n","import { isomorphicAtob } from '@clerk/shared/isomorphicAtob';\n\nimport { runtime } from '../runtime';\n\n// https://developer.mozilla.org/en-US/docs/Web/API/SubtleCrypto/importKey#pkcs_8_import\nfunction pemToBuffer(secret: string): ArrayBuffer {\n const trimmed = secret\n .replace(/-----BEGIN.*?-----/g, '')\n .replace(/-----END.*?-----/g, '')\n .replace(/\\s/g, '');\n\n const decoded = isomorphicAtob(trimmed);\n\n const buffer = new ArrayBuffer(decoded.length);\n const bufView = new Uint8Array(buffer);\n\n for (let i = 0, strLen = decoded.length; i < strLen; i++) {\n bufView[i] = decoded.charCodeAt(i);\n }\n\n return bufView;\n}\n\nexport function importKey(\n key: JsonWebKey | string,\n algorithm: RsaHashedImportParams,\n keyUsage: 'verify' | 'sign',\n): Promise {\n if (typeof key === 'object') {\n return runtime.crypto.subtle.importKey('jwk', key, algorithm, false, [keyUsage]);\n }\n\n const keyData = pemToBuffer(key);\n const format = keyUsage === 'sign' ? 'pkcs8' : 'spki';\n\n return runtime.crypto.subtle.importKey(format, keyData, algorithm, false, [keyUsage]);\n}\n","import type { Jwt, JwtPayload } from '@clerk/types';\n\nimport { TokenVerificationError, TokenVerificationErrorAction, TokenVerificationErrorReason } from '../errors';\nimport { runtime } from '../runtime';\nimport { base64url } from '../util/rfc4648';\nimport { getCryptoAlgorithm } from './algorithms';\nimport {\n assertActivationClaim,\n assertAudienceClaim,\n assertAuthorizedPartiesClaim,\n assertExpirationClaim,\n assertHeaderAlgorithm,\n assertHeaderType,\n assertIssuedAtClaim,\n assertSubClaim,\n} from './assertions';\nimport { importKey } from './cryptoKeys';\nimport type { JwtReturnType } from './types';\n\nconst DEFAULT_CLOCK_SKEW_IN_SECONDS = 5 * 1000;\n\nexport async function hasValidSignature(jwt: Jwt, key: JsonWebKey | string): Promise> {\n const { header, signature, raw } = jwt;\n const encoder = new TextEncoder();\n const data = encoder.encode([raw.header, raw.payload].join('.'));\n const algorithm = getCryptoAlgorithm(header.alg);\n\n try {\n const cryptoKey = await importKey(key, algorithm, 'verify');\n\n const verified = await runtime.crypto.subtle.verify(algorithm.name, cryptoKey, signature, data);\n return { data: verified };\n } catch (error) {\n return {\n errors: [\n new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalidSignature,\n message: (error as Error)?.message,\n }),\n ],\n };\n }\n}\n\nexport function decodeJwt(token: string): JwtReturnType {\n const tokenParts = (token || '').toString().split('.');\n if (tokenParts.length !== 3) {\n return {\n errors: [\n new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalid,\n message: `Invalid JWT form. A JWT consists of three parts separated by dots.`,\n }),\n ],\n };\n }\n\n const [rawHeader, rawPayload, rawSignature] = tokenParts;\n\n const decoder = new TextDecoder();\n\n // To verify a JWS with SubtleCrypto you need to be careful to encode and decode\n // the data properly between binary and base64url representation. Unfortunately\n // the standard implementation in the V8 of btoa() and atob() are difficult to\n // work with as they use \"a Unicode string containing only characters in the\n // range U+0000 to U+00FF, each representing a binary byte with values 0x00 to\n // 0xFF respectively\" as the representation of binary data.\n\n // A better solution to represent binary data in Javascript is to use ES6 TypedArray\n // and use a Javascript library to convert them to base64url that honors RFC 4648.\n\n // Side note: The difference between base64 and base64url is the characters selected\n // for value 62 and 63 in the standard, base64 encode them to + and / while base64url\n // encode - and _.\n\n // More info at https://stackoverflow.com/questions/54062583/how-to-verify-a-signed-jwt-with-subtlecrypto-of-the-web-crypto-API\n const header = JSON.parse(decoder.decode(base64url.parse(rawHeader, { loose: true })));\n const payload = JSON.parse(decoder.decode(base64url.parse(rawPayload, { loose: true })));\n const signature = base64url.parse(rawSignature, { loose: true });\n\n const data = {\n header,\n payload,\n signature,\n raw: {\n header: rawHeader,\n payload: rawPayload,\n signature: rawSignature,\n text: token,\n },\n } satisfies Jwt;\n\n return { data };\n}\n\nexport type VerifyJwtOptions = {\n /**\n * A string or list of [audiences](https://datatracker.ietf.org/doc/html/rfc7519#section-4.1.3). If passed, it is checked against the `aud` claim in the token.\n */\n audience?: string | string[];\n /**\n * An allowlist of origins to verify against, to protect your application from the subdomain cookie leaking attack.\n * @example\n * ```ts\n * authorizedParties: ['http://localhost:3000', 'https://example.com']\n * ```\n */\n authorizedParties?: string[];\n /**\n * Specifies the allowed time difference (in milliseconds) between the Clerk server (which generates the token) and the clock of the user's application server when validating a token. Defaults to 5000 ms (5 seconds).\n */\n clockSkewInMs?: number;\n /**\n * @internal\n */\n key: JsonWebKey | string;\n};\n\nexport async function verifyJwt(\n token: string,\n options: VerifyJwtOptions,\n): Promise> {\n const { audience, authorizedParties, clockSkewInMs, key } = options;\n const clockSkew = clockSkewInMs || DEFAULT_CLOCK_SKEW_IN_SECONDS;\n\n const { data: decoded, errors } = decodeJwt(token);\n if (errors) {\n return { errors };\n }\n\n const { header, payload } = decoded;\n try {\n // Header verifications\n const { typ, alg } = header;\n\n assertHeaderType(typ);\n assertHeaderAlgorithm(alg);\n\n // Payload verifications\n const { azp, sub, aud, iat, exp, nbf } = payload;\n\n assertSubClaim(sub);\n assertAudienceClaim([aud], [audience]);\n assertAuthorizedPartiesClaim(azp, authorizedParties);\n assertExpirationClaim(exp, clockSkew);\n assertActivationClaim(nbf, clockSkew);\n assertIssuedAtClaim(iat, clockSkew);\n } catch (err) {\n return { errors: [err as TokenVerificationError] };\n }\n\n const { data: signatureValid, errors: signatureErrors } = await hasValidSignature(decoded, key);\n if (signatureErrors) {\n return {\n errors: [\n new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Error verifying JWT signature. ${signatureErrors[0]}`,\n }),\n ],\n };\n }\n\n if (!signatureValid) {\n return {\n errors: [\n new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalidSignature,\n message: 'JWT signature is invalid.',\n }),\n ],\n };\n }\n\n return { data: payload };\n}\n","import { parsePublishableKey } from './shared';\n\nexport function assertValidSecretKey(val: unknown): asserts val is string {\n if (!val || typeof val !== 'string') {\n throw Error('Missing Clerk Secret Key. Go to https://dashboard.clerk.com and get your key for your instance.');\n }\n\n //TODO: Check if the key is invalid and throw error\n}\n\nexport function assertValidPublishableKey(val: unknown): asserts val is string {\n parsePublishableKey(val as string | undefined, { fatal: true });\n}\n","import type { Jwt } from '@clerk/types';\n\nimport { constants } from '../constants';\nimport { decodeJwt } from '../jwt/verifyJwt';\nimport { runtime } from '../runtime';\nimport { assertValidPublishableKey } from '../util/optionsAssertions';\nimport { getCookieSuffix, getSuffixedCookieName, parsePublishableKey } from '../util/shared';\nimport type { ClerkRequest } from './clerkRequest';\nimport type { AuthenticateRequestOptions } from './types';\n\ninterface AuthenticateContext extends AuthenticateRequestOptions {\n // header-based values\n sessionTokenInHeader: string | undefined;\n origin: string | undefined;\n host: string | undefined;\n forwardedHost: string | undefined;\n forwardedProto: string | undefined;\n referrer: string | undefined;\n userAgent: string | undefined;\n secFetchDest: string | undefined;\n accept: string | undefined;\n // cookie-based values\n sessionTokenInCookie: string | undefined;\n refreshTokenInCookie: string | undefined;\n clientUat: number;\n // handshake-related values\n devBrowserToken: string | undefined;\n handshakeToken: string | undefined;\n handshakeRedirectLoopCounter: number;\n // url derived from headers\n clerkUrl: URL;\n // enforce existence of the following props\n publishableKey: string;\n instanceType: string;\n frontendApi: string;\n}\n\n/**\n * All data required to authenticate a request.\n * This is the data we use to decide whether a request\n * is in a signed in or signed out state or if we need\n * to perform a handshake.\n */\nclass AuthenticateContext implements AuthenticateContext {\n /**\n * Retrieves the session token from either the cookie or the header.\n *\n * @returns {string | undefined} The session token if available, otherwise undefined.\n */\n public get sessionToken(): string | undefined {\n return this.sessionTokenInCookie || this.sessionTokenInHeader;\n }\n\n public constructor(\n private cookieSuffix: string,\n private clerkRequest: ClerkRequest,\n options: AuthenticateRequestOptions,\n ) {\n // Even though the options are assigned to this later in this function\n // we set the publishableKey here because it is being used in cookies/headers/handshake-values\n // as part of getMultipleAppsCookie\n this.initPublishableKeyValues(options);\n this.initHeaderValues();\n // initCookieValues should be used before initHandshakeValues because it depends on suffixedCookies\n this.initCookieValues();\n this.initHandshakeValues();\n Object.assign(this, options);\n this.clerkUrl = this.clerkRequest.clerkUrl;\n }\n\n public usesSuffixedCookies(): boolean {\n const suffixedClientUat = this.getSuffixedCookie(constants.Cookies.ClientUat);\n const clientUat = this.getCookie(constants.Cookies.ClientUat);\n const suffixedSession = this.getSuffixedCookie(constants.Cookies.Session) || '';\n const session = this.getCookie(constants.Cookies.Session) || '';\n\n // In the case of malformed session cookies (eg missing the iss claim), we should\n // use the un-suffixed cookies to return signed-out state instead of triggering\n // handshake\n if (session && !this.tokenHasIssuer(session)) {\n return false;\n }\n\n // If there's a token in un-suffixed, and it doesn't belong to this\n // instance, then we must trust suffixed\n if (session && !this.tokenBelongsToInstance(session)) {\n return true;\n }\n\n // If there are no suffixed cookies use un-suffixed\n if (!suffixedClientUat && !suffixedSession) {\n return false;\n }\n\n const { data: sessionData } = decodeJwt(session);\n const sessionIat = sessionData?.payload.iat || 0;\n const { data: suffixedSessionData } = decodeJwt(suffixedSession);\n const suffixedSessionIat = suffixedSessionData?.payload.iat || 0;\n\n // Both indicate signed in, but un-suffixed is newer\n // Trust un-suffixed because it's newer\n if (suffixedClientUat !== '0' && clientUat !== '0' && sessionIat > suffixedSessionIat) {\n return false;\n }\n\n // Suffixed indicates signed out, but un-suffixed indicates signed in\n // Trust un-suffixed because it gets set with both new and old clerk.js,\n // so we can assume it's newer\n if (suffixedClientUat === '0' && clientUat !== '0') {\n return false;\n }\n\n // Suffixed indicates signed in, un-suffixed indicates signed out\n // This is the tricky one\n\n // In production, suffixed_uat should be set reliably, since it's\n // set by FAPI and not clerk.js. So in the scenario where a developer\n // downgrades, the state will look like this:\n // - un-suffixed session cookie: empty\n // - un-suffixed uat: 0\n // - suffixed session cookie: (possibly filled, possibly empty)\n // - suffixed uat: 0\n\n // Our SDK honors client_uat over the session cookie, so we don't\n // need a special case for production. We can rely on suffixed,\n // and the fact that the suffixed uat is set properly means and\n // suffixed session cookie will be ignored.\n\n // The important thing to make sure we have a test that confirms\n // the user ends up as signed out in this scenario, and the suffixed\n // session cookie is ignored\n\n // In development, suffixed_uat is not set reliably, since it's done\n // by clerk.js. If the developer downgrades to a pinned version of\n // clerk.js, the suffixed uat will no longer be updated\n\n // The best we can do is look to see if the suffixed token is expired.\n // This means that, if a developer downgrades, and then immediately\n // signs out, all in the span of 1 minute, then they will inadvertently\n // remain signed in for the rest of that minute. This is a known\n // limitation of the strategy but seems highly unlikely.\n if (this.instanceType !== 'production') {\n const isSuffixedSessionExpired = this.sessionExpired(suffixedSessionData);\n if (suffixedClientUat !== '0' && clientUat === '0' && isSuffixedSessionExpired) {\n return false;\n }\n }\n\n // If a suffixed session cookie exists but the corresponding client_uat cookie is missing, fallback to using\n // unsuffixed cookies.\n // This handles the scenario where an app has been deployed using an SDK version that supports suffixed\n // cookies, but FAPI for its Clerk instance has the feature disabled (eg: if we need to temporarily disable the feature).\n if (!suffixedClientUat && suffixedSession) {\n return false;\n }\n\n return true;\n }\n\n private initPublishableKeyValues(options: AuthenticateRequestOptions) {\n assertValidPublishableKey(options.publishableKey);\n this.publishableKey = options.publishableKey;\n\n const pk = parsePublishableKey(this.publishableKey, {\n fatal: true,\n proxyUrl: options.proxyUrl,\n domain: options.domain,\n });\n this.instanceType = pk.instanceType;\n this.frontendApi = pk.frontendApi;\n }\n\n private initHeaderValues() {\n this.sessionTokenInHeader = this.stripAuthorizationHeader(this.getHeader(constants.Headers.Authorization));\n this.origin = this.getHeader(constants.Headers.Origin);\n this.host = this.getHeader(constants.Headers.Host);\n this.forwardedHost = this.getHeader(constants.Headers.ForwardedHost);\n this.forwardedProto =\n this.getHeader(constants.Headers.CloudFrontForwardedProto) || this.getHeader(constants.Headers.ForwardedProto);\n this.referrer = this.getHeader(constants.Headers.Referrer);\n this.userAgent = this.getHeader(constants.Headers.UserAgent);\n this.secFetchDest = this.getHeader(constants.Headers.SecFetchDest);\n this.accept = this.getHeader(constants.Headers.Accept);\n }\n\n private initCookieValues() {\n // suffixedCookies needs to be set first because it's used in getMultipleAppsCookie\n this.sessionTokenInCookie = this.getSuffixedOrUnSuffixedCookie(constants.Cookies.Session);\n this.refreshTokenInCookie = this.getSuffixedCookie(constants.Cookies.Refresh);\n this.clientUat = Number.parseInt(this.getSuffixedOrUnSuffixedCookie(constants.Cookies.ClientUat) || '') || 0;\n }\n\n private initHandshakeValues() {\n this.devBrowserToken =\n this.getQueryParam(constants.QueryParameters.DevBrowser) ||\n this.getSuffixedOrUnSuffixedCookie(constants.Cookies.DevBrowser);\n // Using getCookie since we don't suffix the handshake token cookie\n this.handshakeToken =\n this.getQueryParam(constants.QueryParameters.Handshake) || this.getCookie(constants.Cookies.Handshake);\n this.handshakeRedirectLoopCounter = Number(this.getCookie(constants.Cookies.RedirectCount)) || 0;\n }\n\n private stripAuthorizationHeader(authValue: string | undefined | null): string | undefined {\n return authValue?.replace('Bearer ', '');\n }\n\n private getQueryParam(name: string) {\n return this.clerkRequest.clerkUrl.searchParams.get(name);\n }\n\n private getHeader(name: string) {\n return this.clerkRequest.headers.get(name) || undefined;\n }\n\n private getCookie(name: string) {\n return this.clerkRequest.cookies.get(name) || undefined;\n }\n\n private getSuffixedCookie(name: string) {\n return this.getCookie(getSuffixedCookieName(name, this.cookieSuffix)) || undefined;\n }\n\n private getSuffixedOrUnSuffixedCookie(cookieName: string) {\n if (this.usesSuffixedCookies()) {\n return this.getSuffixedCookie(cookieName);\n }\n return this.getCookie(cookieName);\n }\n\n private tokenHasIssuer(token: string): boolean {\n const { data, errors } = decodeJwt(token);\n if (errors) {\n return false;\n }\n return !!data.payload.iss;\n }\n\n private tokenBelongsToInstance(token: string): boolean {\n if (!token) {\n return false;\n }\n\n const { data, errors } = decodeJwt(token);\n if (errors) {\n return false;\n }\n const tokenIssuer = data.payload.iss.replace(/https?:\\/\\//gi, '');\n return this.frontendApi === tokenIssuer;\n }\n\n private sessionExpired(jwt: Jwt | undefined): boolean {\n return !!jwt && jwt?.payload.exp <= (Date.now() / 1000) >> 0;\n }\n}\n\nexport type { AuthenticateContext };\n\nexport const createAuthenticateContext = async (\n clerkRequest: ClerkRequest,\n options: AuthenticateRequestOptions,\n): Promise => {\n const cookieSuffix = options.publishableKey\n ? await getCookieSuffix(options.publishableKey, runtime.crypto.subtle)\n : '';\n return new AuthenticateContext(cookieSuffix, clerkRequest, options);\n};\n","import { createCheckAuthorization } from '@clerk/shared/authorization';\nimport type {\n ActClaim,\n CheckAuthorizationFromSessionClaims,\n JwtPayload,\n OrganizationCustomPermissionKey,\n OrganizationCustomRoleKey,\n ServerGetToken,\n ServerGetTokenOptions,\n} from '@clerk/types';\n\nimport type { CreateBackendApiOptions } from '../api';\nimport { createBackendApiClient } from '../api';\nimport type { AuthenticateContext } from './authenticateContext';\n\ntype AuthObjectDebugData = Record;\ntype AuthObjectDebug = () => AuthObjectDebugData;\n\n/**\n * @internal\n */\nexport type SignedInAuthObjectOptions = CreateBackendApiOptions & {\n token: string;\n};\n\n/**\n * @internal\n */\nexport type SignedInAuthObject = {\n sessionClaims: JwtPayload;\n sessionId: string;\n actor: ActClaim | undefined;\n userId: string;\n orgId: string | undefined;\n orgRole: OrganizationCustomRoleKey | undefined;\n orgSlug: string | undefined;\n orgPermissions: OrganizationCustomPermissionKey[] | undefined;\n /**\n * Factor Verification Age\n * Each item represents the minutes that have passed since the last time a first or second factor were verified.\n * [fistFactorAge, secondFactorAge]\n */\n factorVerificationAge: [firstFactorAge: number, secondFactorAge: number] | null;\n getToken: ServerGetToken;\n has: CheckAuthorizationFromSessionClaims;\n debug: AuthObjectDebug;\n};\n\n/**\n * @internal\n */\nexport type SignedOutAuthObject = {\n sessionClaims: null;\n sessionId: null;\n actor: null;\n userId: null;\n orgId: null;\n orgRole: null;\n orgSlug: null;\n orgPermissions: null;\n /**\n * Factor Verification Age\n * Each item represents the minutes that have passed since the last time a first or second factor were verified.\n * [fistFactorAge, secondFactorAge]\n */\n factorVerificationAge: null;\n getToken: ServerGetToken;\n has: CheckAuthorizationFromSessionClaims;\n debug: AuthObjectDebug;\n};\n\n/**\n * @internal\n */\nexport type AuthObject = SignedInAuthObject | SignedOutAuthObject;\n\nconst createDebug = (data: AuthObjectDebugData | undefined) => {\n return () => {\n const res = { ...data };\n res.secretKey = (res.secretKey || '').substring(0, 7);\n res.jwtKey = (res.jwtKey || '').substring(0, 7);\n return { ...res };\n };\n};\n\n/**\n * @internal\n */\nexport function signedInAuthObject(\n authenticateContext: AuthenticateContext,\n sessionToken: string,\n sessionClaims: JwtPayload,\n): SignedInAuthObject {\n const {\n act: actor,\n sid: sessionId,\n org_id: orgId,\n org_role: orgRole,\n org_slug: orgSlug,\n org_permissions: orgPermissions,\n sub: userId,\n fva,\n } = sessionClaims;\n const apiClient = createBackendApiClient(authenticateContext);\n const getToken = createGetToken({\n sessionId,\n sessionToken,\n fetcher: async (...args) => (await apiClient.sessions.getToken(...args)).jwt,\n });\n\n // fva can be undefined for instances that have not opt-in\n const factorVerificationAge = fva ?? null;\n\n return {\n actor,\n sessionClaims,\n sessionId,\n userId,\n orgId,\n orgRole,\n orgSlug,\n orgPermissions,\n factorVerificationAge,\n getToken,\n has: createCheckAuthorization({ orgId, orgRole, orgPermissions, userId, factorVerificationAge }),\n debug: createDebug({ ...authenticateContext, sessionToken }),\n };\n}\n\n/**\n * @internal\n */\nexport function signedOutAuthObject(debugData?: AuthObjectDebugData): SignedOutAuthObject {\n return {\n sessionClaims: null,\n sessionId: null,\n userId: null,\n actor: null,\n orgId: null,\n orgRole: null,\n orgSlug: null,\n orgPermissions: null,\n factorVerificationAge: null,\n getToken: () => Promise.resolve(null),\n has: () => false,\n debug: createDebug(debugData),\n };\n}\n\n/**\n * Auth objects moving through the server -> client boundary need to be serializable\n * as we need to ensure that they can be transferred via the network as pure strings.\n * Some frameworks like Remix or Next (/pages dir only) handle this serialization by simply\n * ignoring any non-serializable keys, however Nextjs /app directory is stricter and\n * throws an error if a non-serializable value is found.\n * @internal\n */\nexport const makeAuthObjectSerializable = >(obj: T): T => {\n // remove any non-serializable props from the returned object\n\n const { debug, getToken, has, ...rest } = obj as unknown as AuthObject;\n return rest as unknown as T;\n};\n\ntype TokenFetcher = (sessionId: string, template: string) => Promise;\n\ntype CreateGetToken = (params: { sessionId: string; sessionToken: string; fetcher: TokenFetcher }) => ServerGetToken;\n\nconst createGetToken: CreateGetToken = params => {\n const { fetcher, sessionToken, sessionId } = params || {};\n\n return async (options: ServerGetTokenOptions = {}) => {\n if (!sessionId) {\n return null;\n }\n\n if (options.template) {\n return fetcher(sessionId, options.template);\n }\n\n return sessionToken;\n };\n};\n","const SEPARATOR = '/';\nconst MULTIPLE_SEPARATOR_REGEX = new RegExp('(? p)\n .join(SEPARATOR)\n .replace(MULTIPLE_SEPARATOR_REGEX, SEPARATOR);\n}\n","import type { RequestFunction } from '../request';\n\nexport abstract class AbstractAPI {\n constructor(protected request: RequestFunction) {}\n\n protected requireId(id: string) {\n if (!id) {\n throw new Error('A valid resource ID is required.');\n }\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { AccountlessApplication } from '../resources/AccountlessApplication';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/accountless_applications';\n\nexport class AccountlessApplicationAPI extends AbstractAPI {\n public async createAccountlessApplication() {\n return this.request({\n method: 'POST',\n path: basePath,\n });\n }\n\n public async completeAccountlessApplicationOnboarding() {\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, 'complete'),\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { AllowlistIdentifier } from '../resources/AllowlistIdentifier';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/allowlist_identifiers';\n\ntype AllowlistIdentifierCreateParams = {\n identifier: string;\n notify: boolean;\n};\n\nexport class AllowlistIdentifierAPI extends AbstractAPI {\n public async getAllowlistIdentifierList() {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: { paginated: true },\n });\n }\n\n public async createAllowlistIdentifier(params: AllowlistIdentifierCreateParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async deleteAllowlistIdentifier(allowlistIdentifierId: string) {\n this.requireId(allowlistIdentifierId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, allowlistIdentifierId),\n });\n }\n}\n","import type { ClerkPaginationRequest } from '@clerk/types';\n\nimport { joinPaths } from '../../util/path';\nimport type { Client } from '../resources/Client';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/clients';\n\nexport class ClientAPI extends AbstractAPI {\n public async getClientList(params: ClerkPaginationRequest = {}) {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: { ...params, paginated: true },\n });\n }\n\n public async getClient(clientId: string) {\n this.requireId(clientId);\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, clientId),\n });\n }\n\n public verifyClient(token: string) {\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, 'verify'),\n bodyParams: { token },\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { DeletedObject } from '../resources/DeletedObject';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/domains';\n\nexport class DomainAPI extends AbstractAPI {\n public async deleteDomain(id: string) {\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, id),\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { DeletedObject, EmailAddress } from '../resources';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/email_addresses';\n\ntype CreateEmailAddressParams = {\n userId: string;\n emailAddress: string;\n verified?: boolean;\n primary?: boolean;\n};\n\ntype UpdateEmailAddressParams = {\n verified?: boolean;\n primary?: boolean;\n};\n\nexport class EmailAddressAPI extends AbstractAPI {\n public async getEmailAddress(emailAddressId: string) {\n this.requireId(emailAddressId);\n\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, emailAddressId),\n });\n }\n\n public async createEmailAddress(params: CreateEmailAddressParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async updateEmailAddress(emailAddressId: string, params: UpdateEmailAddressParams = {}) {\n this.requireId(emailAddressId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, emailAddressId),\n bodyParams: params,\n });\n }\n\n public async deleteEmailAddress(emailAddressId: string) {\n this.requireId(emailAddressId);\n\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, emailAddressId),\n });\n }\n}\n","import type { ClerkPaginationRequest } from '@clerk/types';\n\nimport { joinPaths } from '../../util/path';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport type { Invitation } from '../resources/Invitation';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/invitations';\n\ntype CreateParams = {\n emailAddress: string;\n redirectUrl?: string;\n publicMetadata?: UserPublicMetadata;\n notify?: boolean;\n ignoreExisting?: boolean;\n};\n\ntype GetInvitationListParams = ClerkPaginationRequest<{\n /**\n * Filters invitations based on their status(accepted, pending, revoked).\n *\n * @example\n * Get all revoked invitations\n * ```ts\n * import { createClerkClient } from '@clerk/backend';\n * const clerkClient = createClerkClient(...)\n * await clerkClient.invitations.getInvitationList({ status: 'revoked' })\n * ```\n */\n status?: 'accepted' | 'pending' | 'revoked';\n /**\n * Filters invitations based on `email_address` or `id`.\n *\n * @example\n * Get all invitations for a specific email address\n * ```ts\n * import { createClerkClient } from '@clerk/backend';\n * const clerkClient = createClerkClient(...)\n * await clerkClient.invitations.getInvitationList({ query: 'user@example.com' })\n * ```\n */\n query?: string;\n}>;\n\nexport class InvitationAPI extends AbstractAPI {\n public async getInvitationList(params: GetInvitationListParams = {}) {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: { ...params, paginated: true },\n });\n }\n\n public async createInvitation(params: CreateParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async revokeInvitation(invitationId: string) {\n this.requireId(invitationId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, invitationId, 'revoke'),\n });\n }\n}\n","import type { ClerkPaginationRequest, OrganizationEnrollmentMode } from '@clerk/types';\n\nimport { runtime } from '../../runtime';\nimport { joinPaths } from '../../util/path';\nimport type {\n Organization,\n OrganizationDomain,\n OrganizationInvitation,\n OrganizationInvitationStatus,\n OrganizationMembership,\n} from '../resources';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport type { OrganizationMembershipRole } from '../resources/Enums';\nimport { AbstractAPI } from './AbstractApi';\nimport type { WithSign } from './util-types';\n\nconst basePath = '/organizations';\n\ntype MetadataParams = {\n publicMetadata?: TPublic;\n privateMetadata?: TPrivate;\n};\n\ntype GetOrganizationListParams = ClerkPaginationRequest<{\n includeMembersCount?: boolean;\n query?: string;\n orderBy?: WithSign<'name' | 'created_at' | 'members_count'>;\n organizationId?: string[];\n}>;\n\ntype CreateParams = {\n name: string;\n slug?: string;\n /* The User id for the user creating the organization. The user will become an administrator for the organization. */\n createdBy?: string;\n maxAllowedMemberships?: number;\n} & MetadataParams;\n\ntype GetOrganizationParams = ({ organizationId: string } | { slug: string }) & {\n includeMembersCount?: boolean;\n};\n\ntype UpdateParams = {\n name?: string;\n slug?: string;\n maxAllowedMemberships?: number;\n} & MetadataParams;\n\ntype UpdateLogoParams = {\n file: Blob | File;\n uploaderUserId?: string;\n};\n\ntype UpdateMetadataParams = MetadataParams;\n\ntype GetOrganizationMembershipListParams = ClerkPaginationRequest<{\n organizationId: string;\n orderBy?: WithSign<'phone_number' | 'email_address' | 'created_at' | 'first_name' | 'last_name' | 'username'>;\n}>;\n\ntype CreateOrganizationMembershipParams = {\n organizationId: string;\n userId: string;\n role: OrganizationMembershipRole;\n};\n\ntype UpdateOrganizationMembershipParams = CreateOrganizationMembershipParams;\n\ntype UpdateOrganizationMembershipMetadataParams = {\n organizationId: string;\n userId: string;\n} & MetadataParams;\n\ntype DeleteOrganizationMembershipParams = {\n organizationId: string;\n userId: string;\n};\n\ntype CreateOrganizationInvitationParams = {\n organizationId: string;\n inviterUserId: string;\n emailAddress: string;\n role: OrganizationMembershipRole;\n redirectUrl?: string;\n publicMetadata?: OrganizationInvitationPublicMetadata;\n};\n\ntype GetOrganizationInvitationListParams = ClerkPaginationRequest<{\n organizationId: string;\n status?: OrganizationInvitationStatus[];\n}>;\n\ntype GetOrganizationInvitationParams = {\n organizationId: string;\n invitationId: string;\n};\n\ntype RevokeOrganizationInvitationParams = {\n organizationId: string;\n invitationId: string;\n requestingUserId: string;\n};\n\ntype GetOrganizationDomainListParams = {\n organizationId: string;\n limit?: number;\n offset?: number;\n};\n\ntype CreateOrganizationDomainParams = {\n organizationId: string;\n name: string;\n enrollmentMode: OrganizationEnrollmentMode;\n verified?: boolean;\n};\n\ntype UpdateOrganizationDomainParams = {\n organizationId: string;\n domainId: string;\n} & Partial;\n\ntype DeleteOrganizationDomainParams = {\n organizationId: string;\n domainId: string;\n};\n\nexport class OrganizationAPI extends AbstractAPI {\n public async getOrganizationList(params?: GetOrganizationListParams) {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: params,\n });\n }\n\n public async createOrganization(params: CreateParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async getOrganization(params: GetOrganizationParams) {\n const { includeMembersCount } = params;\n const organizationIdOrSlug = 'organizationId' in params ? params.organizationId : params.slug;\n this.requireId(organizationIdOrSlug);\n\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, organizationIdOrSlug),\n queryParams: {\n includeMembersCount,\n },\n });\n }\n\n public async updateOrganization(organizationId: string, params: UpdateParams) {\n this.requireId(organizationId);\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, organizationId),\n bodyParams: params,\n });\n }\n\n public async updateOrganizationLogo(organizationId: string, params: UpdateLogoParams) {\n this.requireId(organizationId);\n\n const formData = new runtime.FormData();\n formData.append('file', params?.file);\n if (params?.uploaderUserId) {\n formData.append('uploader_user_id', params?.uploaderUserId);\n }\n\n return this.request({\n method: 'PUT',\n path: joinPaths(basePath, organizationId, 'logo'),\n formData,\n });\n }\n\n public async deleteOrganizationLogo(organizationId: string) {\n this.requireId(organizationId);\n\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, organizationId, 'logo'),\n });\n }\n\n public async updateOrganizationMetadata(organizationId: string, params: UpdateMetadataParams) {\n this.requireId(organizationId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, organizationId, 'metadata'),\n bodyParams: params,\n });\n }\n\n public async deleteOrganization(organizationId: string) {\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, organizationId),\n });\n }\n\n public async getOrganizationMembershipList(params: GetOrganizationMembershipListParams) {\n const { organizationId, ...queryParams } = params;\n this.requireId(organizationId);\n\n return this.request>({\n method: 'GET',\n path: joinPaths(basePath, organizationId, 'memberships'),\n queryParams,\n });\n }\n\n public async createOrganizationMembership(params: CreateOrganizationMembershipParams) {\n const { organizationId, ...bodyParams } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, organizationId, 'memberships'),\n bodyParams,\n });\n }\n\n public async updateOrganizationMembership(params: UpdateOrganizationMembershipParams) {\n const { organizationId, userId, ...bodyParams } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, organizationId, 'memberships', userId),\n bodyParams,\n });\n }\n\n public async updateOrganizationMembershipMetadata(params: UpdateOrganizationMembershipMetadataParams) {\n const { organizationId, userId, ...bodyParams } = params;\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, organizationId, 'memberships', userId, 'metadata'),\n bodyParams,\n });\n }\n\n public async deleteOrganizationMembership(params: DeleteOrganizationMembershipParams) {\n const { organizationId, userId } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, organizationId, 'memberships', userId),\n });\n }\n\n public async getOrganizationInvitationList(params: GetOrganizationInvitationListParams) {\n const { organizationId, ...queryParams } = params;\n this.requireId(organizationId);\n\n return this.request>({\n method: 'GET',\n path: joinPaths(basePath, organizationId, 'invitations'),\n queryParams,\n });\n }\n\n public async createOrganizationInvitation(params: CreateOrganizationInvitationParams) {\n const { organizationId, ...bodyParams } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, organizationId, 'invitations'),\n bodyParams,\n });\n }\n\n public async getOrganizationInvitation(params: GetOrganizationInvitationParams) {\n const { organizationId, invitationId } = params;\n this.requireId(organizationId);\n this.requireId(invitationId);\n\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, organizationId, 'invitations', invitationId),\n });\n }\n\n public async revokeOrganizationInvitation(params: RevokeOrganizationInvitationParams) {\n const { organizationId, invitationId, ...bodyParams } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, organizationId, 'invitations', invitationId, 'revoke'),\n bodyParams,\n });\n }\n\n public async getOrganizationDomainList(params: GetOrganizationDomainListParams) {\n const { organizationId, ...queryParams } = params;\n this.requireId(organizationId);\n\n return this.request>({\n method: 'GET',\n path: joinPaths(basePath, organizationId, 'domains'),\n queryParams,\n });\n }\n\n public async createOrganizationDomain(params: CreateOrganizationDomainParams) {\n const { organizationId, ...bodyParams } = params;\n this.requireId(organizationId);\n\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, organizationId, 'domains'),\n bodyParams: {\n ...bodyParams,\n verified: bodyParams.verified ?? true,\n },\n });\n }\n\n public async updateOrganizationDomain(params: UpdateOrganizationDomainParams) {\n const { organizationId, domainId, ...bodyParams } = params;\n this.requireId(organizationId);\n this.requireId(domainId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, organizationId, 'domains', domainId),\n bodyParams,\n });\n }\n\n public async deleteOrganizationDomain(params: DeleteOrganizationDomainParams) {\n const { organizationId, domainId } = params;\n this.requireId(organizationId);\n this.requireId(domainId);\n\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, organizationId, 'domains', domainId),\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { DeletedObject, PhoneNumber } from '../resources';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/phone_numbers';\n\ntype CreatePhoneNumberParams = {\n userId: string;\n phoneNumber: string;\n verified?: boolean;\n primary?: boolean;\n reservedForSecondFactor?: boolean;\n};\n\ntype UpdatePhoneNumberParams = {\n verified?: boolean;\n primary?: boolean;\n reservedForSecondFactor?: boolean;\n};\n\nexport class PhoneNumberAPI extends AbstractAPI {\n public async getPhoneNumber(phoneNumberId: string) {\n this.requireId(phoneNumberId);\n\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, phoneNumberId),\n });\n }\n\n public async createPhoneNumber(params: CreatePhoneNumberParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async updatePhoneNumber(phoneNumberId: string, params: UpdatePhoneNumberParams = {}) {\n this.requireId(phoneNumberId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, phoneNumberId),\n bodyParams: params,\n });\n }\n\n public async deletePhoneNumber(phoneNumberId: string) {\n this.requireId(phoneNumberId);\n\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, phoneNumberId),\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport type { RedirectUrl } from '../resources/RedirectUrl';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/redirect_urls';\n\ntype CreateRedirectUrlParams = {\n url: string;\n};\n\nexport class RedirectUrlAPI extends AbstractAPI {\n public async getRedirectUrlList() {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: { paginated: true },\n });\n }\n\n public async getRedirectUrl(redirectUrlId: string) {\n this.requireId(redirectUrlId);\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, redirectUrlId),\n });\n }\n\n public async createRedirectUrl(params: CreateRedirectUrlParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async deleteRedirectUrl(redirectUrlId: string) {\n this.requireId(redirectUrlId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, redirectUrlId),\n });\n }\n}\n","import type { ClerkPaginationRequest, SessionStatus } from '@clerk/types';\n\nimport { joinPaths } from '../../util/path';\nimport type { Cookies } from '../resources/Cookies';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport type { Session } from '../resources/Session';\nimport type { Token } from '../resources/Token';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/sessions';\n\ntype SessionListParams = ClerkPaginationRequest<{\n clientId?: string;\n userId?: string;\n status?: SessionStatus;\n}>;\n\ntype RefreshTokenParams = {\n expired_token: string;\n refresh_token: string;\n request_origin: string;\n request_originating_ip?: string;\n request_headers?: Record;\n suffixed_cookies?: boolean;\n format?: 'token' | 'cookie';\n};\n\nexport class SessionAPI extends AbstractAPI {\n public async getSessionList(params: SessionListParams = {}) {\n return this.request>({\n method: 'GET',\n path: basePath,\n queryParams: { ...params, paginated: true },\n });\n }\n\n public async getSession(sessionId: string) {\n this.requireId(sessionId);\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, sessionId),\n });\n }\n\n public async revokeSession(sessionId: string) {\n this.requireId(sessionId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, sessionId, 'revoke'),\n });\n }\n\n public async verifySession(sessionId: string, token: string) {\n this.requireId(sessionId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, sessionId, 'verify'),\n bodyParams: { token },\n });\n }\n\n public async getToken(sessionId: string, template: string) {\n this.requireId(sessionId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, sessionId, 'tokens', template || ''),\n });\n }\n\n public async refreshSession(sessionId: string, params: RefreshTokenParams & { format: 'token' }): Promise;\n public async refreshSession(sessionId: string, params: RefreshTokenParams & { format: 'cookie' }): Promise;\n public async refreshSession(sessionId: string, params: RefreshTokenParams): Promise;\n public async refreshSession(sessionId: string, params: RefreshTokenParams): Promise {\n this.requireId(sessionId);\n const { suffixed_cookies, ...restParams } = params;\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, sessionId, 'refresh'),\n bodyParams: restParams,\n queryParams: { suffixed_cookies },\n });\n }\n}\n","import { joinPaths } from '../../util/path';\nimport type { SignInToken } from '../resources/SignInTokens';\nimport { AbstractAPI } from './AbstractApi';\n\ntype CreateSignInTokensParams = {\n userId: string;\n expiresInSeconds: number;\n};\n\nconst basePath = '/sign_in_tokens';\n\nexport class SignInTokenAPI extends AbstractAPI {\n public async createSignInToken(params: CreateSignInTokensParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async revokeSignInToken(signInTokenId: string) {\n this.requireId(signInTokenId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, signInTokenId, 'revoke'),\n });\n }\n}\n","import type { ClerkPaginationRequest, OAuthProvider } from '@clerk/types';\n\nimport { runtime } from '../../runtime';\nimport { joinPaths } from '../../util/path';\nimport { deprecated } from '../../util/shared';\nimport type { OauthAccessToken, OrganizationMembership, User } from '../resources';\nimport type { PaginatedResourceResponse } from '../resources/Deserializer';\nimport { AbstractAPI } from './AbstractApi';\nimport type { WithSign } from './util-types';\n\nconst basePath = '/users';\n\ntype UserCountParams = {\n emailAddress?: string[];\n phoneNumber?: string[];\n username?: string[];\n web3Wallet?: string[];\n query?: string;\n userId?: string[];\n externalId?: string[];\n};\n\ntype UserListParams = ClerkPaginationRequest<\n UserCountParams & {\n orderBy?: WithSign<\n | 'created_at'\n | 'updated_at'\n | 'email_address'\n | 'web3wallet'\n | 'first_name'\n | 'last_name'\n | 'phone_number'\n | 'username'\n | 'last_active_at'\n | 'last_sign_in_at'\n >;\n last_active_at_since?: number;\n organizationId?: string[];\n }\n>;\n\ntype UserMetadataParams = {\n publicMetadata?: UserPublicMetadata;\n privateMetadata?: UserPrivateMetadata;\n unsafeMetadata?: UserUnsafeMetadata;\n};\n\ntype PasswordHasher =\n | 'argon2i'\n | 'argon2id'\n | 'awscognito'\n | 'bcrypt'\n | 'bcrypt_sha256_django'\n | 'md5'\n | 'pbkdf2_sha256'\n | 'pbkdf2_sha256_django'\n | 'pbkdf2_sha1'\n | 'phpass'\n | 'scrypt_firebase'\n | 'scrypt_werkzeug'\n | 'sha256';\n\ntype UserPasswordHashingParams = {\n passwordDigest: string;\n passwordHasher: PasswordHasher;\n};\n\ntype CreateUserParams = {\n externalId?: string;\n emailAddress?: string[];\n phoneNumber?: string[];\n username?: string;\n password?: string;\n firstName?: string;\n lastName?: string;\n skipPasswordChecks?: boolean;\n skipPasswordRequirement?: boolean;\n skipLegalChecks?: boolean;\n legalAcceptedAt?: Date;\n totpSecret?: string;\n backupCodes?: string[];\n createdAt?: Date;\n} & UserMetadataParams &\n (UserPasswordHashingParams | object);\n\ntype UpdateUserParams = {\n firstName?: string;\n lastName?: string;\n username?: string;\n password?: string;\n skipPasswordChecks?: boolean;\n signOutOfOtherSessions?: boolean;\n primaryEmailAddressID?: string;\n primaryPhoneNumberID?: string;\n primaryWeb3WalletID?: string;\n profileImageID?: string;\n totpSecret?: string;\n backupCodes?: string[];\n externalId?: string;\n createdAt?: Date;\n skipLegalChecks?: boolean;\n legalAcceptedAt?: Date;\n deleteSelfEnabled?: boolean;\n createOrganizationEnabled?: boolean;\n createOrganizationsLimit?: number;\n} & UserMetadataParams &\n (UserPasswordHashingParams | object);\n\ntype GetOrganizationMembershipListParams = ClerkPaginationRequest<{\n userId: string;\n}>;\n\ntype VerifyPasswordParams = {\n userId: string;\n password: string;\n};\n\ntype VerifyTOTPParams = {\n userId: string;\n code: string;\n};\n\nexport class UserAPI extends AbstractAPI {\n public async getUserList(params: UserListParams = {}) {\n const { limit, offset, orderBy, ...userCountParams } = params;\n // TODO(dimkl): Temporary change to populate totalCount using a 2nd BAPI call to /users/count endpoint\n // until we update the /users endpoint to be paginated in a next BAPI version.\n // In some edge cases the data.length != totalCount due to a creation of a user between the 2 api responses\n const [data, totalCount] = await Promise.all([\n this.request({\n method: 'GET',\n path: basePath,\n queryParams: params,\n }),\n this.getCount(userCountParams),\n ]);\n return { data, totalCount } as PaginatedResourceResponse;\n }\n\n public async getUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, userId),\n });\n }\n\n public async createUser(params: CreateUserParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async updateUser(userId: string, params: UpdateUserParams = {}) {\n this.requireId(userId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, userId),\n bodyParams: params,\n });\n }\n\n public async updateUserProfileImage(userId: string, params: { file: Blob | File }) {\n this.requireId(userId);\n\n const formData = new runtime.FormData();\n formData.append('file', params?.file);\n\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, userId, 'profile_image'),\n formData,\n });\n }\n\n public async updateUserMetadata(userId: string, params: UserMetadataParams) {\n this.requireId(userId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, userId, 'metadata'),\n bodyParams: params,\n });\n }\n\n public async deleteUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, userId),\n });\n }\n\n public async getCount(params: UserCountParams = {}) {\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, 'count'),\n queryParams: params,\n });\n }\n\n /** @deprecated Please use getUserOauthAccessToken without the `oauth_` provider prefix . */\n public async getUserOauthAccessToken(\n userId: string,\n provider: `oauth_${OAuthProvider}`,\n ): Promise>;\n public async getUserOauthAccessToken(\n userId: string,\n provider: OAuthProvider,\n ): Promise>;\n public async getUserOauthAccessToken(userId: string, provider: `oauth_${OAuthProvider}` | OAuthProvider) {\n this.requireId(userId);\n const hasPrefix = provider.startsWith('oauth_');\n const _provider = hasPrefix ? provider : `oauth_${provider}`;\n\n if (hasPrefix) {\n deprecated(\n 'getUserOauthAccessToken(userId, provider)',\n 'Remove the `oauth_` prefix from the `provider` argument.',\n );\n }\n\n return this.request>({\n method: 'GET',\n path: joinPaths(basePath, userId, 'oauth_access_tokens', _provider),\n queryParams: { paginated: true },\n });\n }\n\n public async disableUserMFA(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, userId, 'mfa'),\n });\n }\n\n public async getOrganizationMembershipList(params: GetOrganizationMembershipListParams) {\n const { userId, limit, offset } = params;\n this.requireId(userId);\n\n return this.request>({\n method: 'GET',\n path: joinPaths(basePath, userId, 'organization_memberships'),\n queryParams: { limit, offset },\n });\n }\n\n public async verifyPassword(params: VerifyPasswordParams) {\n const { userId, password } = params;\n this.requireId(userId);\n\n return this.request<{ verified: true }>({\n method: 'POST',\n path: joinPaths(basePath, userId, 'verify_password'),\n bodyParams: { password },\n });\n }\n\n public async verifyTOTP(params: VerifyTOTPParams) {\n const { userId, code } = params;\n this.requireId(userId);\n\n return this.request<{ verified: true; code_type: 'totp' }>({\n method: 'POST',\n path: joinPaths(basePath, userId, 'verify_totp'),\n bodyParams: { code },\n });\n }\n\n public async banUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, userId, 'ban'),\n });\n }\n\n public async unbanUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, userId, 'unban'),\n });\n }\n\n public async lockUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, userId, 'lock'),\n });\n }\n\n public async unlockUser(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'POST',\n path: joinPaths(basePath, userId, 'unlock'),\n });\n }\n\n public async deleteUserProfileImage(userId: string) {\n this.requireId(userId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, userId, 'profile_image'),\n });\n }\n}\n","import type { SamlIdpSlug } from '@clerk/types';\n\nimport { joinPaths } from '../../util/path';\nimport type { SamlConnection } from '../resources';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/saml_connections';\n\ntype SamlConnectionListParams = {\n limit?: number;\n offset?: number;\n};\ntype CreateSamlConnectionParams = {\n name: string;\n provider: SamlIdpSlug;\n domain: string;\n organizationId?: string;\n idpEntityId?: string;\n idpSsoUrl?: string;\n idpCertificate?: string;\n idpMetadataUrl?: string;\n idpMetadata?: string;\n attributeMapping?: {\n emailAddress?: string;\n firstName?: string;\n lastName?: string;\n userId?: string;\n };\n};\n\ntype UpdateSamlConnectionParams = {\n name?: string;\n provider?: SamlIdpSlug;\n domain?: string;\n organizationId?: string;\n idpEntityId?: string;\n idpSsoUrl?: string;\n idpCertificate?: string;\n idpMetadataUrl?: string;\n idpMetadata?: string;\n attributeMapping?: {\n emailAddress?: string;\n firstName?: string;\n lastName?: string;\n userId?: string;\n };\n active?: boolean;\n syncUserAttributes?: boolean;\n allowSubdomains?: boolean;\n allowIdpInitiated?: boolean;\n};\n\nexport class SamlConnectionAPI extends AbstractAPI {\n public async getSamlConnectionList(params: SamlConnectionListParams = {}) {\n return this.request({\n method: 'GET',\n path: basePath,\n queryParams: params,\n });\n }\n\n public async createSamlConnection(params: CreateSamlConnectionParams) {\n return this.request({\n method: 'POST',\n path: basePath,\n bodyParams: params,\n });\n }\n\n public async getSamlConnection(samlConnectionId: string) {\n this.requireId(samlConnectionId);\n return this.request({\n method: 'GET',\n path: joinPaths(basePath, samlConnectionId),\n });\n }\n\n public async updateSamlConnection(samlConnectionId: string, params: UpdateSamlConnectionParams = {}) {\n this.requireId(samlConnectionId);\n\n return this.request({\n method: 'PATCH',\n path: joinPaths(basePath, samlConnectionId),\n bodyParams: params,\n });\n }\n public async deleteSamlConnection(samlConnectionId: string) {\n this.requireId(samlConnectionId);\n return this.request({\n method: 'DELETE',\n path: joinPaths(basePath, samlConnectionId),\n });\n }\n}\n","import type { TestingToken } from '../resources/TestingToken';\nimport { AbstractAPI } from './AbstractApi';\n\nconst basePath = '/testing_tokens';\n\nexport class TestingTokenAPI extends AbstractAPI {\n public async createTestingToken() {\n return this.request({\n method: 'POST',\n path: basePath,\n });\n }\n}\n","import { ClerkAPIResponseError, parseError } from '@clerk/shared/error';\nimport type { ClerkAPIError, ClerkAPIErrorJSON } from '@clerk/types';\nimport snakecaseKeys from 'snakecase-keys';\n\nimport { API_URL, API_VERSION, constants, SUPPORTED_BAPI_VERSION, USER_AGENT } from '../constants';\nimport { runtime } from '../runtime';\nimport { assertValidSecretKey } from '../util/optionsAssertions';\nimport { joinPaths } from '../util/path';\nimport { deserialize } from './resources/Deserializer';\n\nexport type ClerkBackendApiRequestOptions = {\n method: 'GET' | 'POST' | 'PATCH' | 'DELETE' | 'PUT';\n queryParams?: Record;\n headerParams?: Record;\n bodyParams?: Record;\n formData?: FormData;\n} & (\n | {\n url: string;\n path?: string;\n }\n | {\n url?: string;\n path: string;\n }\n);\n\nexport type ClerkBackendApiResponse =\n | {\n data: T;\n errors: null;\n totalCount?: number;\n }\n | {\n data: null;\n errors: ClerkAPIError[];\n totalCount?: never;\n clerkTraceId?: string;\n status?: number;\n statusText?: string;\n };\n\nexport type RequestFunction = ReturnType;\n\ntype BuildRequestOptions = {\n /* Secret Key */\n secretKey?: string;\n /* Backend API URL */\n apiUrl?: string;\n /* Backend API version */\n apiVersion?: string;\n /* Library/SDK name */\n userAgent?: string;\n /**\n * Allow requests without specifying a secret key. In most cases this should be set to `false`.\n * Defaults to `true`.\n */\n requireSecretKey?: boolean;\n};\nexport function buildRequest(options: BuildRequestOptions) {\n const requestFn = async (requestOptions: ClerkBackendApiRequestOptions): Promise> => {\n const {\n secretKey,\n requireSecretKey = true,\n apiUrl = API_URL,\n apiVersion = API_VERSION,\n userAgent = USER_AGENT,\n } = options;\n const { path, method, queryParams, headerParams, bodyParams, formData } = requestOptions;\n\n if (requireSecretKey) {\n assertValidSecretKey(secretKey);\n }\n\n const url = joinPaths(apiUrl, apiVersion, path);\n\n // Build final URL with search parameters\n const finalUrl = new URL(url);\n\n if (queryParams) {\n // Snakecase query parameters\n const snakecasedQueryParams = snakecaseKeys({ ...queryParams });\n\n // Support array values for queryParams such as { foo: [42, 43] }\n for (const [key, val] of Object.entries(snakecasedQueryParams)) {\n if (val) {\n [val].flat().forEach(v => finalUrl.searchParams.append(key, v as string));\n }\n }\n }\n\n // Build headers\n const headers: Record = {\n Authorization: `Bearer ${secretKey}`,\n 'Clerk-API-Version': SUPPORTED_BAPI_VERSION,\n 'User-Agent': userAgent,\n ...headerParams,\n };\n\n let res: Response | undefined;\n try {\n if (formData) {\n res = await runtime.fetch(finalUrl.href, {\n method,\n headers,\n body: formData,\n });\n } else {\n // Enforce application/json for all non form-data requests\n headers['Content-Type'] = 'application/json';\n // Build body\n const hasBody = method !== 'GET' && bodyParams && Object.keys(bodyParams).length > 0;\n const body = hasBody ? { body: JSON.stringify(snakecaseKeys(bodyParams, { deep: false })) } : null;\n\n res = await runtime.fetch(finalUrl.href, {\n method,\n headers,\n ...body,\n });\n }\n\n // TODO: Parse JSON or Text response based on a response header\n const isJSONResponse =\n res?.headers && res.headers?.get(constants.Headers.ContentType) === constants.ContentTypes.Json;\n const responseBody = await (isJSONResponse ? res.json() : res.text());\n\n if (!res.ok) {\n return {\n data: null,\n errors: parseErrors(responseBody),\n status: res?.status,\n statusText: res?.statusText,\n clerkTraceId: getTraceId(responseBody, res?.headers),\n };\n }\n\n return {\n ...deserialize(responseBody),\n errors: null,\n };\n } catch (err) {\n if (err instanceof Error) {\n return {\n data: null,\n errors: [\n {\n code: 'unexpected_error',\n message: err.message || 'Unexpected error',\n },\n ],\n clerkTraceId: getTraceId(err, res?.headers),\n };\n }\n\n return {\n data: null,\n errors: parseErrors(err),\n status: res?.status,\n statusText: res?.statusText,\n clerkTraceId: getTraceId(err, res?.headers),\n };\n }\n };\n\n return withLegacyRequestReturn(requestFn);\n}\n\n// Returns either clerk_trace_id if present in response json, otherwise defaults to CF-Ray header\n// If the request failed before receiving a response, returns undefined\nfunction getTraceId(data: unknown, headers?: Headers): string {\n if (data && typeof data === 'object' && 'clerk_trace_id' in data && typeof data.clerk_trace_id === 'string') {\n return data.clerk_trace_id;\n }\n\n const cfRay = headers?.get('cf-ray');\n return cfRay || '';\n}\n\nfunction parseErrors(data: unknown): ClerkAPIError[] {\n if (!!data && typeof data === 'object' && 'errors' in data) {\n const errors = data.errors as ClerkAPIErrorJSON[];\n return errors.length > 0 ? errors.map(parseError) : [];\n }\n return [];\n}\n\ntype LegacyRequestFunction = (requestOptions: ClerkBackendApiRequestOptions) => Promise;\n\n// TODO(dimkl): Will be probably be dropped in next major version\nfunction withLegacyRequestReturn(cb: any): LegacyRequestFunction {\n return async (...args) => {\n // @ts-ignore\n const { data, errors, totalCount, status, statusText, clerkTraceId } = await cb(...args);\n if (errors) {\n // instead of passing `data: errors`, we have set the `error.errors` because\n // the errors returned from callback is already parsed and passing them as `data`\n // will not be able to assign them to the instance\n const error = new ClerkAPIResponseError(statusText || '', {\n data: [],\n status,\n clerkTraceId,\n });\n error.errors = errors;\n throw error;\n }\n\n if (typeof totalCount !== 'undefined') {\n return { data, totalCount };\n }\n\n return data;\n };\n}\n","import type { AccountlessApplicationJSON } from './JSON';\n\nexport class AccountlessApplication {\n constructor(\n readonly publishableKey: string,\n readonly secretKey: string,\n readonly claimUrl: string,\n readonly apiKeysUrl: string,\n ) {}\n\n static fromJSON(data: AccountlessApplicationJSON): AccountlessApplication {\n return new AccountlessApplication(data.publishable_key, data.secret_key, data.claim_url, data.api_keys_url);\n }\n}\n","import type { AllowlistIdentifierJSON } from './JSON';\n\nexport class AllowlistIdentifier {\n constructor(\n readonly id: string,\n readonly identifier: string,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly invitationId?: string,\n ) {}\n\n static fromJSON(data: AllowlistIdentifierJSON): AllowlistIdentifier {\n return new AllowlistIdentifier(data.id, data.identifier, data.created_at, data.updated_at, data.invitation_id);\n }\n}\n","import type { SessionActivityJSON, SessionJSON } from './JSON';\n\nexport class SessionActivity {\n constructor(\n readonly id: string,\n readonly isMobile: boolean,\n readonly ipAddress?: string,\n readonly city?: string,\n readonly country?: string,\n readonly browserVersion?: string,\n readonly browserName?: string,\n readonly deviceType?: string,\n ) {}\n\n static fromJSON(data: SessionActivityJSON): SessionActivity {\n return new SessionActivity(\n data.id,\n data.is_mobile,\n data.ip_address,\n data.city,\n data.country,\n data.browser_version,\n data.browser_name,\n data.device_type,\n );\n }\n}\n\nexport class Session {\n constructor(\n readonly id: string,\n readonly clientId: string,\n readonly userId: string,\n readonly status: string,\n readonly lastActiveAt: number,\n readonly expireAt: number,\n readonly abandonAt: number,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly lastActiveOrganizationId?: string,\n readonly latestActivity?: SessionActivity,\n readonly actor: Record | null = null,\n ) {}\n\n static fromJSON(data: SessionJSON): Session {\n return new Session(\n data.id,\n data.client_id,\n data.user_id,\n data.status,\n data.last_active_at,\n data.expire_at,\n data.abandon_at,\n data.created_at,\n data.updated_at,\n data.last_active_organization_id,\n data.latest_activity && SessionActivity.fromJSON(data.latest_activity),\n data.actor,\n );\n }\n}\n","import type { ClientJSON } from './JSON';\nimport { Session } from './Session';\n\nexport class Client {\n constructor(\n readonly id: string,\n readonly sessionIds: string[],\n readonly sessions: Session[],\n readonly signInId: string | null,\n readonly signUpId: string | null,\n readonly lastActiveSessionId: string | null,\n readonly createdAt: number,\n readonly updatedAt: number,\n ) {}\n\n static fromJSON(data: ClientJSON): Client {\n return new Client(\n data.id,\n data.session_ids,\n data.sessions.map(x => Session.fromJSON(x)),\n data.sign_in_id,\n data.sign_up_id,\n data.last_active_session_id,\n data.created_at,\n data.updated_at,\n );\n }\n}\n","import type { CookiesJSON } from './JSON';\n\nexport class Cookies {\n constructor(readonly cookies: string[]) {}\n\n static fromJSON(data: CookiesJSON): Cookies {\n return new Cookies(data.cookies);\n }\n}\n","import type { DeletedObjectJSON } from './JSON';\n\nexport class DeletedObject {\n constructor(\n readonly object: string,\n readonly id: string | null,\n readonly slug: string | null,\n readonly deleted: boolean,\n ) {}\n\n static fromJSON(data: DeletedObjectJSON) {\n return new DeletedObject(data.object, data.id || null, data.slug || null, data.deleted);\n }\n}\n","import type { EmailJSON } from './JSON';\n\nexport class Email {\n constructor(\n readonly id: string,\n readonly fromEmailName: string,\n readonly emailAddressId: string | null,\n readonly toEmailAddress?: string,\n readonly subject?: string,\n readonly body?: string,\n readonly bodyPlain?: string | null,\n readonly status?: string,\n readonly slug?: string | null,\n readonly data?: Record | null,\n readonly deliveredByClerk?: boolean,\n ) {}\n\n static fromJSON(data: EmailJSON): Email {\n return new Email(\n data.id,\n data.from_email_name,\n data.email_address_id,\n data.to_email_address,\n data.subject,\n data.body,\n data.body_plain,\n data.status,\n data.slug,\n data.data,\n data.delivered_by_clerk,\n );\n }\n}\n","import type { IdentificationLinkJSON } from './JSON';\n\nexport class IdentificationLink {\n constructor(\n readonly id: string,\n readonly type: string,\n ) {}\n\n static fromJSON(data: IdentificationLinkJSON): IdentificationLink {\n return new IdentificationLink(data.id, data.type);\n }\n}\n","import type { OrganizationDomainVerificationJSON, VerificationJSON } from './JSON';\n\nexport class Verification {\n constructor(\n readonly status: string,\n readonly strategy: string,\n readonly externalVerificationRedirectURL: URL | null = null,\n readonly attempts: number | null = null,\n readonly expireAt: number | null = null,\n readonly nonce: string | null = null,\n readonly message: string | null = null,\n ) {}\n\n static fromJSON(data: VerificationJSON): Verification {\n return new Verification(\n data.status,\n data.strategy,\n data.external_verification_redirect_url ? new URL(data.external_verification_redirect_url) : null,\n data.attempts,\n data.expire_at,\n data.nonce,\n );\n }\n}\n\nexport class OrganizationDomainVerification {\n constructor(\n readonly status: string,\n readonly strategy: string,\n readonly attempts: number | null = null,\n readonly expireAt: number | null = null,\n ) {}\n\n static fromJSON(data: OrganizationDomainVerificationJSON): OrganizationDomainVerification {\n return new OrganizationDomainVerification(data.status, data.strategy, data.attempts, data.expires_at);\n }\n}\n","import { IdentificationLink } from './IdentificationLink';\nimport type { EmailAddressJSON } from './JSON';\nimport { Verification } from './Verification';\n\nexport class EmailAddress {\n constructor(\n readonly id: string,\n readonly emailAddress: string,\n readonly verification: Verification | null,\n readonly linkedTo: IdentificationLink[],\n ) {}\n\n static fromJSON(data: EmailAddressJSON): EmailAddress {\n return new EmailAddress(\n data.id,\n data.email_address,\n data.verification && Verification.fromJSON(data.verification),\n data.linked_to.map(link => IdentificationLink.fromJSON(link)),\n );\n }\n}\n","import type { ExternalAccountJSON } from './JSON';\nimport { Verification } from './Verification';\n\nexport class ExternalAccount {\n constructor(\n readonly id: string,\n readonly provider: string,\n readonly identificationId: string,\n readonly externalId: string,\n readonly approvedScopes: string,\n readonly emailAddress: string,\n readonly firstName: string,\n readonly lastName: string,\n readonly imageUrl: string,\n readonly username: string | null,\n readonly publicMetadata: Record | null = {},\n readonly label: string | null,\n readonly verification: Verification | null,\n ) {}\n\n static fromJSON(data: ExternalAccountJSON): ExternalAccount {\n return new ExternalAccount(\n data.id,\n data.provider,\n data.identification_id,\n data.provider_user_id,\n data.approved_scopes,\n data.email_address,\n data.first_name,\n data.last_name,\n data.image_url || '',\n data.username,\n data.public_metadata,\n data.label,\n data.verification && Verification.fromJSON(data.verification),\n );\n }\n}\n","import type { InvitationStatus } from './Enums';\nimport type { InvitationJSON } from './JSON';\n\nexport class Invitation {\n constructor(\n readonly id: string,\n readonly emailAddress: string,\n readonly publicMetadata: Record | null,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly status: InvitationStatus,\n readonly url?: string,\n readonly revoked?: boolean,\n ) {}\n\n static fromJSON(data: InvitationJSON): Invitation {\n return new Invitation(\n data.id,\n data.email_address,\n data.public_metadata,\n data.created_at,\n data.updated_at,\n data.status,\n data.url,\n data.revoked,\n );\n }\n}\n","import type {\n InvitationStatus,\n OrganizationDomainVerificationStatus,\n OrganizationDomainVerificationStrategy,\n OrganizationEnrollmentMode,\n OrganizationInvitationStatus,\n OrganizationMembershipRole,\n SignInStatus,\n SignUpStatus,\n} from './Enums';\n\nexport const ObjectType = {\n AccountlessApplication: 'accountless_application',\n AllowlistIdentifier: 'allowlist_identifier',\n Client: 'client',\n Cookies: 'cookies',\n Email: 'email',\n EmailAddress: 'email_address',\n ExternalAccount: 'external_account',\n FacebookAccount: 'facebook_account',\n GoogleAccount: 'google_account',\n Invitation: 'invitation',\n OauthAccessToken: 'oauth_access_token',\n Organization: 'organization',\n OrganizationDomain: 'organization_domain',\n OrganizationInvitation: 'organization_invitation',\n OrganizationMembership: 'organization_membership',\n PhoneNumber: 'phone_number',\n RedirectUrl: 'redirect_url',\n SamlAccount: 'saml_account',\n Session: 'session',\n SignInAttempt: 'sign_in_attempt',\n SignInToken: 'sign_in_token',\n SignUpAttempt: 'sign_up_attempt',\n SmsMessage: 'sms_message',\n User: 'user',\n Web3Wallet: 'web3_wallet',\n Token: 'token',\n TotalCount: 'total_count',\n TestingToken: 'testing_token',\n Role: 'role',\n Permission: 'permission',\n} as const;\n\nexport type ObjectType = (typeof ObjectType)[keyof typeof ObjectType];\n\nexport interface ClerkResourceJSON {\n object: ObjectType;\n id: string;\n}\n\nexport interface CookiesJSON {\n object: typeof ObjectType.Cookies;\n cookies: string[];\n}\n\nexport interface TokenJSON {\n object: typeof ObjectType.Token;\n jwt: string;\n}\n\nexport interface AccountlessApplicationJSON extends ClerkResourceJSON {\n object: typeof ObjectType.AccountlessApplication;\n publishable_key: string;\n secret_key: string;\n claim_url: string;\n api_keys_url: string;\n}\n\nexport interface AllowlistIdentifierJSON extends ClerkResourceJSON {\n object: typeof ObjectType.AllowlistIdentifier;\n identifier: string;\n created_at: number;\n updated_at: number;\n invitation_id?: string;\n}\n\nexport interface ClientJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Client;\n session_ids: string[];\n sessions: SessionJSON[];\n sign_in_id: string | null;\n sign_up_id: string | null;\n last_active_session_id: string | null;\n created_at: number;\n updated_at: number;\n}\n\nexport interface EmailJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Email;\n slug?: string | null;\n from_email_name: string;\n to_email_address?: string;\n email_address_id: string | null;\n user_id?: string | null;\n subject?: string;\n body?: string;\n body_plain?: string | null;\n status?: string;\n data?: Record | null;\n delivered_by_clerk: boolean;\n}\n\nexport interface EmailAddressJSON extends ClerkResourceJSON {\n object: typeof ObjectType.EmailAddress;\n email_address: string;\n verification: VerificationJSON | null;\n linked_to: IdentificationLinkJSON[];\n}\n\nexport interface ExternalAccountJSON extends ClerkResourceJSON {\n object: typeof ObjectType.ExternalAccount;\n provider: string;\n identification_id: string;\n provider_user_id: string;\n approved_scopes: string;\n email_address: string;\n first_name: string;\n last_name: string;\n image_url?: string;\n username: string | null;\n public_metadata?: Record | null;\n label: string | null;\n verification: VerificationJSON | null;\n}\n\nexport interface SamlAccountJSON extends ClerkResourceJSON {\n object: typeof ObjectType.SamlAccount;\n provider: string;\n provider_user_id: string | null;\n active: boolean;\n email_address: string;\n first_name: string;\n last_name: string;\n verification: VerificationJSON | null;\n saml_connection: SamlAccountConnectionJSON | null;\n}\n\nexport interface IdentificationLinkJSON extends ClerkResourceJSON {\n type: string;\n}\n\nexport interface InvitationJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Invitation;\n email_address: string;\n public_metadata: Record | null;\n revoked?: boolean;\n status: InvitationStatus;\n url?: string;\n created_at: number;\n updated_at: number;\n}\n\nexport interface OauthAccessTokenJSON {\n external_account_id: string;\n object: typeof ObjectType.OauthAccessToken;\n token: string;\n provider: string;\n public_metadata: Record;\n label: string | null;\n // Only set in OAuth 2.0 tokens\n scopes?: string[];\n // Only set in OAuth 1.0 tokens\n token_secret?: string;\n}\n\nexport interface OrganizationJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Organization;\n name: string;\n slug: string;\n image_url?: string;\n has_image: boolean;\n members_count?: number;\n pending_invitations_count?: number;\n max_allowed_memberships: number;\n admin_delete_enabled: boolean;\n public_metadata: OrganizationPublicMetadata | null;\n private_metadata?: OrganizationPrivateMetadata;\n created_by?: string;\n created_at: number;\n updated_at: number;\n}\n\nexport interface OrganizationDomainJSON extends ClerkResourceJSON {\n object: typeof ObjectType.OrganizationDomain;\n id: string;\n name: string;\n organization_id: string;\n enrollment_mode: OrganizationEnrollmentMode;\n verification: OrganizationDomainVerificationJSON | null;\n affiliation_email_address: string | null;\n created_at: number;\n updated_at: number;\n total_pending_invitations: number;\n total_pending_suggestions: number;\n}\n\nexport interface OrganizationDomainVerificationJSON {\n status: OrganizationDomainVerificationStatus;\n strategy: OrganizationDomainVerificationStrategy;\n attempts: number;\n expires_at: number;\n}\n\nexport interface OrganizationInvitationJSON extends ClerkResourceJSON {\n email_address: string;\n role: OrganizationMembershipRole;\n organization_id: string;\n public_organization_data?: PublicOrganizationDataJSON | null;\n status?: OrganizationInvitationStatus;\n public_metadata: OrganizationInvitationPublicMetadata;\n private_metadata: OrganizationInvitationPrivateMetadata;\n created_at: number;\n updated_at: number;\n}\n\nexport interface PublicOrganizationDataJSON extends ClerkResourceJSON {\n name: string;\n slug: string;\n image_url?: string;\n has_image: boolean;\n}\n\nexport interface OrganizationMembershipJSON extends ClerkResourceJSON {\n object: typeof ObjectType.OrganizationMembership;\n public_metadata: OrganizationMembershipPublicMetadata;\n private_metadata?: OrganizationMembershipPrivateMetadata;\n role: OrganizationMembershipRole;\n permissions: string[];\n created_at: number;\n updated_at: number;\n organization: OrganizationJSON;\n public_user_data: OrganizationMembershipPublicUserDataJSON;\n}\n\nexport interface OrganizationMembershipPublicUserDataJSON {\n identifier: string;\n first_name: string | null;\n last_name: string | null;\n image_url: string;\n has_image: boolean;\n user_id: string;\n}\n\nexport interface PhoneNumberJSON extends ClerkResourceJSON {\n object: typeof ObjectType.PhoneNumber;\n phone_number: string;\n reserved_for_second_factor: boolean;\n default_second_factor: boolean;\n reserved: boolean;\n verification: VerificationJSON | null;\n linked_to: IdentificationLinkJSON[];\n backup_codes: string[];\n}\n\nexport interface RedirectUrlJSON extends ClerkResourceJSON {\n object: typeof ObjectType.RedirectUrl;\n url: string;\n created_at: number;\n updated_at: number;\n}\n\nexport interface SessionActivityJSON extends ClerkResourceJSON {\n id: string;\n device_type?: string;\n is_mobile: boolean;\n browser_name?: string;\n browser_version?: string;\n ip_address?: string;\n city?: string;\n country?: string;\n}\n\nexport interface SessionJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Session;\n client_id: string;\n user_id: string;\n status: string;\n last_active_organization_id?: string;\n actor: Record | null;\n latest_activity?: SessionActivityJSON;\n last_active_at: number;\n expire_at: number;\n abandon_at: number;\n created_at: number;\n updated_at: number;\n}\n\nexport interface SignInJSON extends ClerkResourceJSON {\n object: typeof ObjectType.SignInToken;\n status: SignInStatus;\n identifier: string;\n created_session_id: string | null;\n}\n\nexport interface SignInTokenJSON extends ClerkResourceJSON {\n object: typeof ObjectType.SignInToken;\n user_id: string;\n token: string;\n status: 'pending' | 'accepted' | 'revoked';\n url: string;\n created_at: number;\n updated_at: number;\n}\n\nexport interface SignUpJSON extends ClerkResourceJSON {\n object: typeof ObjectType.SignUpAttempt;\n status: SignUpStatus;\n username: string | null;\n email_address: string | null;\n phone_number: string | null;\n web3_wallet: string | null;\n web3_wallet_verification: VerificationJSON | null;\n external_account: any;\n has_password: boolean;\n name_full: string | null;\n created_session_id: string | null;\n created_user_id: string | null;\n abandon_at: number | null;\n}\n\nexport interface SMSMessageJSON extends ClerkResourceJSON {\n object: typeof ObjectType.SmsMessage;\n from_phone_number: string;\n to_phone_number: string;\n phone_number_id: string | null;\n user_id?: string;\n message: string;\n status: string;\n slug?: string | null;\n data?: Record | null;\n delivered_by_clerk: boolean;\n}\n\nexport interface UserJSON extends ClerkResourceJSON {\n object: typeof ObjectType.User;\n username: string | null;\n first_name: string | null;\n last_name: string | null;\n image_url: string;\n has_image: boolean;\n primary_email_address_id: string | null;\n primary_phone_number_id: string | null;\n primary_web3_wallet_id: string | null;\n password_enabled: boolean;\n two_factor_enabled: boolean;\n totp_enabled: boolean;\n backup_code_enabled: boolean;\n email_addresses: EmailAddressJSON[];\n phone_numbers: PhoneNumberJSON[];\n web3_wallets: Web3WalletJSON[];\n organization_memberships: OrganizationMembershipJSON[] | null;\n external_accounts: ExternalAccountJSON[];\n saml_accounts: SamlAccountJSON[];\n password_last_updated_at: number | null;\n public_metadata: UserPublicMetadata;\n private_metadata: UserPrivateMetadata;\n unsafe_metadata: UserUnsafeMetadata;\n external_id: string | null;\n last_sign_in_at: number | null;\n banned: boolean;\n locked: boolean;\n lockout_expires_in_seconds: number | null;\n verification_attempts_remaining: number | null;\n created_at: number;\n updated_at: number;\n last_active_at: number | null;\n create_organization_enabled: boolean;\n create_organizations_limit: number | null;\n delete_self_enabled: boolean;\n legal_accepted_at: number | null;\n}\n\nexport interface VerificationJSON extends ClerkResourceJSON {\n status: string;\n strategy: string;\n attempts: number | null;\n expire_at: number | null;\n verified_at_client?: string;\n external_verification_redirect_url?: string | null;\n nonce?: string | null;\n message?: string | null;\n}\n\nexport interface Web3WalletJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Web3Wallet;\n web3_wallet: string;\n verification: VerificationJSON | null;\n}\n\nexport interface DeletedObjectJSON {\n object: string;\n id?: string;\n slug?: string;\n deleted: boolean;\n}\n\nexport interface PaginatedResponseJSON {\n data: object[];\n total_count?: number;\n}\n\nexport interface SamlConnectionJSON extends ClerkResourceJSON {\n name: string;\n domain: string;\n organization_id: string | null;\n idp_entity_id: string;\n idp_sso_url: string;\n idp_certificate: string;\n idp_metadata_url: string;\n idp_metadata: string;\n acs_url: string;\n sp_entity_id: string;\n sp_metadata_url: string;\n active: boolean;\n provider: string;\n user_count: number;\n sync_user_attributes: boolean;\n allow_subdomains: boolean;\n allow_idp_initiated: boolean;\n created_at: number;\n updated_at: number;\n attribute_mapping: AttributeMappingJSON;\n}\n\nexport interface AttributeMappingJSON {\n user_id: string;\n email_address: string;\n first_name: string;\n last_name: string;\n}\n\nexport interface TestingTokenJSON {\n object: typeof ObjectType.TestingToken;\n token: string;\n expires_at: number;\n}\n\nexport interface RoleJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Role;\n key: string;\n name: string;\n description: string;\n permissions: PermissionJSON[];\n is_creator_eligible: boolean;\n created_at: number;\n updated_at: number;\n}\n\nexport interface PermissionJSON extends ClerkResourceJSON {\n object: typeof ObjectType.Permission;\n key: string;\n name: string;\n description: string;\n created_at: number;\n updated_at: number;\n}\n\nexport interface SamlAccountConnectionJSON extends ClerkResourceJSON {\n id: string;\n name: string;\n domain: string;\n active: boolean;\n provider: string;\n sync_user_attributes: boolean;\n allow_subdomains: boolean;\n allow_idp_initiated: boolean;\n disable_additional_identifications: boolean;\n created_at: number;\n updated_at: number;\n}\n","import type { OauthAccessTokenJSON } from './JSON';\n\nexport class OauthAccessToken {\n constructor(\n readonly externalAccountId: string,\n readonly provider: string,\n readonly token: string,\n readonly publicMetadata: Record = {},\n readonly label: string,\n readonly scopes?: string[],\n readonly tokenSecret?: string,\n ) {}\n\n static fromJSON(data: OauthAccessTokenJSON) {\n return new OauthAccessToken(\n data.external_account_id,\n data.provider,\n data.token,\n data.public_metadata,\n data.label || '',\n data.scopes,\n data.token_secret,\n );\n }\n}\n","import type { OrganizationJSON } from './JSON';\n\nexport class Organization {\n constructor(\n readonly id: string,\n readonly name: string,\n readonly slug: string | null,\n readonly imageUrl: string,\n readonly hasImage: boolean,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly publicMetadata: OrganizationPublicMetadata | null = {},\n readonly privateMetadata: OrganizationPrivateMetadata = {},\n readonly maxAllowedMemberships: number,\n readonly adminDeleteEnabled: boolean,\n readonly membersCount?: number,\n readonly createdBy?: string,\n ) {}\n\n static fromJSON(data: OrganizationJSON): Organization {\n return new Organization(\n data.id,\n data.name,\n data.slug,\n data.image_url || '',\n data.has_image,\n data.created_at,\n data.updated_at,\n data.public_metadata,\n data.private_metadata,\n data.max_allowed_memberships,\n data.admin_delete_enabled,\n data.members_count,\n data.created_by,\n );\n }\n}\n","import type { OrganizationInvitationStatus, OrganizationMembershipRole } from './Enums';\nimport type { OrganizationInvitationJSON } from './JSON';\n\nexport class OrganizationInvitation {\n constructor(\n readonly id: string,\n readonly emailAddress: string,\n readonly role: OrganizationMembershipRole,\n readonly organizationId: string,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly status?: OrganizationInvitationStatus,\n readonly publicMetadata: OrganizationInvitationPublicMetadata = {},\n readonly privateMetadata: OrganizationInvitationPrivateMetadata = {},\n ) {}\n\n static fromJSON(data: OrganizationInvitationJSON) {\n return new OrganizationInvitation(\n data.id,\n data.email_address,\n data.role,\n data.organization_id,\n data.created_at,\n data.updated_at,\n data.status,\n data.public_metadata,\n data.private_metadata,\n );\n }\n}\n","import { Organization } from '../resources';\nimport type { OrganizationMembershipRole } from './Enums';\nimport type { OrganizationMembershipJSON, OrganizationMembershipPublicUserDataJSON } from './JSON';\n\nexport class OrganizationMembership {\n constructor(\n readonly id: string,\n readonly role: OrganizationMembershipRole,\n readonly permissions: string[],\n readonly publicMetadata: OrganizationMembershipPublicMetadata = {},\n readonly privateMetadata: OrganizationMembershipPrivateMetadata = {},\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly organization: Organization,\n readonly publicUserData?: OrganizationMembershipPublicUserData | null,\n ) {}\n\n static fromJSON(data: OrganizationMembershipJSON) {\n return new OrganizationMembership(\n data.id,\n data.role,\n data.permissions,\n data.public_metadata,\n data.private_metadata,\n data.created_at,\n data.updated_at,\n Organization.fromJSON(data.organization),\n OrganizationMembershipPublicUserData.fromJSON(data.public_user_data),\n );\n }\n}\n\nexport class OrganizationMembershipPublicUserData {\n constructor(\n readonly identifier: string,\n readonly firstName: string | null,\n readonly lastName: string | null,\n readonly imageUrl: string,\n readonly hasImage: boolean,\n readonly userId: string,\n ) {}\n\n static fromJSON(data: OrganizationMembershipPublicUserDataJSON) {\n return new OrganizationMembershipPublicUserData(\n data.identifier,\n data.first_name,\n data.last_name,\n data.image_url,\n data.has_image,\n data.user_id,\n );\n }\n}\n","import { IdentificationLink } from './IdentificationLink';\nimport type { PhoneNumberJSON } from './JSON';\nimport { Verification } from './Verification';\n\nexport class PhoneNumber {\n constructor(\n readonly id: string,\n readonly phoneNumber: string,\n readonly reservedForSecondFactor: boolean,\n readonly defaultSecondFactor: boolean,\n readonly verification: Verification | null,\n readonly linkedTo: IdentificationLink[],\n ) {}\n\n static fromJSON(data: PhoneNumberJSON): PhoneNumber {\n return new PhoneNumber(\n data.id,\n data.phone_number,\n data.reserved_for_second_factor,\n data.default_second_factor,\n data.verification && Verification.fromJSON(data.verification),\n data.linked_to.map(link => IdentificationLink.fromJSON(link)),\n );\n }\n}\n","import type { RedirectUrlJSON } from './JSON';\n\nexport class RedirectUrl {\n constructor(\n readonly id: string,\n readonly url: string,\n readonly createdAt: number,\n readonly updatedAt: number,\n ) {}\n\n static fromJSON(data: RedirectUrlJSON): RedirectUrl {\n return new RedirectUrl(data.id, data.url, data.created_at, data.updated_at);\n }\n}\n","import type { SignInTokenJSON } from './JSON';\n\nexport class SignInToken {\n constructor(\n readonly id: string,\n readonly userId: string,\n readonly token: string,\n readonly status: string,\n readonly url: string,\n readonly createdAt: number,\n readonly updatedAt: number,\n ) {}\n\n static fromJSON(data: SignInTokenJSON): SignInToken {\n return new SignInToken(data.id, data.user_id, data.token, data.status, data.url, data.created_at, data.updated_at);\n }\n}\n","import type { SMSMessageJSON } from './JSON';\n\nexport class SMSMessage {\n constructor(\n readonly id: string,\n readonly fromPhoneNumber: string,\n readonly toPhoneNumber: string,\n readonly message: string,\n readonly status: string,\n readonly phoneNumberId: string | null,\n readonly data?: Record | null,\n ) {}\n\n static fromJSON(data: SMSMessageJSON): SMSMessage {\n return new SMSMessage(\n data.id,\n data.from_phone_number,\n data.to_phone_number,\n data.message,\n data.status,\n data.phone_number_id,\n data.data,\n );\n }\n}\n","import type { TokenJSON } from './JSON';\n\nexport class Token {\n constructor(readonly jwt: string) {}\n\n static fromJSON(data: TokenJSON): Token {\n return new Token(data.jwt);\n }\n}\n","import type { AttributeMappingJSON, SamlAccountConnectionJSON, SamlConnectionJSON } from './JSON';\n\nexport class SamlConnection {\n constructor(\n readonly id: string,\n readonly name: string,\n readonly domain: string,\n readonly organizationId: string | null,\n readonly idpEntityId: string | null,\n readonly idpSsoUrl: string | null,\n readonly idpCertificate: string | null,\n readonly idpMetadataUrl: string | null,\n readonly idpMetadata: string | null,\n readonly acsUrl: string,\n readonly spEntityId: string,\n readonly spMetadataUrl: string,\n readonly active: boolean,\n readonly provider: string,\n readonly userCount: number,\n readonly syncUserAttributes: boolean,\n readonly allowSubdomains: boolean,\n readonly allowIdpInitiated: boolean,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly attributeMapping: AttributeMapping,\n ) {}\n static fromJSON(data: SamlConnectionJSON): SamlConnection {\n return new SamlConnection(\n data.id,\n data.name,\n data.domain,\n data.organization_id,\n data.idp_entity_id,\n data.idp_sso_url,\n data.idp_certificate,\n data.idp_metadata_url,\n data.idp_metadata,\n data.acs_url,\n data.sp_entity_id,\n data.sp_metadata_url,\n data.active,\n data.provider,\n data.user_count,\n data.sync_user_attributes,\n data.allow_subdomains,\n data.allow_idp_initiated,\n data.created_at,\n data.updated_at,\n data.attribute_mapping && AttributeMapping.fromJSON(data.attribute_mapping),\n );\n }\n}\n\nexport class SamlAccountConnection {\n constructor(\n readonly id: string,\n readonly name: string,\n readonly domain: string,\n readonly active: boolean,\n readonly provider: string,\n readonly syncUserAttributes: boolean,\n readonly allowSubdomains: boolean,\n readonly allowIdpInitiated: boolean,\n readonly createdAt: number,\n readonly updatedAt: number,\n ) {}\n static fromJSON(data: SamlAccountConnectionJSON): SamlAccountConnection {\n return new SamlAccountConnection(\n data.id,\n data.name,\n data.domain,\n data.active,\n data.provider,\n data.sync_user_attributes,\n data.allow_subdomains,\n data.allow_idp_initiated,\n data.created_at,\n data.updated_at,\n );\n }\n}\n\nclass AttributeMapping {\n constructor(\n readonly userId: string,\n readonly emailAddress: string,\n readonly firstName: string,\n readonly lastName: string,\n ) {}\n\n static fromJSON(data: AttributeMappingJSON): AttributeMapping {\n return new AttributeMapping(data.user_id, data.email_address, data.first_name, data.last_name);\n }\n}\n","import type { SamlAccountJSON } from './JSON';\nimport { SamlAccountConnection } from './SamlConnection';\nimport { Verification } from './Verification';\n\nexport class SamlAccount {\n constructor(\n readonly id: string,\n readonly provider: string,\n readonly providerUserId: string | null,\n readonly active: boolean,\n readonly emailAddress: string,\n readonly firstName: string,\n readonly lastName: string,\n readonly verification: Verification | null,\n readonly samlConnection: SamlAccountConnection | null,\n ) {}\n\n static fromJSON(data: SamlAccountJSON): SamlAccount {\n return new SamlAccount(\n data.id,\n data.provider,\n data.provider_user_id,\n data.active,\n data.email_address,\n data.first_name,\n data.last_name,\n data.verification && Verification.fromJSON(data.verification),\n data.saml_connection && SamlAccountConnection.fromJSON(data.saml_connection),\n );\n }\n}\n","import type { Web3WalletJSON } from './JSON';\nimport { Verification } from './Verification';\n\nexport class Web3Wallet {\n constructor(\n readonly id: string,\n readonly web3Wallet: string,\n readonly verification: Verification | null,\n ) {}\n\n static fromJSON(data: Web3WalletJSON): Web3Wallet {\n return new Web3Wallet(data.id, data.web3_wallet, data.verification && Verification.fromJSON(data.verification));\n }\n}\n","import { EmailAddress } from './EmailAddress';\nimport { ExternalAccount } from './ExternalAccount';\nimport type { ExternalAccountJSON, SamlAccountJSON, UserJSON } from './JSON';\nimport { PhoneNumber } from './PhoneNumber';\nimport { SamlAccount } from './SamlAccount';\nimport { Web3Wallet } from './Web3Wallet';\n\nexport class User {\n private _raw: UserJSON | null = null;\n\n public get raw(): UserJSON | null {\n return this._raw;\n }\n\n constructor(\n readonly id: string,\n readonly passwordEnabled: boolean,\n readonly totpEnabled: boolean,\n readonly backupCodeEnabled: boolean,\n readonly twoFactorEnabled: boolean,\n readonly banned: boolean,\n readonly locked: boolean,\n readonly createdAt: number,\n readonly updatedAt: number,\n readonly imageUrl: string,\n readonly hasImage: boolean,\n readonly primaryEmailAddressId: string | null,\n readonly primaryPhoneNumberId: string | null,\n readonly primaryWeb3WalletId: string | null,\n readonly lastSignInAt: number | null,\n readonly externalId: string | null,\n readonly username: string | null,\n readonly firstName: string | null,\n readonly lastName: string | null,\n readonly publicMetadata: UserPublicMetadata = {},\n readonly privateMetadata: UserPrivateMetadata = {},\n readonly unsafeMetadata: UserUnsafeMetadata = {},\n readonly emailAddresses: EmailAddress[] = [],\n readonly phoneNumbers: PhoneNumber[] = [],\n readonly web3Wallets: Web3Wallet[] = [],\n readonly externalAccounts: ExternalAccount[] = [],\n readonly samlAccounts: SamlAccount[] = [],\n readonly lastActiveAt: number | null,\n readonly createOrganizationEnabled: boolean,\n readonly createOrganizationsLimit: number | null = null,\n readonly deleteSelfEnabled: boolean,\n readonly legalAcceptedAt: number | null,\n ) {}\n\n static fromJSON(data: UserJSON): User {\n const res = new User(\n data.id,\n data.password_enabled,\n data.totp_enabled,\n data.backup_code_enabled,\n data.two_factor_enabled,\n data.banned,\n data.locked,\n data.created_at,\n data.updated_at,\n data.image_url,\n data.has_image,\n data.primary_email_address_id,\n data.primary_phone_number_id,\n data.primary_web3_wallet_id,\n data.last_sign_in_at,\n data.external_id,\n data.username,\n data.first_name,\n data.last_name,\n data.public_metadata,\n data.private_metadata,\n data.unsafe_metadata,\n (data.email_addresses || []).map(x => EmailAddress.fromJSON(x)),\n (data.phone_numbers || []).map(x => PhoneNumber.fromJSON(x)),\n (data.web3_wallets || []).map(x => Web3Wallet.fromJSON(x)),\n (data.external_accounts || []).map((x: ExternalAccountJSON) => ExternalAccount.fromJSON(x)),\n (data.saml_accounts || []).map((x: SamlAccountJSON) => SamlAccount.fromJSON(x)),\n data.last_active_at,\n data.create_organization_enabled,\n data.create_organizations_limit,\n data.delete_self_enabled,\n data.legal_accepted_at,\n );\n res._raw = data;\n return res;\n }\n\n get primaryEmailAddress() {\n return this.emailAddresses.find(({ id }) => id === this.primaryEmailAddressId) ?? null;\n }\n\n get primaryPhoneNumber() {\n return this.phoneNumbers.find(({ id }) => id === this.primaryPhoneNumberId) ?? null;\n }\n\n get primaryWeb3Wallet() {\n return this.web3Wallets.find(({ id }) => id === this.primaryWeb3WalletId) ?? null;\n }\n\n get fullName() {\n return [this.firstName, this.lastName].join(' ').trim() || null;\n }\n}\n","import {\n AllowlistIdentifier,\n Client,\n Cookies,\n DeletedObject,\n Email,\n EmailAddress,\n Invitation,\n OauthAccessToken,\n Organization,\n OrganizationInvitation,\n OrganizationMembership,\n PhoneNumber,\n RedirectUrl,\n Session,\n SignInToken,\n SMSMessage,\n Token,\n User,\n} from '.';\nimport { AccountlessApplication } from './AccountlessApplication';\nimport type { PaginatedResponseJSON } from './JSON';\nimport { ObjectType } from './JSON';\n\ntype ResourceResponse = {\n data: T;\n};\n\nexport type PaginatedResourceResponse = ResourceResponse & {\n totalCount: number;\n};\n\nexport function deserialize(payload: unknown): PaginatedResourceResponse | ResourceResponse {\n let data, totalCount: number | undefined;\n\n if (Array.isArray(payload)) {\n const data = payload.map(item => jsonToObject(item)) as U;\n return { data };\n } else if (isPaginated(payload)) {\n data = payload.data.map(item => jsonToObject(item)) as U;\n totalCount = payload.total_count;\n\n return { data, totalCount };\n } else {\n return { data: jsonToObject(payload) };\n }\n}\n\nfunction isPaginated(payload: unknown): payload is PaginatedResponseJSON {\n if (!payload || typeof payload !== 'object' || !('data' in payload)) {\n return false;\n }\n\n return Array.isArray(payload.data) && payload.data !== undefined;\n}\n\nfunction getCount(item: PaginatedResponseJSON) {\n return item.total_count;\n}\n\n// TODO: Revise response deserialization\nfunction jsonToObject(item: any): any {\n // Special case: DeletedObject\n // TODO: Improve this check\n if (typeof item !== 'string' && 'object' in item && 'deleted' in item) {\n return DeletedObject.fromJSON(item);\n }\n\n switch (item.object) {\n case ObjectType.AccountlessApplication:\n return AccountlessApplication.fromJSON(item);\n case ObjectType.AllowlistIdentifier:\n return AllowlistIdentifier.fromJSON(item);\n case ObjectType.Client:\n return Client.fromJSON(item);\n case ObjectType.Cookies:\n return Cookies.fromJSON(item);\n case ObjectType.EmailAddress:\n return EmailAddress.fromJSON(item);\n case ObjectType.Email:\n return Email.fromJSON(item);\n case ObjectType.Invitation:\n return Invitation.fromJSON(item);\n case ObjectType.OauthAccessToken:\n return OauthAccessToken.fromJSON(item);\n case ObjectType.Organization:\n return Organization.fromJSON(item);\n case ObjectType.OrganizationInvitation:\n return OrganizationInvitation.fromJSON(item);\n case ObjectType.OrganizationMembership:\n return OrganizationMembership.fromJSON(item);\n case ObjectType.PhoneNumber:\n return PhoneNumber.fromJSON(item);\n case ObjectType.RedirectUrl:\n return RedirectUrl.fromJSON(item);\n case ObjectType.SignInToken:\n return SignInToken.fromJSON(item);\n case ObjectType.Session:\n return Session.fromJSON(item);\n case ObjectType.SmsMessage:\n return SMSMessage.fromJSON(item);\n case ObjectType.Token:\n return Token.fromJSON(item);\n case ObjectType.TotalCount:\n return getCount(item);\n case ObjectType.User:\n return User.fromJSON(item);\n default:\n return item;\n }\n}\n","import {\n AccountlessApplicationAPI,\n AllowlistIdentifierAPI,\n ClientAPI,\n DomainAPI,\n EmailAddressAPI,\n InvitationAPI,\n OrganizationAPI,\n PhoneNumberAPI,\n RedirectUrlAPI,\n SamlConnectionAPI,\n SessionAPI,\n SignInTokenAPI,\n TestingTokenAPI,\n UserAPI,\n} from './endpoints';\nimport { buildRequest } from './request';\n\nexport type CreateBackendApiOptions = Parameters[0];\n\nexport type ApiClient = ReturnType;\n\nexport function createBackendApiClient(options: CreateBackendApiOptions) {\n const request = buildRequest(options);\n\n return {\n __experimental_accountlessApplications: new AccountlessApplicationAPI(\n buildRequest({ ...options, requireSecretKey: false }),\n ),\n allowlistIdentifiers: new AllowlistIdentifierAPI(request),\n clients: new ClientAPI(request),\n emailAddresses: new EmailAddressAPI(request),\n invitations: new InvitationAPI(request),\n organizations: new OrganizationAPI(request),\n phoneNumbers: new PhoneNumberAPI(request),\n redirectUrls: new RedirectUrlAPI(request),\n sessions: new SessionAPI(request),\n signInTokens: new SignInTokenAPI(request),\n users: new UserAPI(request),\n domains: new DomainAPI(request),\n samlConnections: new SamlConnectionAPI(request),\n testingTokens: new TestingTokenAPI(request),\n };\n}\n","import type { JwtPayload } from '@clerk/types';\n\nimport { constants } from '../constants';\nimport type { TokenVerificationErrorReason } from '../errors';\nimport type { AuthenticateContext } from './authenticateContext';\nimport type { SignedInAuthObject, SignedOutAuthObject } from './authObjects';\nimport { signedInAuthObject, signedOutAuthObject } from './authObjects';\n\nexport const AuthStatus = {\n SignedIn: 'signed-in',\n SignedOut: 'signed-out',\n Handshake: 'handshake',\n} as const;\n\nexport type AuthStatus = (typeof AuthStatus)[keyof typeof AuthStatus];\n\nexport type SignedInState = {\n status: typeof AuthStatus.SignedIn;\n reason: null;\n message: null;\n proxyUrl?: string;\n publishableKey: string;\n isSatellite: boolean;\n domain: string;\n signInUrl: string;\n signUpUrl: string;\n afterSignInUrl: string;\n afterSignUpUrl: string;\n isSignedIn: true;\n toAuth: () => SignedInAuthObject;\n headers: Headers;\n token: string;\n};\n\nexport type SignedOutState = {\n status: typeof AuthStatus.SignedOut;\n message: string;\n reason: AuthReason;\n proxyUrl?: string;\n publishableKey: string;\n isSatellite: boolean;\n domain: string;\n signInUrl: string;\n signUpUrl: string;\n afterSignInUrl: string;\n afterSignUpUrl: string;\n isSignedIn: false;\n toAuth: () => SignedOutAuthObject;\n headers: Headers;\n token: null;\n};\n\nexport type HandshakeState = Omit & {\n status: typeof AuthStatus.Handshake;\n headers: Headers;\n toAuth: () => null;\n};\n\nexport const AuthErrorReason = {\n ClientUATWithoutSessionToken: 'client-uat-but-no-session-token',\n DevBrowserMissing: 'dev-browser-missing',\n DevBrowserSync: 'dev-browser-sync',\n PrimaryRespondsToSyncing: 'primary-responds-to-syncing',\n SatelliteCookieNeedsSyncing: 'satellite-needs-syncing',\n SessionTokenAndUATMissing: 'session-token-and-uat-missing',\n SessionTokenMissing: 'session-token-missing',\n SessionTokenExpired: 'session-token-expired',\n SessionTokenIATBeforeClientUAT: 'session-token-iat-before-client-uat',\n SessionTokenNBF: 'session-token-nbf',\n SessionTokenIatInTheFuture: 'session-token-iat-in-the-future',\n SessionTokenWithoutClientUAT: 'session-token-but-no-client-uat',\n ActiveOrganizationMismatch: 'active-organization-mismatch',\n UnexpectedError: 'unexpected-error',\n} as const;\n\nexport type AuthErrorReason = (typeof AuthErrorReason)[keyof typeof AuthErrorReason];\n\nexport type AuthReason = AuthErrorReason | TokenVerificationErrorReason;\n\nexport type RequestState = SignedInState | SignedOutState | HandshakeState;\n\nexport function signedIn(\n authenticateContext: AuthenticateContext,\n sessionClaims: JwtPayload,\n headers: Headers = new Headers(),\n token: string,\n): SignedInState {\n const authObject = signedInAuthObject(authenticateContext, token, sessionClaims);\n return {\n status: AuthStatus.SignedIn,\n reason: null,\n message: null,\n proxyUrl: authenticateContext.proxyUrl || '',\n publishableKey: authenticateContext.publishableKey || '',\n isSatellite: authenticateContext.isSatellite || false,\n domain: authenticateContext.domain || '',\n signInUrl: authenticateContext.signInUrl || '',\n signUpUrl: authenticateContext.signUpUrl || '',\n afterSignInUrl: authenticateContext.afterSignInUrl || '',\n afterSignUpUrl: authenticateContext.afterSignUpUrl || '',\n isSignedIn: true,\n toAuth: () => authObject,\n headers,\n token,\n };\n}\n\nexport function signedOut(\n authenticateContext: AuthenticateContext,\n reason: AuthReason,\n message = '',\n headers: Headers = new Headers(),\n): SignedOutState {\n return withDebugHeaders({\n status: AuthStatus.SignedOut,\n reason,\n message,\n proxyUrl: authenticateContext.proxyUrl || '',\n publishableKey: authenticateContext.publishableKey || '',\n isSatellite: authenticateContext.isSatellite || false,\n domain: authenticateContext.domain || '',\n signInUrl: authenticateContext.signInUrl || '',\n signUpUrl: authenticateContext.signUpUrl || '',\n afterSignInUrl: authenticateContext.afterSignInUrl || '',\n afterSignUpUrl: authenticateContext.afterSignUpUrl || '',\n isSignedIn: false,\n headers,\n toAuth: () => signedOutAuthObject({ ...authenticateContext, status: AuthStatus.SignedOut, reason, message }),\n token: null,\n });\n}\n\nexport function handshake(\n authenticateContext: AuthenticateContext,\n reason: AuthReason,\n message = '',\n headers: Headers,\n): HandshakeState {\n return withDebugHeaders({\n status: AuthStatus.Handshake,\n reason,\n message,\n publishableKey: authenticateContext.publishableKey || '',\n isSatellite: authenticateContext.isSatellite || false,\n domain: authenticateContext.domain || '',\n proxyUrl: authenticateContext.proxyUrl || '',\n signInUrl: authenticateContext.signInUrl || '',\n signUpUrl: authenticateContext.signUpUrl || '',\n afterSignInUrl: authenticateContext.afterSignInUrl || '',\n afterSignUpUrl: authenticateContext.afterSignUpUrl || '',\n isSignedIn: false,\n headers,\n toAuth: () => null,\n token: null,\n });\n}\n\nconst withDebugHeaders = (requestState: T): T => {\n const headers = new Headers(requestState.headers || {});\n\n if (requestState.message) {\n try {\n headers.set(constants.Headers.AuthMessage, requestState.message);\n } catch {\n // headers.set can throw if unicode strings are passed to it. In this case, simply do nothing\n }\n }\n\n if (requestState.reason) {\n try {\n headers.set(constants.Headers.AuthReason, requestState.reason);\n } catch {\n /* empty */\n }\n }\n\n if (requestState.status) {\n try {\n headers.set(constants.Headers.AuthStatus, requestState.status);\n } catch {\n /* empty */\n }\n }\n\n requestState.headers = headers;\n\n return requestState;\n};\n","import { parse } from 'cookie';\n\nimport { constants } from '../constants';\nimport type { ClerkUrl } from './clerkUrl';\nimport { createClerkUrl } from './clerkUrl';\n\n/**\n * A class that extends the native Request class,\n * adds cookies helpers and a normalised clerkUrl that is constructed by using the values found\n * in req.headers so it is able to work reliably when the app is running behind a proxy server.\n */\nclass ClerkRequest extends Request {\n readonly clerkUrl: ClerkUrl;\n readonly cookies: Map;\n\n public constructor(input: ClerkRequest | Request | RequestInfo, init?: RequestInit) {\n // The usual way to duplicate a request object is to\n // pass the original request object to the Request constructor\n // both as the `input` and `init` parameters, eg: super(req, req)\n // However, this fails in certain environments like Vercel Edge Runtime\n // when a framework like Remix polyfills the global Request object.\n // This happens because `undici` performs the following instanceof check\n // which, instead of testing against the global Request object, tests against\n // the Request class defined in the same file (local Request class).\n // For more details, please refer to:\n // https://github.com/nodejs/undici/issues/2155\n // https://github.com/nodejs/undici/blob/7153a1c78d51840bbe16576ce353e481c3934701/lib/fetch/request.js#L854\n const url = typeof input !== 'string' && 'url' in input ? input.url : String(input);\n super(url, init || typeof input === 'string' ? undefined : input);\n this.clerkUrl = this.deriveUrlFromHeaders(this);\n this.cookies = this.parseCookies(this);\n }\n\n public toJSON() {\n return {\n url: this.clerkUrl.href,\n method: this.method,\n headers: JSON.stringify(Object.fromEntries(this.headers)),\n clerkUrl: this.clerkUrl.toString(),\n cookies: JSON.stringify(Object.fromEntries(this.cookies)),\n };\n }\n\n /**\n * Used to fix request.url using the x-forwarded-* headers\n * TODO add detailed description of the issues this solves\n */\n private deriveUrlFromHeaders(req: Request) {\n const initialUrl = new URL(req.url);\n const forwardedProto = req.headers.get(constants.Headers.ForwardedProto);\n const forwardedHost = req.headers.get(constants.Headers.ForwardedHost);\n const host = req.headers.get(constants.Headers.Host);\n const protocol = initialUrl.protocol;\n\n const resolvedHost = this.getFirstValueFromHeader(forwardedHost) ?? host;\n const resolvedProtocol = this.getFirstValueFromHeader(forwardedProto) ?? protocol?.replace(/[:/]/, '');\n const origin = resolvedHost && resolvedProtocol ? `${resolvedProtocol}://${resolvedHost}` : initialUrl.origin;\n\n if (origin === initialUrl.origin) {\n return createClerkUrl(initialUrl);\n }\n return createClerkUrl(initialUrl.pathname + initialUrl.search, origin);\n }\n\n private getFirstValueFromHeader(value?: string | null) {\n return value?.split(',')[0];\n }\n\n private parseCookies(req: Request) {\n const cookiesRecord = parse(this.decodeCookieValue(req.headers.get('cookie') || ''));\n return new Map(Object.entries(cookiesRecord));\n }\n\n private decodeCookieValue(str: string) {\n return str ? str.replace(/(%[0-9A-Z]{2})+/g, decodeURIComponent) : str;\n }\n}\n\nexport const createClerkRequest = (...args: ConstructorParameters): ClerkRequest => {\n return args[0] instanceof ClerkRequest ? args[0] : new ClerkRequest(...args);\n};\n\nexport type { ClerkRequest };\n","class ClerkUrl extends URL {\n public isCrossOrigin(other: URL | string) {\n return this.origin !== new URL(other.toString()).origin;\n }\n}\n\nexport type WithClerkUrl = T & {\n /**\n * When a NextJs app is hosted on a platform different from Vercel\n * or inside a container (Netlify, Fly.io, AWS Amplify, docker etc),\n * req.url is always set to `localhost:3000` instead of the actual host of the app.\n *\n * The `authMiddleware` uses the value of the available req.headers in order to construct\n * and use the correct url internally. This url is then exposed as `experimental_clerkUrl`,\n * intended to be used within `beforeAuth` and `afterAuth` if needed.\n */\n clerkUrl: ClerkUrl;\n};\n\nexport const createClerkUrl = (...args: ConstructorParameters): ClerkUrl => {\n return new ClerkUrl(...args);\n};\n\nexport type { ClerkUrl };\n","export const getCookieName = (cookieDirective: string): string => {\n return cookieDirective.split(';')[0]?.split('=')[0];\n};\n\nexport const getCookieValue = (cookieDirective: string): string => {\n return cookieDirective.split(';')[0]?.split('=')[1];\n};\n","import {\n API_URL,\n API_VERSION,\n MAX_CACHE_LAST_UPDATED_AT_SECONDS,\n SUPPORTED_BAPI_VERSION,\n USER_AGENT,\n} from '../constants';\nimport {\n TokenVerificationError,\n TokenVerificationErrorAction,\n TokenVerificationErrorCode,\n TokenVerificationErrorReason,\n} from '../errors';\nimport { runtime } from '../runtime';\nimport { joinPaths } from '../util/path';\nimport { retry } from '../util/shared';\n\ntype JsonWebKeyWithKid = JsonWebKey & { kid: string };\n\ntype JsonWebKeyCache = Record;\n\nlet cache: JsonWebKeyCache = {};\nlet lastUpdatedAt = 0;\n\nfunction getFromCache(kid: string) {\n return cache[kid];\n}\n\nfunction getCacheValues() {\n return Object.values(cache);\n}\n\nfunction setInCache(jwk: JsonWebKeyWithKid, shouldExpire = true) {\n cache[jwk.kid] = jwk;\n lastUpdatedAt = shouldExpire ? Date.now() : -1;\n}\n\nconst LocalJwkKid = 'local';\nconst PEM_HEADER = '-----BEGIN PUBLIC KEY-----';\nconst PEM_TRAILER = '-----END PUBLIC KEY-----';\nconst RSA_PREFIX = 'MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA';\nconst RSA_SUFFIX = 'IDAQAB';\n\n/**\n *\n * Loads a local PEM key usually from process.env and transform it to JsonWebKey format.\n * The result is also cached on the module level to avoid unnecessary computations in subsequent invocations.\n *\n * @param {string} localKey\n * @returns {JsonWebKey} key\n */\nexport function loadClerkJWKFromLocal(localKey?: string): JsonWebKey {\n if (!getFromCache(LocalJwkKid)) {\n if (!localKey) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.SetClerkJWTKey,\n message: 'Missing local JWK.',\n reason: TokenVerificationErrorReason.LocalJWKMissing,\n });\n }\n\n const modulus = localKey\n .replace(/\\r\\n|\\n|\\r/g, '')\n .replace(PEM_HEADER, '')\n .replace(PEM_TRAILER, '')\n .replace(RSA_PREFIX, '')\n .replace(RSA_SUFFIX, '')\n .replace(/\\+/g, '-')\n .replace(/\\//g, '_');\n\n // JWK https://datatracker.ietf.org/doc/html/rfc7517\n setInCache(\n {\n kid: 'local',\n kty: 'RSA',\n alg: 'RS256',\n n: modulus,\n e: 'AQAB',\n },\n false, // local key never expires in cache\n );\n }\n\n return getFromCache(LocalJwkKid);\n}\n\nexport type LoadClerkJWKFromRemoteOptions = {\n /**\n * @internal\n */\n kid: string;\n /**\n * @deprecated This cache TTL is deprecated and will be removed in the next major version. Specifying a cache TTL is now a no-op.\n */\n jwksCacheTtlInMs?: number;\n /**\n * A flag to skip ignore cache and always fetch JWKS before each jwt verification.\n */\n skipJwksCache?: boolean;\n /**\n * The Clerk Secret Key from the [**API keys**](https://dashboard.clerk.com/last-active?path=api-keys) page in the Clerk Dashboard.\n */\n secretKey?: string;\n /**\n * The [Clerk Backend API](https://clerk.com/docs/reference/backend-api) endpoint. Defaults to `'https://api.clerk.com'`.\n */\n apiUrl?: string;\n /**\n * The version passed to the Clerk API. Defaults to `'v1'`.\n */\n apiVersion?: string;\n};\n\n/**\n *\n * Loads a key from JWKS retrieved from the well-known Frontend API endpoint of the issuer.\n * The result is also cached on the module level to avoid network requests in subsequent invocations.\n * The cache lasts up to 5 minutes.\n *\n * @param {Object} options\n * @param {string} options.kid - The id of the key that the JWT was signed with\n * @param {string} options.alg - The algorithm of the JWT\n * @returns {JsonWebKey} key\n */\nexport async function loadClerkJWKFromRemote({\n secretKey,\n apiUrl = API_URL,\n apiVersion = API_VERSION,\n kid,\n skipJwksCache,\n}: LoadClerkJWKFromRemoteOptions): Promise {\n if (skipJwksCache || cacheHasExpired() || !getFromCache(kid)) {\n if (!secretKey) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.ContactSupport,\n message: 'Failed to load JWKS from Clerk Backend or Frontend API.',\n reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad,\n });\n }\n const fetcher = () => fetchJWKSFromBAPI(apiUrl, secretKey, apiVersion) as Promise<{ keys: JsonWebKeyWithKid[] }>;\n const { keys } = await retry(fetcher);\n\n if (!keys || !keys.length) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.ContactSupport,\n message: 'The JWKS endpoint did not contain any signing keys. Contact support@clerk.com.',\n reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad,\n });\n }\n\n keys.forEach(key => setInCache(key));\n }\n\n const jwk = getFromCache(kid);\n\n if (!jwk) {\n const cacheValues = getCacheValues();\n const jwkKeys = cacheValues\n .map(jwk => jwk.kid)\n .sort()\n .join(', ');\n\n throw new TokenVerificationError({\n action: `Go to your Dashboard and validate your secret and public keys are correct. ${TokenVerificationErrorAction.ContactSupport} if the issue persists.`,\n message: `Unable to find a signing key in JWKS that matches the kid='${kid}' of the provided session token. Please make sure that the __session cookie or the HTTP authorization header contain a Clerk-generated session JWT. The following kid is available: ${jwkKeys}`,\n reason: TokenVerificationErrorReason.JWKKidMismatch,\n });\n }\n\n return jwk;\n}\n\nasync function fetchJWKSFromBAPI(apiUrl: string, key: string, apiVersion: string) {\n if (!key) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.SetClerkSecretKey,\n message:\n 'Missing Clerk Secret Key or API Key. Go to https://dashboard.clerk.com and get your key for your instance.',\n reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad,\n });\n }\n\n const url = new URL(apiUrl);\n url.pathname = joinPaths(url.pathname, apiVersion, '/jwks');\n\n const response = await runtime.fetch(url.href, {\n headers: {\n Authorization: `Bearer ${key}`,\n 'Clerk-API-Version': SUPPORTED_BAPI_VERSION,\n 'Content-Type': 'application/json',\n 'User-Agent': USER_AGENT,\n },\n });\n\n if (!response.ok) {\n const json = await response.json();\n const invalidSecretKeyError = getErrorObjectByCode(json?.errors, TokenVerificationErrorCode.InvalidSecretKey);\n\n if (invalidSecretKeyError) {\n const reason = TokenVerificationErrorReason.InvalidSecretKey;\n\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.ContactSupport,\n message: invalidSecretKeyError.message,\n reason,\n });\n }\n\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.ContactSupport,\n message: `Error loading Clerk JWKS from ${url.href} with code=${response.status}`,\n reason: TokenVerificationErrorReason.RemoteJWKFailedToLoad,\n });\n }\n\n return response.json();\n}\n\nfunction cacheHasExpired() {\n // If lastUpdatedAt is -1, it means that we're using a local JWKS and it never expires\n if (lastUpdatedAt === -1) {\n return false;\n }\n\n // If the cache has expired, clear the value so we don't attempt to make decisions based on stale data\n const isExpired = Date.now() - lastUpdatedAt >= MAX_CACHE_LAST_UPDATED_AT_SECONDS * 1000;\n\n if (isExpired) {\n cache = {};\n }\n\n return isExpired;\n}\n\ntype ErrorFields = {\n message: string;\n long_message: string;\n code: string;\n};\n\nconst getErrorObjectByCode = (errors: ErrorFields[], code: string) => {\n if (!errors) {\n return null;\n }\n\n return errors.find((err: ErrorFields) => err.code === code);\n};\n","import { TokenVerificationError, TokenVerificationErrorAction, TokenVerificationErrorReason } from '../errors';\nimport type { VerifyJwtOptions } from '../jwt';\nimport { assertHeaderAlgorithm, assertHeaderType } from '../jwt/assertions';\nimport { decodeJwt, hasValidSignature } from '../jwt/verifyJwt';\nimport { loadClerkJWKFromLocal, loadClerkJWKFromRemote } from './keys';\nimport type { VerifyTokenOptions } from './verify';\n\nasync function verifyHandshakeJwt(token: string, { key }: VerifyJwtOptions): Promise<{ handshake: string[] }> {\n const { data: decoded, errors } = decodeJwt(token);\n if (errors) {\n throw errors[0];\n }\n\n const { header, payload } = decoded;\n\n // Header verifications\n const { typ, alg } = header;\n\n assertHeaderType(typ);\n assertHeaderAlgorithm(alg);\n\n const { data: signatureValid, errors: signatureErrors } = await hasValidSignature(decoded, key);\n if (signatureErrors) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Error verifying handshake token. ${signatureErrors[0]}`,\n });\n }\n\n if (!signatureValid) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalidSignature,\n message: 'Handshake signature is invalid.',\n });\n }\n\n return payload as unknown as { handshake: string[] };\n}\n\n/**\n * Similar to our verifyToken flow for Clerk-issued JWTs, but this verification flow is for our signed handshake payload.\n * The handshake payload requires fewer verification steps.\n */\nexport async function verifyHandshakeToken(\n token: string,\n options: VerifyTokenOptions,\n): Promise<{ handshake: string[] }> {\n const { secretKey, apiUrl, apiVersion, jwksCacheTtlInMs, jwtKey, skipJwksCache } = options;\n\n const { data, errors } = decodeJwt(token);\n if (errors) {\n throw errors[0];\n }\n\n const { kid } = data.header;\n\n let key;\n\n if (jwtKey) {\n key = loadClerkJWKFromLocal(jwtKey);\n } else if (secretKey) {\n // Fetch JWKS from Backend API using the key\n key = await loadClerkJWKFromRemote({ secretKey, apiUrl, apiVersion, kid, jwksCacheTtlInMs, skipJwksCache });\n } else {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.SetClerkJWTKey,\n message: 'Failed to resolve JWK during handshake verification.',\n reason: TokenVerificationErrorReason.JWKFailedToResolve,\n });\n }\n\n return await verifyHandshakeJwt(token, {\n key,\n });\n}\n","import type { JwtPayload } from '@clerk/types';\n\nimport { TokenVerificationError, TokenVerificationErrorAction, TokenVerificationErrorReason } from '../errors';\nimport type { VerifyJwtOptions } from '../jwt';\nimport type { JwtReturnType } from '../jwt/types';\nimport { decodeJwt, verifyJwt } from '../jwt/verifyJwt';\nimport type { LoadClerkJWKFromRemoteOptions } from './keys';\nimport { loadClerkJWKFromLocal, loadClerkJWKFromRemote } from './keys';\n\nexport type VerifyTokenOptions = Omit &\n Omit & {\n /**\n * Used to verify the session token in a networkless manner. Supply the PEM public key from the **[**API keys**](https://dashboard.clerk.com/last-active?path=api-keys) page -> Show JWT public key -> PEM Public Key** section in the Clerk Dashboard. **It's recommended to use [the environment variable](https://clerk.com/docs/deployments/clerk-environment-variables) instead.** For more information, refer to [Manual JWT verification](https://clerk.com/docs/backend-requests/handling/manual-jwt).\n */\n jwtKey?: string;\n };\n\nexport async function verifyToken(\n token: string,\n options: VerifyTokenOptions,\n): Promise> {\n const { data: decodedResult, errors } = decodeJwt(token);\n if (errors) {\n return { errors };\n }\n\n const { header } = decodedResult;\n const { kid } = header;\n\n try {\n let key;\n\n if (options.jwtKey) {\n key = loadClerkJWKFromLocal(options.jwtKey);\n } else if (options.secretKey) {\n // Fetch JWKS from Backend API using the key\n key = await loadClerkJWKFromRemote({ ...options, kid });\n } else {\n return {\n errors: [\n new TokenVerificationError({\n action: TokenVerificationErrorAction.SetClerkJWTKey,\n message: 'Failed to resolve JWK during verification.',\n reason: TokenVerificationErrorReason.JWKFailedToResolve,\n }),\n ],\n };\n }\n\n return await verifyJwt(token, { ...options, key });\n } catch (error) {\n return { errors: [error as TokenVerificationError] };\n }\n}\n","import type { ApiClient } from '../api';\nimport { mergePreDefinedOptions } from '../util/mergePreDefinedOptions';\nimport { authenticateRequest as authenticateRequestOriginal, debugRequestState } from './request';\nimport type { AuthenticateRequestOptions } from './types';\n\ntype RunTimeOptions = Omit;\ntype BuildTimeOptions = Partial<\n Pick<\n AuthenticateRequestOptions,\n | 'apiUrl'\n | 'apiVersion'\n | 'audience'\n | 'domain'\n | 'isSatellite'\n | 'jwtKey'\n | 'proxyUrl'\n | 'publishableKey'\n | 'secretKey'\n >\n>;\n\nconst defaultOptions = {\n secretKey: '',\n jwtKey: '',\n apiUrl: undefined,\n apiVersion: undefined,\n proxyUrl: '',\n publishableKey: '',\n isSatellite: false,\n domain: '',\n audience: '',\n} satisfies BuildTimeOptions;\n\n/**\n * @internal\n */\nexport type CreateAuthenticateRequestOptions = {\n options: BuildTimeOptions;\n apiClient: ApiClient;\n};\n\n/**\n * @internal\n */\nexport function createAuthenticateRequest(params: CreateAuthenticateRequestOptions) {\n const buildTimeOptions = mergePreDefinedOptions(defaultOptions, params.options);\n const apiClient = params.apiClient;\n\n const authenticateRequest = (request: Request, options: RunTimeOptions = {}) => {\n const { apiUrl, apiVersion } = buildTimeOptions;\n const runTimeOptions = mergePreDefinedOptions(buildTimeOptions, options);\n return authenticateRequestOriginal(request, {\n ...options,\n ...runTimeOptions,\n // We should add all the omitted props from options here (eg apiUrl / apiVersion)\n // to avoid runtime options override them.\n apiUrl,\n apiVersion,\n apiClient,\n });\n };\n\n return {\n authenticateRequest,\n debugRequestState,\n };\n}\n","import type { CreateBackendApiOptions, Organization, Session, User } from '../api';\nimport { createBackendApiClient } from '../api';\nimport type { AuthObject } from '../tokens/authObjects';\n\ntype DecorateAuthWithResourcesOptions = {\n loadSession?: boolean;\n loadUser?: boolean;\n loadOrganization?: boolean;\n};\n\ntype WithResources = T & {\n session?: Session | null;\n user?: User | null;\n organization?: Organization | null;\n};\n\n/**\n * @internal\n */\nexport const decorateObjectWithResources = async (\n obj: T,\n authObj: AuthObject,\n opts: CreateBackendApiOptions & DecorateAuthWithResourcesOptions,\n): Promise> => {\n const { loadSession, loadUser, loadOrganization } = opts || {};\n const { userId, sessionId, orgId } = authObj;\n\n const { sessions, users, organizations } = createBackendApiClient({ ...opts });\n\n const [sessionResp, userResp, organizationResp] = await Promise.all([\n loadSession && sessionId ? sessions.getSession(sessionId) : Promise.resolve(undefined),\n loadUser && userId ? users.getUser(userId) : Promise.resolve(undefined),\n loadOrganization && orgId ? organizations.getOrganization({ organizationId: orgId }) : Promise.resolve(undefined),\n ]);\n\n const resources = stripPrivateDataFromObject({\n session: sessionResp,\n user: userResp,\n organization: organizationResp,\n });\n return Object.assign(obj, resources);\n};\n\n/**\n * @internal\n */\nexport function stripPrivateDataFromObject>(authObject: T): T {\n const user = authObject.user ? { ...authObject.user } : authObject.user;\n const organization = authObject.organization ? { ...authObject.organization } : authObject.organization;\n prunePrivateMetadata(user);\n prunePrivateMetadata(organization);\n return { ...authObject, user, organization };\n}\n\nfunction prunePrivateMetadata(resource?: { private_metadata: any } | { privateMetadata: any } | null) {\n // Delete sensitive private metadata from resource before rendering in SSR\n if (resource) {\n // @ts-ignore\n delete resource['privateMetadata'];\n // @ts-ignore\n delete resource['private_metadata'];\n }\n\n return resource;\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACAO,IAAM,UAAU;AAChB,IAAM,cAAc;AAEpB,IAAM,aAAa,GAAG,gBAAY,IAAI,QAAe;AACrD,IAAM,oCAAoC,IAAI;AAC9C,IAAM,yBAAyB;AAEtC,IAAM,aAAa;AAAA,EACjB,WAAW;AAAA,EACX,eAAe;AAAA,EACf,YAAY;AAAA,EACZ,YAAY;AAAA,EACZ,aAAa;AAAA,EACb,UAAU;AACZ;AAEA,IAAM,UAAU;AAAA,EACd,SAAS;AAAA,EACT,SAAS;AAAA,EACT,WAAW;AAAA,EACX,WAAW;AAAA,EACX,YAAY;AAAA,EACZ,eAAe;AACjB;AAEA,IAAM,kBAAkB;AAAA,EACtB,aAAa;AAAA,EACb,iBAAiB;AAAA,EACjB,kBAAkB;AAAA;AAAA,EAElB,YAAY,QAAQ;AAAA,EACpB,WAAW,QAAQ;AAAA,EACnB,eAAe;AAAA,EACf,kBAAkB;AAAA,EAClB,iBAAiB;AACnB;AAEA,IAAMA,WAAU;AAAA,EACd,WAAW;AAAA,EACX,eAAe;AAAA,EACf,YAAY;AAAA,EACZ,YAAY;AAAA,EACZ,aAAa;AAAA,EACb,UAAU;AAAA,EACV,aAAa;AAAA,EACb,kBAAkB;AAAA,EAClB,iBAAiB;AAAA,EACjB,0BAA0B;AAAA,EAC1B,eAAe;AAAA,EACf,eAAe;AAAA,EACf,gBAAgB;AAAA,EAChB,eAAe;AAAA,EACf,QAAQ;AAAA,EACR,UAAU;AAAA,EACV,WAAW;AAAA,EACX,QAAQ;AAAA,EACR,MAAM;AAAA,EACN,aAAa;AAAA,EACb,cAAc;AAAA,EACd,UAAU;AAAA,EACV,cAAc;AAChB;AAEA,IAAM,eAAe;AAAA,EACnB,MAAM;AACR;AAKO,IAAM,YAAY;AAAA,EACvB;AAAA,EACA;AAAA,EACA,SAAAA;AAAA,EACA;AAAA,EACA;AACF;;;AC5EA,iBAA0E;AAC1E,mBAAsB;AACtB,kBAMO;AACP,wBAA+C;AAE/C,mBAAkC;AAClC,IAAAC,eAA2C;AAEpC,IAAM,mBAAe,gCAAkB,EAAE,aAAa,iBAAiB,CAAC;AAExE,IAAM,EAAE,kBAAkB,QAAI,yCAA2B;;;ACbhE,IAAM,WAAW,CACf,UACA,YACA,gBACA,qBACG;AACH,MAAI,aAAa,IAAI;AACnB,WAAO,eAAe,WAAW,SAAS,GAAG,gBAAgB,SAAS,CAAC;AAAA,EACzE;AAEA,QAAM,UAAU,IAAI,IAAI,QAAQ;AAChC,QAAM,gBAAgB,iBAAiB,IAAI,IAAI,gBAAgB,OAAO,IAAI;AAC1E,QAAM,MAAM,IAAI,IAAI,YAAY,OAAO;AAEvC,MAAI,eAAe;AACjB,QAAI,aAAa,IAAI,gBAAgB,cAAc,SAAS,CAAC;AAAA,EAC/D;AAEA,MAAI,oBAAoB,QAAQ,aAAa,IAAI,UAAU;AACzD,QAAI,aAAa,IAAI,UAAU,gBAAgB,YAAY,gBAAgB;AAAA,EAC7E;AACA,SAAO,IAAI,SAAS;AACtB;AAWA,IAAM,iBAAiB,CAAC,WAAmB,gBAAyB;AAClE,MAAI;AACJ,MAAI,CAAC,UAAU,WAAW,MAAM,GAAG;AACjC,QAAI,CAAC,eAAe,CAAC,YAAY,WAAW,MAAM,GAAG;AACnD,YAAM,IAAI,MAAM,oEAAoE;AAAA,IACtF;AAEA,UAAM,UAAU,IAAI,IAAI,WAAW;AACnC,UAAM,IAAI,IAAI,WAAW,QAAQ,MAAM;AAAA,EACzC,OAAO;AACL,UAAM,IAAI,IAAI,SAAS;AAAA,EACzB;AAEA,MAAI,aAAa;AACf,QAAI,aAAa,IAAI,gBAAgB,WAAW;AAAA,EAClD;AAEA,SAAO,IAAI,SAAS;AACtB;AAEA,IAAM,uBAAuB,CAAC,gBAAyB;AACrD,MAAI,CAAC,aAAa;AAChB,WAAO;AAAA,EACT;AAGA,QAAM,kBAAkB,YAErB,QAAQ,0BAA0B,gBAAgB,EAClD,QAAQ,6BAA6B,WAAW;AACnD,SAAO,WAAW,eAAe;AACnC;AAqBO,IAAM,iBAAiC,YAAU;AACtD,QAAM,EAAE,gBAAgB,iBAAiB,WAAW,WAAW,QAAQ,IAAI;AAC3E,QAAM,2BAAuB,iCAAoB,cAAc;AAC/D,QAAM,cAAc,sBAAsB;AAC1C,QAAM,gBAAgB,sBAAsB,iBAAiB;AAC7D,QAAM,kBAAkB,qBAAqB,WAAW;AAExD,QAAM,mBAAmB,CAAC,EAAE,cAAc,IAAsB,CAAC,MAAM;AACrE,QAAI,CAAC,aAAa,CAAC,iBAAiB;AAClC,mBAAa,gCAAgC;AAAA,IAC/C;AACA,UAAM,oBAAoB,GAAG,eAAe;AAC5C,WAAO;AAAA,MACL,SAAS,SAAS,aAAa,mBAAmB,eAAe,gBAAgB,OAAO,kBAAkB,IAAI;AAAA,IAChH;AAAA,EACF;AAEA,QAAM,mBAAmB,CAAC,EAAE,cAAc,IAAsB,CAAC,MAAM;AACrE,QAAI,CAAC,aAAa,CAAC,iBAAiB;AAClC,mBAAa,gCAAgC;AAAA,IAC/C;AACA,UAAM,oBAAoB,GAAG,eAAe;AAC5C,WAAO;AAAA,MACL,SAAS,SAAS,aAAa,mBAAmB,eAAe,gBAAgB,OAAO,kBAAkB,IAAI;AAAA,IAChH;AAAA,EACF;AAEA,SAAO,EAAE,kBAAkB,iBAAiB;AAC9C;;;ACpHO,SAAS,uBAAsD,mBAAsB,SAAwB;AAClH,SAAO,OAAO,KAAK,iBAAiB,EAAE;AAAA,IACpC,CAAC,KAAQ,QAAgB;AACvB,aAAO,EAAE,GAAG,KAAK,CAAC,GAAG,GAAG,QAAQ,GAAG,KAAK,IAAI,GAAG,EAAE;AAAA,IACnD;AAAA,IACA,EAAE,GAAG,kBAAkB;AAAA,EACzB;AACF;;;ACNA,0BAAsB;;;ACCf,IAAM,6BAA6B;AAAA,EACxC,kBAAkB;AACpB;AAIO,IAAM,+BAA+B;AAAA,EAC1C,cAAc;AAAA,EACd,cAAc;AAAA,EACd,uBAAuB;AAAA,EACvB,+BAA+B;AAAA,EAC/B,uBAAuB;AAAA,EACvB,mBAAmB;AAAA,EACnB,qBAAqB;AAAA,EACrB,yBAAyB;AAAA,EACzB,kBAAkB;AAAA,EAClB,iBAAiB;AAAA,EACjB,uBAAuB;AAAA,EACvB,kBAAkB;AAAA,EAClB,kBAAkB;AAAA,EAClB,oBAAoB;AAAA,EACpB,gBAAgB;AAClB;AAKO,IAAM,+BAA+B;AAAA,EAC1C,gBAAgB;AAAA,EAChB,gBAAgB;AAAA,EAChB,gBAAgB;AAAA,EAChB,mBAAmB;AAAA,EACnB,iBAAiB;AACnB;AAKO,IAAM,yBAAN,MAAM,gCAA+B,MAAM;AAAA,EAKhD,YAAY;AAAA,IACV;AAAA,IACA;AAAA,IACA;AAAA,EACF,GAIG;AACD,UAAM,OAAO;AAEb,WAAO,eAAe,MAAM,wBAAuB,SAAS;AAE5D,SAAK,SAAS;AACd,SAAK,UAAU;AACf,SAAK,SAAS;AAAA,EAChB;AAAA,EAEO,iBAAiB;AACtB,WAAO,GAAG,CAAC,KAAK,SAAS,KAAK,MAAM,EAAE,OAAO,OAAK,CAAC,EAAE,KAAK,GAAG,CAAC,YAAY,KAAK,MAAM,mBACnF,KAAK,YACP;AAAA,EACF;AACF;;;ACrDA,oBAAoC;AAmBpC,IAAM,cAAc,MAAM,KAAK,UAAU;AAElC,IAAM,UAAmB;AAAA,EAC9B,sBAAAC;AAAA,EACA,IAAI,QAAQ;AAEV,WAAO,QAAQ,IAAI,aAAa,SAAS,QAAQ;AAAA,EACnD;AAAA,EACA,iBAAiB,WAAW;AAAA,EAC5B,MAAM,WAAW;AAAA,EACjB,UAAU,WAAW;AAAA,EACrB,SAAS,WAAW;AAAA,EACpB,SAAS,WAAW;AAAA,EACpB,UAAU,WAAW;AACvB;;;ACrCO,IAAM,YAAY;AAAA,EACvB,MAAM,QAAgB,MAAiC;AACrD,WAAO,MAAM,QAAQ,mBAAmB,IAAI;AAAA,EAC9C;AAAA,EAEA,UAAU,MAAyB,MAAiC;AAClE,WAAO,UAAU,MAAM,mBAAmB,IAAI;AAAA,EAChD;AACF;AAEA,IAAM,oBAA8B;AAAA,EAClC,OAAO;AAAA,EACP,MAAM;AACR;AAiBA,SAAS,MAAM,QAAgB,UAAoB,OAAqB,CAAC,GAAe;AAEtF,MAAI,CAAC,SAAS,OAAO;AACnB,aAAS,QAAQ,CAAC;AAClB,aAAS,IAAI,GAAG,IAAI,SAAS,MAAM,QAAQ,EAAE,GAAG;AAC9C,eAAS,MAAM,SAAS,MAAM,CAAC,CAAC,IAAI;AAAA,IACtC;AAAA,EACF;AAGA,MAAI,CAAC,KAAK,SAAU,OAAO,SAAS,SAAS,OAAQ,GAAG;AACtD,UAAM,IAAI,YAAY,iBAAiB;AAAA,EACzC;AAGA,MAAI,MAAM,OAAO;AACjB,SAAO,OAAO,MAAM,CAAC,MAAM,KAAK;AAC9B,MAAE;AAGF,QAAI,CAAC,KAAK,SAAS,GAAI,OAAO,SAAS,OAAO,SAAS,OAAQ,IAAI;AACjE,YAAM,IAAI,YAAY,iBAAiB;AAAA,IACzC;AAAA,EACF;AAGA,QAAM,MAAM,KAAK,KAAK,OAAO,YAAc,MAAM,SAAS,OAAQ,IAAK,CAAC;AAGxE,MAAI,OAAO;AACX,MAAI,SAAS;AACb,MAAI,UAAU;AACd,WAAS,IAAI,GAAG,IAAI,KAAK,EAAE,GAAG;AAE5B,UAAM,QAAQ,SAAS,MAAM,OAAO,CAAC,CAAC;AACtC,QAAI,UAAU,QAAW;AACvB,YAAM,IAAI,YAAY,uBAAuB,OAAO,CAAC,CAAC;AAAA,IACxD;AAGA,aAAU,UAAU,SAAS,OAAQ;AACrC,YAAQ,SAAS;AAGjB,QAAI,QAAQ,GAAG;AACb,cAAQ;AACR,UAAI,SAAS,IAAI,MAAQ,UAAU;AAAA,IACrC;AAAA,EACF;AAGA,MAAI,QAAQ,SAAS,QAAQ,MAAQ,UAAW,IAAI,MAAQ;AAC1D,UAAM,IAAI,YAAY,wBAAwB;AAAA,EAChD;AAEA,SAAO;AACT;AAEA,SAAS,UAAU,MAAyB,UAAoB,OAAyB,CAAC,GAAW;AACnG,QAAM,EAAE,MAAM,KAAK,IAAI;AACvB,QAAM,QAAQ,KAAK,SAAS,QAAQ;AACpC,MAAI,MAAM;AAEV,MAAI,OAAO;AACX,MAAI,SAAS;AACb,WAAS,IAAI,GAAG,IAAI,KAAK,QAAQ,EAAE,GAAG;AAEpC,aAAU,UAAU,IAAM,MAAO,KAAK,CAAC;AACvC,YAAQ;AAGR,WAAO,OAAO,SAAS,MAAM;AAC3B,cAAQ,SAAS;AACjB,aAAO,SAAS,MAAM,OAAQ,UAAU,IAAK;AAAA,IAC/C;AAAA,EACF;AAGA,MAAI,MAAM;AACR,WAAO,SAAS,MAAM,OAAQ,UAAW,SAAS,OAAO,IAAM;AAAA,EACjE;AAGA,MAAI,KAAK;AACP,WAAQ,IAAI,SAAS,SAAS,OAAQ,GAAG;AACvC,aAAO;AAAA,IACT;AAAA,EACF;AAEA,SAAO;AACT;;;ACnIA,IAAM,YAAoC;AAAA,EACxC,OAAO;AAAA,EACP,OAAO;AAAA,EACP,OAAO;AACT;AACA,IAAM,qBAAqB;AAE3B,IAAM,qBAA6C;AAAA,EACjD,OAAO;AAAA,EACP,OAAO;AAAA,EACP,OAAO;AACT;AAEO,IAAM,OAAO,OAAO,KAAK,SAAS;AAElC,SAAS,mBAAmB,eAA8C;AAC/E,QAAM,OAAO,UAAU,aAAa;AACpC,QAAM,OAAO,mBAAmB,aAAa;AAE7C,MAAI,CAAC,QAAQ,CAAC,MAAM;AAClB,UAAM,IAAI,MAAM,yBAAyB,aAAa,qBAAqB,KAAK,KAAK,GAAG,CAAC,GAAG;AAAA,EAC9F;AAEA,SAAO;AAAA,IACL,MAAM,EAAE,MAAM,UAAU,aAAa,EAAE;AAAA,IACvC,MAAM,mBAAmB,aAAa;AAAA,EACxC;AACF;;;ACtBA,IAAM,gBAAgB,CAAC,MAA8B;AACnD,SAAO,MAAM,QAAQ,CAAC,KAAK,EAAE,SAAS,KAAK,EAAE,MAAM,OAAK,OAAO,MAAM,QAAQ;AAC/E;AAEO,IAAM,sBAAsB,CAAC,KAAe,aAAuB;AACxE,QAAM,eAAe,CAAC,QAAQ,EAAE,KAAK,EAAE,OAAO,OAAK,CAAC,CAAC,CAAC;AACtD,QAAM,UAAU,CAAC,GAAG,EAAE,KAAK,EAAE,OAAO,OAAK,CAAC,CAAC,CAAC;AAC5C,QAAM,uBAAuB,aAAa,SAAS,KAAK,QAAQ,SAAS;AAEzE,MAAI,CAAC,sBAAsB;AASzB;AAAA,EACF;AAEA,MAAI,OAAO,QAAQ,UAAU;AAC3B,QAAI,CAAC,aAAa,SAAS,GAAG,GAAG;AAC/B,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,QAAQ,6BAA6B;AAAA,QACrC,SAAS,oCAAoC,KAAK,UAAU,GAAG,CAAC,yBAAyB,KAAK;AAAA,UAC5F;AAAA,QACF,CAAC;AAAA,MACH,CAAC;AAAA,IACH;AAAA,EACF,WAAW,cAAc,GAAG,GAAG;AAC7B,QAAI,CAAC,IAAI,KAAK,OAAK,aAAa,SAAS,CAAC,CAAC,GAAG;AAC5C,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,QAAQ,6BAA6B;AAAA,QACrC,SAAS,0CAA0C,KAAK,UAAU,GAAG,CAAC,yBAAyB,KAAK;AAAA,UAClG;AAAA,QACF,CAAC;AAAA,MACH,CAAC;AAAA,IACH;AAAA,EACF;AACF;AAEO,IAAM,mBAAmB,CAAC,QAAkB;AACjD,MAAI,OAAO,QAAQ,aAAa;AAC9B;AAAA,EACF;AAEA,MAAI,QAAQ,OAAO;AACjB,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,oBAAoB,KAAK,UAAU,GAAG,CAAC;AAAA,IAClD,CAAC;AAAA,EACH;AACF;AAEO,IAAM,wBAAwB,CAAC,QAAgB;AACpD,MAAI,CAAC,KAAK,SAAS,GAAG,GAAG;AACvB,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,yBAAyB,KAAK,UAAU,GAAG,CAAC,gBAAgB,IAAI;AAAA,IAC3E,CAAC;AAAA,EACH;AACF;AAEO,IAAM,iBAAiB,CAAC,QAAiB;AAC9C,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,kEAAkE,KAAK,UAAU,GAAG,CAAC;AAAA,IAChG,CAAC;AAAA,EACH;AACF;AAEO,IAAM,+BAA+B,CAAC,KAAc,sBAAiC;AAC1F,MAAI,CAAC,OAAO,CAAC,qBAAqB,kBAAkB,WAAW,GAAG;AAChE;AAAA,EACF;AAEA,MAAI,CAAC,kBAAkB,SAAS,GAAG,GAAG;AACpC,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,4CAA4C,KAAK,UAAU,GAAG,CAAC,eAAe,iBAAiB;AAAA,IAC1G,CAAC;AAAA,EACH;AACF;AAEO,IAAM,wBAAwB,CAAC,KAAa,kBAA0B;AAC3E,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,uCAAuC,KAAK,UAAU,GAAG,CAAC;AAAA,IACrE,CAAC;AAAA,EACH;AAEA,QAAM,cAAc,IAAI,KAAK,KAAK,IAAI,CAAC;AACvC,QAAM,aAAa,oBAAI,KAAK,CAAC;AAC7B,aAAW,cAAc,GAAG;AAE5B,QAAM,UAAU,WAAW,QAAQ,KAAK,YAAY,QAAQ,IAAI;AAChE,MAAI,SAAS;AACX,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,gCAAgC,WAAW,YAAY,CAAC,mBAAmB,YAAY,YAAY,CAAC;AAAA,IAC/G,CAAC;AAAA,EACH;AACF;AAEO,IAAM,wBAAwB,CAAC,KAAyB,kBAA0B;AACvF,MAAI,OAAO,QAAQ,aAAa;AAC9B;AAAA,EACF;AAEA,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,2CAA2C,KAAK,UAAU,GAAG,CAAC;AAAA,IACzE,CAAC;AAAA,EACH;AAEA,QAAM,cAAc,IAAI,KAAK,KAAK,IAAI,CAAC;AACvC,QAAM,gBAAgB,oBAAI,KAAK,CAAC;AAChC,gBAAc,cAAc,GAAG;AAE/B,QAAM,QAAQ,cAAc,QAAQ,IAAI,YAAY,QAAQ,IAAI;AAChE,MAAI,OAAO;AACT,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,6EAA6E,cAAc,YAAY,CAAC,mBAAmB,YAAY,YAAY,CAAC;AAAA,IAC/J,CAAC;AAAA,EACH;AACF;AAEO,IAAM,sBAAsB,CAAC,KAAyB,kBAA0B;AACrF,MAAI,OAAO,QAAQ,aAAa;AAC9B;AAAA,EACF;AAEA,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,0CAA0C,KAAK,UAAU,GAAG,CAAC;AAAA,IACxE,CAAC;AAAA,EACH;AAEA,QAAM,cAAc,IAAI,KAAK,KAAK,IAAI,CAAC;AACvC,QAAM,eAAe,oBAAI,KAAK,CAAC;AAC/B,eAAa,cAAc,GAAG;AAE9B,QAAM,aAAa,aAAa,QAAQ,IAAI,YAAY,QAAQ,IAAI;AACpE,MAAI,YAAY;AACd,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,oEAAoE,aAAa,YAAY,CAAC,mBAAmB,YAAY,YAAY,CAAC;AAAA,IACrJ,CAAC;AAAA,EACH;AACF;;;ACxKA,4BAA+B;AAK/B,SAAS,YAAY,QAA6B;AAChD,QAAM,UAAU,OACb,QAAQ,uBAAuB,EAAE,EACjC,QAAQ,qBAAqB,EAAE,EAC/B,QAAQ,OAAO,EAAE;AAEpB,QAAM,cAAU,sCAAe,OAAO;AAEtC,QAAM,SAAS,IAAI,YAAY,QAAQ,MAAM;AAC7C,QAAM,UAAU,IAAI,WAAW,MAAM;AAErC,WAAS,IAAI,GAAG,SAAS,QAAQ,QAAQ,IAAI,QAAQ,KAAK;AACxD,YAAQ,CAAC,IAAI,QAAQ,WAAW,CAAC;AAAA,EACnC;AAEA,SAAO;AACT;AAEO,SAAS,UACd,KACA,WACA,UACoB;AACpB,MAAI,OAAO,QAAQ,UAAU;AAC3B,WAAO,QAAQ,OAAO,OAAO,UAAU,OAAO,KAAK,WAAW,OAAO,CAAC,QAAQ,CAAC;AAAA,EACjF;AAEA,QAAM,UAAU,YAAY,GAAG;AAC/B,QAAM,SAAS,aAAa,SAAS,UAAU;AAE/C,SAAO,QAAQ,OAAO,OAAO,UAAU,QAAQ,SAAS,WAAW,OAAO,CAAC,QAAQ,CAAC;AACtF;;;ACjBA,IAAM,gCAAgC,IAAI;AAE1C,eAAsB,kBAAkB,KAAU,KAAkE;AAClH,QAAM,EAAE,QAAQ,WAAW,IAAI,IAAI;AACnC,QAAM,UAAU,IAAI,YAAY;AAChC,QAAM,OAAO,QAAQ,OAAO,CAAC,IAAI,QAAQ,IAAI,OAAO,EAAE,KAAK,GAAG,CAAC;AAC/D,QAAM,YAAY,mBAAmB,OAAO,GAAG;AAE/C,MAAI;AACF,UAAM,YAAY,MAAM,UAAU,KAAK,WAAW,QAAQ;AAE1D,UAAM,WAAW,MAAM,QAAQ,OAAO,OAAO,OAAO,UAAU,MAAM,WAAW,WAAW,IAAI;AAC9F,WAAO,EAAE,MAAM,SAAS;AAAA,EAC1B,SAAS,OAAO;AACd,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,SAAU,OAAiB;AAAA,QAC7B,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AACF;AAEO,SAAS,UAAU,OAA2D;AACnF,QAAM,cAAc,SAAS,IAAI,SAAS,EAAE,MAAM,GAAG;AACrD,MAAI,WAAW,WAAW,GAAG;AAC3B,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,SAAS;AAAA,QACX,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AAEA,QAAM,CAAC,WAAW,YAAY,YAAY,IAAI;AAE9C,QAAM,UAAU,IAAI,YAAY;AAiBhC,QAAM,SAAS,KAAK,MAAM,QAAQ,OAAO,UAAU,MAAM,WAAW,EAAE,OAAO,KAAK,CAAC,CAAC,CAAC;AACrF,QAAM,UAAU,KAAK,MAAM,QAAQ,OAAO,UAAU,MAAM,YAAY,EAAE,OAAO,KAAK,CAAC,CAAC,CAAC;AACvF,QAAM,YAAY,UAAU,MAAM,cAAc,EAAE,OAAO,KAAK,CAAC;AAE/D,QAAM,OAAO;AAAA,IACX;AAAA,IACA;AAAA,IACA;AAAA,IACA,KAAK;AAAA,MACH,QAAQ;AAAA,MACR,SAAS;AAAA,MACT,WAAW;AAAA,MACX,MAAM;AAAA,IACR;AAAA,EACF;AAEA,SAAO,EAAE,KAAK;AAChB;AAyBA,eAAsB,UACpB,OACA,SAC4D;AAC5D,QAAM,EAAE,UAAU,mBAAmB,eAAe,IAAI,IAAI;AAC5D,QAAM,YAAY,iBAAiB;AAEnC,QAAM,EAAE,MAAM,SAAS,OAAO,IAAI,UAAU,KAAK;AACjD,MAAI,QAAQ;AACV,WAAO,EAAE,OAAO;AAAA,EAClB;AAEA,QAAM,EAAE,QAAQ,QAAQ,IAAI;AAC5B,MAAI;AAEF,UAAM,EAAE,KAAK,IAAI,IAAI;AAErB,qBAAiB,GAAG;AACpB,0BAAsB,GAAG;AAGzB,UAAM,EAAE,KAAK,KAAK,KAAK,KAAK,KAAK,IAAI,IAAI;AAEzC,mBAAe,GAAG;AAClB,wBAAoB,CAAC,GAAG,GAAG,CAAC,QAAQ,CAAC;AACrC,iCAA6B,KAAK,iBAAiB;AACnD,0BAAsB,KAAK,SAAS;AACpC,0BAAsB,KAAK,SAAS;AACpC,wBAAoB,KAAK,SAAS;AAAA,EACpC,SAAS,KAAK;AACZ,WAAO,EAAE,QAAQ,CAAC,GAA6B,EAAE;AAAA,EACnD;AAEA,QAAM,EAAE,MAAM,gBAAgB,QAAQ,gBAAgB,IAAI,MAAM,kBAAkB,SAAS,GAAG;AAC9F,MAAI,iBAAiB;AACnB,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,QAAQ,6BAA6B;AAAA,UACrC,SAAS,kCAAkC,gBAAgB,CAAC,CAAC;AAAA,QAC/D,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AAEA,MAAI,CAAC,gBAAgB;AACnB,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,SAAS;AAAA,QACX,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AAEA,SAAO,EAAE,MAAM,QAAQ;AACzB;;;AC9KO,SAAS,qBAAqB,KAAqC;AACxE,MAAI,CAAC,OAAO,OAAO,QAAQ,UAAU;AACnC,UAAM,MAAM,iGAAiG;AAAA,EAC/G;AAGF;AAEO,SAAS,0BAA0B,KAAqC;AAC7E,uCAAoB,KAA2B,EAAE,OAAO,KAAK,CAAC;AAChE;;;AC+BA,IAAM,sBAAN,MAAyD;AAAA,EAUhD,YACG,cACA,cACR,SACA;AAHQ;AACA;AAMR,SAAK,yBAAyB,OAAO;AACrC,SAAK,iBAAiB;AAEtB,SAAK,iBAAiB;AACtB,SAAK,oBAAoB;AACzB,WAAO,OAAO,MAAM,OAAO;AAC3B,SAAK,WAAW,KAAK,aAAa;AAAA,EACpC;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAnBA,IAAW,eAAmC;AAC5C,WAAO,KAAK,wBAAwB,KAAK;AAAA,EAC3C;AAAA,EAmBO,sBAA+B;AACpC,UAAM,oBAAoB,KAAK,kBAAkB,UAAU,QAAQ,SAAS;AAC5E,UAAM,YAAY,KAAK,UAAU,UAAU,QAAQ,SAAS;AAC5D,UAAM,kBAAkB,KAAK,kBAAkB,UAAU,QAAQ,OAAO,KAAK;AAC7E,UAAM,UAAU,KAAK,UAAU,UAAU,QAAQ,OAAO,KAAK;AAK7D,QAAI,WAAW,CAAC,KAAK,eAAe,OAAO,GAAG;AAC5C,aAAO;AAAA,IACT;AAIA,QAAI,WAAW,CAAC,KAAK,uBAAuB,OAAO,GAAG;AACpD,aAAO;AAAA,IACT;AAGA,QAAI,CAAC,qBAAqB,CAAC,iBAAiB;AAC1C,aAAO;AAAA,IACT;AAEA,UAAM,EAAE,MAAM,YAAY,IAAI,UAAU,OAAO;AAC/C,UAAM,aAAa,aAAa,QAAQ,OAAO;AAC/C,UAAM,EAAE,MAAM,oBAAoB,IAAI,UAAU,eAAe;AAC/D,UAAM,qBAAqB,qBAAqB,QAAQ,OAAO;AAI/D,QAAI,sBAAsB,OAAO,cAAc,OAAO,aAAa,oBAAoB;AACrF,aAAO;AAAA,IACT;AAKA,QAAI,sBAAsB,OAAO,cAAc,KAAK;AAClD,aAAO;AAAA,IACT;AA+BA,QAAI,KAAK,iBAAiB,cAAc;AACtC,YAAM,2BAA2B,KAAK,eAAe,mBAAmB;AACxE,UAAI,sBAAsB,OAAO,cAAc,OAAO,0BAA0B;AAC9E,eAAO;AAAA,MACT;AAAA,IACF;AAMA,QAAI,CAAC,qBAAqB,iBAAiB;AACzC,aAAO;AAAA,IACT;AAEA,WAAO;AAAA,EACT;AAAA,EAEQ,yBAAyB,SAAqC;AACpE,8BAA0B,QAAQ,cAAc;AAChD,SAAK,iBAAiB,QAAQ;AAE9B,UAAM,SAAK,iCAAoB,KAAK,gBAAgB;AAAA,MAClD,OAAO;AAAA,MACP,UAAU,QAAQ;AAAA,MAClB,QAAQ,QAAQ;AAAA,IAClB,CAAC;AACD,SAAK,eAAe,GAAG;AACvB,SAAK,cAAc,GAAG;AAAA,EACxB;AAAA,EAEQ,mBAAmB;AACzB,SAAK,uBAAuB,KAAK,yBAAyB,KAAK,UAAU,UAAU,QAAQ,aAAa,CAAC;AACzG,SAAK,SAAS,KAAK,UAAU,UAAU,QAAQ,MAAM;AACrD,SAAK,OAAO,KAAK,UAAU,UAAU,QAAQ,IAAI;AACjD,SAAK,gBAAgB,KAAK,UAAU,UAAU,QAAQ,aAAa;AACnE,SAAK,iBACH,KAAK,UAAU,UAAU,QAAQ,wBAAwB,KAAK,KAAK,UAAU,UAAU,QAAQ,cAAc;AAC/G,SAAK,WAAW,KAAK,UAAU,UAAU,QAAQ,QAAQ;AACzD,SAAK,YAAY,KAAK,UAAU,UAAU,QAAQ,SAAS;AAC3D,SAAK,eAAe,KAAK,UAAU,UAAU,QAAQ,YAAY;AACjE,SAAK,SAAS,KAAK,UAAU,UAAU,QAAQ,MAAM;AAAA,EACvD;AAAA,EAEQ,mBAAmB;AAEzB,SAAK,uBAAuB,KAAK,8BAA8B,UAAU,QAAQ,OAAO;AACxF,SAAK,uBAAuB,KAAK,kBAAkB,UAAU,QAAQ,OAAO;AAC5E,SAAK,YAAY,OAAO,SAAS,KAAK,8BAA8B,UAAU,QAAQ,SAAS,KAAK,EAAE,KAAK;AAAA,EAC7G;AAAA,EAEQ,sBAAsB;AAC5B,SAAK,kBACH,KAAK,cAAc,UAAU,gBAAgB,UAAU,KACvD,KAAK,8BAA8B,UAAU,QAAQ,UAAU;AAEjE,SAAK,iBACH,KAAK,cAAc,UAAU,gBAAgB,SAAS,KAAK,KAAK,UAAU,UAAU,QAAQ,SAAS;AACvG,SAAK,+BAA+B,OAAO,KAAK,UAAU,UAAU,QAAQ,aAAa,CAAC,KAAK;AAAA,EACjG;AAAA,EAEQ,yBAAyB,WAA0D;AACzF,WAAO,WAAW,QAAQ,WAAW,EAAE;AAAA,EACzC;AAAA,EAEQ,cAAc,MAAc;AAClC,WAAO,KAAK,aAAa,SAAS,aAAa,IAAI,IAAI;AAAA,EACzD;AAAA,EAEQ,UAAU,MAAc;AAC9B,WAAO,KAAK,aAAa,QAAQ,IAAI,IAAI,KAAK;AAAA,EAChD;AAAA,EAEQ,UAAU,MAAc;AAC9B,WAAO,KAAK,aAAa,QAAQ,IAAI,IAAI,KAAK;AAAA,EAChD;AAAA,EAEQ,kBAAkB,MAAc;AACtC,WAAO,KAAK,cAAU,mCAAsB,MAAM,KAAK,YAAY,CAAC,KAAK;AAAA,EAC3E;AAAA,EAEQ,8BAA8B,YAAoB;AACxD,QAAI,KAAK,oBAAoB,GAAG;AAC9B,aAAO,KAAK,kBAAkB,UAAU;AAAA,IAC1C;AACA,WAAO,KAAK,UAAU,UAAU;AAAA,EAClC;AAAA,EAEQ,eAAe,OAAwB;AAC7C,UAAM,EAAE,MAAM,OAAO,IAAI,UAAU,KAAK;AACxC,QAAI,QAAQ;AACV,aAAO;AAAA,IACT;AACA,WAAO,CAAC,CAAC,KAAK,QAAQ;AAAA,EACxB;AAAA,EAEQ,uBAAuB,OAAwB;AACrD,QAAI,CAAC,OAAO;AACV,aAAO;AAAA,IACT;AAEA,UAAM,EAAE,MAAM,OAAO,IAAI,UAAU,KAAK;AACxC,QAAI,QAAQ;AACV,aAAO;AAAA,IACT;AACA,UAAM,cAAc,KAAK,QAAQ,IAAI,QAAQ,iBAAiB,EAAE;AAChE,WAAO,KAAK,gBAAgB;AAAA,EAC9B;AAAA,EAEQ,eAAe,KAA+B;AACpD,WAAO,CAAC,CAAC,OAAO,KAAK,QAAQ,OAAQ,KAAK,IAAI,IAAI,OAAS;AAAA,EAC7D;AACF;AAIO,IAAM,4BAA4B,OACvC,cACA,YACiC;AACjC,QAAM,eAAe,QAAQ,iBACzB,UAAM,6BAAgB,QAAQ,gBAAgB,QAAQ,OAAO,MAAM,IACnE;AACJ,SAAO,IAAI,oBAAoB,cAAc,cAAc,OAAO;AACpE;;;ACzQA,2BAAyC;;;ACAzC,IAAM,YAAY;AAClB,IAAM,2BAA2B,IAAI,OAAO,WAAW,YAAY,QAAQ,GAAG;AAIvE,SAAS,aAAa,MAA4B;AACvD,SAAO,KACJ,OAAO,OAAK,CAAC,EACb,KAAK,SAAS,EACd,QAAQ,0BAA0B,SAAS;AAChD;;;ACRO,IAAe,cAAf,MAA2B;AAAA,EAChC,YAAsB,SAA0B;AAA1B;AAAA,EAA2B;AAAA,EAEvC,UAAU,IAAY;AAC9B,QAAI,CAAC,IAAI;AACP,YAAM,IAAI,MAAM,kCAAkC;AAAA,IACpD;AAAA,EACF;AACF;;;ACNA,IAAM,WAAW;AAEV,IAAM,4BAAN,cAAwC,YAAY;AAAA,EACzD,MAAa,+BAA+B;AAC1C,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM;AAAA,IACR,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,2CAA2C;AACtD,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAU,UAAU,UAAU;AAAA,IACtC,CAAC;AAAA,EACH;AACF;;;ACfA,IAAMC,YAAW;AAOV,IAAM,yBAAN,cAAqC,YAAY;AAAA,EACtD,MAAa,6BAA6B;AACxC,WAAO,KAAK,QAA0D;AAAA,MACpE,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa,EAAE,WAAW,KAAK;AAAA,IACjC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,0BAA0B,QAAyC;AAC9E,WAAO,KAAK,QAA6B;AAAA,MACvC,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,0BAA0B,uBAA+B;AACpE,SAAK,UAAU,qBAAqB;AACpC,WAAO,KAAK,QAA6B;AAAA,MACvC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,qBAAqB;AAAA,IACjD,CAAC;AAAA,EACH;AACF;;;AC7BA,IAAMC,YAAW;AAEV,IAAM,YAAN,cAAwB,YAAY;AAAA,EACzC,MAAa,cAAc,SAAiC,CAAC,GAAG;AAC9D,WAAO,KAAK,QAA6C;AAAA,MACvD,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa,EAAE,GAAG,QAAQ,WAAW,KAAK;AAAA,IAC5C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,UAAU,UAAkB;AACvC,SAAK,UAAU,QAAQ;AACvB,WAAO,KAAK,QAAgB;AAAA,MAC1B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,QAAQ;AAAA,IACpC,CAAC;AAAA,EACH;AAAA,EAEO,aAAa,OAAe;AACjC,WAAO,KAAK,QAAgB;AAAA,MAC1B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,QAAQ;AAAA,MAClC,YAAY,EAAE,MAAM;AAAA,IACtB,CAAC;AAAA,EACH;AACF;;;AC7BA,IAAMC,YAAW;AAEV,IAAM,YAAN,cAAwB,YAAY;AAAA,EACzC,MAAa,aAAa,IAAY;AACpC,WAAO,KAAK,QAAuB;AAAA,MACjC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,EAAE;AAAA,IAC9B,CAAC;AAAA,EACH;AACF;;;ACTA,IAAMC,YAAW;AAcV,IAAM,kBAAN,cAA8B,YAAY;AAAA,EAC/C,MAAa,gBAAgB,gBAAwB;AACnD,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc;AAAA,IAC1C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,QAAkC;AAChE,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,gBAAwB,SAAmC,CAAC,GAAG;AAC7F,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc;AAAA,MACxC,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,gBAAwB;AACtD,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAuB;AAAA,MACjC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc;AAAA,IAC1C,CAAC;AAAA,EACH;AACF;;;AC/CA,IAAMC,YAAW;AAqCV,IAAM,gBAAN,cAA4B,YAAY;AAAA,EAC7C,MAAa,kBAAkB,SAAkC,CAAC,GAAG;AACnE,WAAO,KAAK,QAAiD;AAAA,MAC3D,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa,EAAE,GAAG,QAAQ,WAAW,KAAK;AAAA,IAC5C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,iBAAiB,QAAsB;AAClD,WAAO,KAAK,QAAoB;AAAA,MAC9B,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,iBAAiB,cAAsB;AAClD,SAAK,UAAU,YAAY;AAC3B,WAAO,KAAK,QAAoB;AAAA,MAC9B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc,QAAQ;AAAA,IAClD,CAAC;AAAA,EACH;AACF;;;ACpDA,IAAMC,YAAW;AA8GV,IAAM,kBAAN,cAA8B,YAAY;AAAA,EAC/C,MAAa,oBAAoB,QAAoC;AACnE,WAAO,KAAK,QAAmD;AAAA,MAC7D,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa;AAAA,IACf,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,QAAsB;AACpD,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,gBAAgB,QAA+B;AAC1D,UAAM,EAAE,oBAAoB,IAAI;AAChC,UAAM,uBAAuB,oBAAoB,SAAS,OAAO,iBAAiB,OAAO;AACzF,SAAK,UAAU,oBAAoB;AAEnC,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,oBAAoB;AAAA,MAC9C,aAAa;AAAA,QACX;AAAA,MACF;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,gBAAwB,QAAsB;AAC5E,SAAK,UAAU,cAAc;AAC7B,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc;AAAA,MACxC,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,uBAAuB,gBAAwB,QAA0B;AACpF,SAAK,UAAU,cAAc;AAE7B,UAAM,WAAW,IAAI,QAAQ,SAAS;AACtC,aAAS,OAAO,QAAQ,QAAQ,IAAI;AACpC,QAAI,QAAQ,gBAAgB;AAC1B,eAAS,OAAO,oBAAoB,QAAQ,cAAc;AAAA,IAC5D;AAEA,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,MAAM;AAAA,MAChD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,uBAAuB,gBAAwB;AAC1D,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,MAAM;AAAA,IAClD,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,2BAA2B,gBAAwB,QAA8B;AAC5F,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,UAAU;AAAA,MACpD,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,gBAAwB;AACtD,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,cAAc;AAAA,IAC1C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,8BAA8B,QAA6C;AACtF,UAAM,EAAE,gBAAgB,GAAG,YAAY,IAAI;AAC3C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAA6D;AAAA,MACvE,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,aAAa;AAAA,MACvD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,6BAA6B,QAA4C;AACpF,UAAM,EAAE,gBAAgB,GAAG,WAAW,IAAI;AAC1C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,aAAa;AAAA,MACvD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,6BAA6B,QAA4C;AACpF,UAAM,EAAE,gBAAgB,QAAQ,GAAG,WAAW,IAAI;AAClD,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,eAAe,MAAM;AAAA,MAC/D;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,qCAAqC,QAAoD;AACpG,UAAM,EAAE,gBAAgB,QAAQ,GAAG,WAAW,IAAI;AAElD,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,eAAe,QAAQ,UAAU;AAAA,MAC3E;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,6BAA6B,QAA4C;AACpF,UAAM,EAAE,gBAAgB,OAAO,IAAI;AACnC,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,eAAe,MAAM;AAAA,IACjE,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,8BAA8B,QAA6C;AACtF,UAAM,EAAE,gBAAgB,GAAG,YAAY,IAAI;AAC3C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAA6D;AAAA,MACvE,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,aAAa;AAAA,MACvD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,6BAA6B,QAA4C;AACpF,UAAM,EAAE,gBAAgB,GAAG,WAAW,IAAI;AAC1C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,aAAa;AAAA,MACvD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,0BAA0B,QAAyC;AAC9E,UAAM,EAAE,gBAAgB,aAAa,IAAI;AACzC,SAAK,UAAU,cAAc;AAC7B,SAAK,UAAU,YAAY;AAE3B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,eAAe,YAAY;AAAA,IACvE,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,6BAA6B,QAA4C;AACpF,UAAM,EAAE,gBAAgB,cAAc,GAAG,WAAW,IAAI;AACxD,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAgC;AAAA,MAC1C,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,eAAe,cAAc,QAAQ;AAAA,MAC/E;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,0BAA0B,QAAyC;AAC9E,UAAM,EAAE,gBAAgB,GAAG,YAAY,IAAI;AAC3C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAAyD;AAAA,MACnE,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,SAAS;AAAA,MACnD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,yBAAyB,QAAwC;AAC5E,UAAM,EAAE,gBAAgB,GAAG,WAAW,IAAI;AAC1C,SAAK,UAAU,cAAc;AAE7B,WAAO,KAAK,QAA4B;AAAA,MACtC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,SAAS;AAAA,MACnD,YAAY;AAAA,QACV,GAAG;AAAA,QACH,UAAU,WAAW,YAAY;AAAA,MACnC;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,yBAAyB,QAAwC;AAC5E,UAAM,EAAE,gBAAgB,UAAU,GAAG,WAAW,IAAI;AACpD,SAAK,UAAU,cAAc;AAC7B,SAAK,UAAU,QAAQ;AAEvB,WAAO,KAAK,QAA4B;AAAA,MACtC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,WAAW,QAAQ;AAAA,MAC7D;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,yBAAyB,QAAwC;AAC5E,UAAM,EAAE,gBAAgB,SAAS,IAAI;AACrC,SAAK,UAAU,cAAc;AAC7B,SAAK,UAAU,QAAQ;AAEvB,WAAO,KAAK,QAA4B;AAAA,MACtC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,gBAAgB,WAAW,QAAQ;AAAA,IAC/D,CAAC;AAAA,EACH;AACF;;;AC5VA,IAAMC,YAAW;AAgBV,IAAM,iBAAN,cAA6B,YAAY;AAAA,EAC9C,MAAa,eAAe,eAAuB;AACjD,SAAK,UAAU,aAAa;AAE5B,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,aAAa;AAAA,IACzC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,QAAiC;AAC9D,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,eAAuB,SAAkC,CAAC,GAAG;AAC1F,SAAK,UAAU,aAAa;AAE5B,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,aAAa;AAAA,MACvC,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,eAAuB;AACpD,SAAK,UAAU,aAAa;AAE5B,WAAO,KAAK,QAAuB;AAAA,MACjC,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,aAAa;AAAA,IACzC,CAAC;AAAA,EACH;AACF;;;ACnDA,IAAMC,YAAW;AAMV,IAAM,iBAAN,cAA6B,YAAY;AAAA,EAC9C,MAAa,qBAAqB;AAChC,WAAO,KAAK,QAAkD;AAAA,MAC5D,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa,EAAE,WAAW,KAAK;AAAA,IACjC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,eAAe,eAAuB;AACjD,SAAK,UAAU,aAAa;AAC5B,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,aAAa;AAAA,IACzC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,QAAiC;AAC9D,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,eAAuB;AACpD,SAAK,UAAU,aAAa;AAC5B,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAM,UAAUA,WAAU,aAAa;AAAA,IACzC,CAAC;AAAA,EACH;AACF;;;AClCA,IAAMC,aAAW;AAkBV,IAAM,aAAN,cAAyB,YAAY;AAAA,EAC1C,MAAa,eAAe,SAA4B,CAAC,GAAG;AAC1D,WAAO,KAAK,QAA8C;AAAA,MACxD,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa,EAAE,GAAG,QAAQ,WAAW,KAAK;AAAA,IAC5C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,WAAmB;AACzC,SAAK,UAAU,SAAS;AACxB,WAAO,KAAK,QAAiB;AAAA,MAC3B,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,SAAS;AAAA,IACrC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,cAAc,WAAmB;AAC5C,SAAK,UAAU,SAAS;AACxB,WAAO,KAAK,QAAiB;AAAA,MAC3B,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,WAAW,QAAQ;AAAA,IAC/C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,cAAc,WAAmB,OAAe;AAC3D,SAAK,UAAU,SAAS;AACxB,WAAO,KAAK,QAAiB;AAAA,MAC3B,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,WAAW,QAAQ;AAAA,MAC7C,YAAY,EAAE,MAAM;AAAA,IACtB,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,SAAS,WAAmB,UAAkB;AACzD,SAAK,UAAU,SAAS;AACxB,WAAO,KAAK,QAAe;AAAA,MACzB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,WAAW,UAAU,YAAY,EAAE;AAAA,IAC/D,CAAC;AAAA,EACH;AAAA,EAKA,MAAa,eAAe,WAAmB,QAAsD;AACnG,SAAK,UAAU,SAAS;AACxB,UAAM,EAAE,kBAAkB,GAAG,WAAW,IAAI;AAC5C,WAAO,KAAK,QAAQ;AAAA,MAClB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,WAAW,SAAS;AAAA,MAC9C,YAAY;AAAA,MACZ,aAAa,EAAE,iBAAiB;AAAA,IAClC,CAAC;AAAA,EACH;AACF;;;ACzEA,IAAMC,aAAW;AAEV,IAAM,iBAAN,cAA6B,YAAY;AAAA,EAC9C,MAAa,kBAAkB,QAAkC;AAC/D,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,eAAuB;AACpD,SAAK,UAAU,aAAa;AAC5B,WAAO,KAAK,QAAqB;AAAA,MAC/B,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,eAAe,QAAQ;AAAA,IACnD,CAAC;AAAA,EACH;AACF;;;ACjBA,IAAMC,aAAW;AAgHV,IAAM,UAAN,cAAsB,YAAY;AAAA,EACvC,MAAa,YAAY,SAAyB,CAAC,GAAG;AACpD,UAAM,EAAE,OAAO,QAAQ,SAAS,GAAG,gBAAgB,IAAI;AAIvD,UAAM,CAAC,MAAM,UAAU,IAAI,MAAM,QAAQ,IAAI;AAAA,MAC3C,KAAK,QAAgB;AAAA,QACnB,QAAQ;AAAA,QACR,MAAMA;AAAA,QACN,aAAa;AAAA,MACf,CAAC;AAAA,MACD,KAAK,SAAS,eAAe;AAAA,IAC/B,CAAC;AACD,WAAO,EAAE,MAAM,WAAW;AAAA,EAC5B;AAAA,EAEA,MAAa,QAAQ,QAAgB;AACnC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,MAAM;AAAA,IAClC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,QAA0B;AAChD,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,QAAgB,SAA2B,CAAC,GAAG;AACrE,SAAK,UAAU,MAAM;AAErB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,MAAM;AAAA,MAChC,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,uBAAuB,QAAgB,QAA+B;AACjF,SAAK,UAAU,MAAM;AAErB,UAAM,WAAW,IAAI,QAAQ,SAAS;AACtC,aAAS,OAAO,QAAQ,QAAQ,IAAI;AAEpC,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,eAAe;AAAA,MACjD;AAAA,IACF,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,mBAAmB,QAAgB,QAA4B;AAC1E,SAAK,UAAU,MAAM;AAErB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,UAAU;AAAA,MAC5C,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,QAAgB;AACtC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,MAAM;AAAA,IAClC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,SAAS,SAA0B,CAAC,GAAG;AAClD,WAAO,KAAK,QAAgB;AAAA,MAC1B,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,OAAO;AAAA,MACjC,aAAa;AAAA,IACf,CAAC;AAAA,EACH;AAAA,EAWA,MAAa,wBAAwB,QAAgB,UAAoD;AACvG,SAAK,UAAU,MAAM;AACrB,UAAM,YAAY,SAAS,WAAW,QAAQ;AAC9C,UAAM,YAAY,YAAY,WAAW,SAAS,QAAQ;AAE1D,QAAI,WAAW;AACb;AAAA,QACE;AAAA,QACA;AAAA,MACF;AAAA,IACF;AAEA,WAAO,KAAK,QAAuD;AAAA,MACjE,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,uBAAuB,SAAS;AAAA,MAClE,aAAa,EAAE,WAAW,KAAK;AAAA,IACjC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,eAAe,QAAgB;AAC1C,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,KAAK;AAAA,IACzC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,8BAA8B,QAA6C;AACtF,UAAM,EAAE,QAAQ,OAAO,OAAO,IAAI;AAClC,SAAK,UAAU,MAAM;AAErB,WAAO,KAAK,QAA6D;AAAA,MACvE,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,0BAA0B;AAAA,MAC5D,aAAa,EAAE,OAAO,OAAO;AAAA,IAC/B,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,eAAe,QAA8B;AACxD,UAAM,EAAE,QAAQ,SAAS,IAAI;AAC7B,SAAK,UAAU,MAAM;AAErB,WAAO,KAAK,QAA4B;AAAA,MACtC,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,iBAAiB;AAAA,MACnD,YAAY,EAAE,SAAS;AAAA,IACzB,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,QAA0B;AAChD,UAAM,EAAE,QAAQ,KAAK,IAAI;AACzB,SAAK,UAAU,MAAM;AAErB,WAAO,KAAK,QAA+C;AAAA,MACzD,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,aAAa;AAAA,MAC/C,YAAY,EAAE,KAAK;AAAA,IACrB,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,QAAQ,QAAgB;AACnC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,KAAK;AAAA,IACzC,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,UAAU,QAAgB;AACrC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,OAAO;AAAA,IAC3C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,SAAS,QAAgB;AACpC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,MAAM;AAAA,IAC1C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,WAAW,QAAgB;AACtC,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,QAAQ;AAAA,IAC5C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,uBAAuB,QAAgB;AAClD,SAAK,UAAU,MAAM;AACrB,WAAO,KAAK,QAAc;AAAA,MACxB,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,QAAQ,eAAe;AAAA,IACnD,CAAC;AAAA,EACH;AACF;;;AClTA,IAAMC,aAAW;AA8CV,IAAM,oBAAN,cAAgC,YAAY;AAAA,EACjD,MAAa,sBAAsB,SAAmC,CAAC,GAAG;AACxE,WAAO,KAAK,QAA0B;AAAA,MACpC,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,aAAa;AAAA,IACf,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,qBAAqB,QAAoC;AACpE,WAAO,KAAK,QAAwB;AAAA,MAClC,QAAQ;AAAA,MACR,MAAMA;AAAA,MACN,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,kBAAkB,kBAA0B;AACvD,SAAK,UAAU,gBAAgB;AAC/B,WAAO,KAAK,QAAwB;AAAA,MAClC,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,gBAAgB;AAAA,IAC5C,CAAC;AAAA,EACH;AAAA,EAEA,MAAa,qBAAqB,kBAA0B,SAAqC,CAAC,GAAG;AACnG,SAAK,UAAU,gBAAgB;AAE/B,WAAO,KAAK,QAAwB;AAAA,MAClC,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,gBAAgB;AAAA,MAC1C,YAAY;AAAA,IACd,CAAC;AAAA,EACH;AAAA,EACA,MAAa,qBAAqB,kBAA0B;AAC1D,SAAK,UAAU,gBAAgB;AAC/B,WAAO,KAAK,QAAwB;AAAA,MAClC,QAAQ;AAAA,MACR,MAAM,UAAUA,YAAU,gBAAgB;AAAA,IAC5C,CAAC;AAAA,EACH;AACF;;;AC1FA,IAAMC,aAAW;AAEV,IAAM,kBAAN,cAA8B,YAAY;AAAA,EAC/C,MAAa,qBAAqB;AAChC,WAAO,KAAK,QAAsB;AAAA,MAChC,QAAQ;AAAA,MACR,MAAMA;AAAA,IACR,CAAC;AAAA,EACH;AACF;;;ACZA,IAAAC,gBAAkD;AAElD,4BAA0B;;;ACAnB,IAAM,yBAAN,MAAM,wBAAuB;AAAA,EAClC,YACW,gBACA,WACA,UACA,YACT;AAJS;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA0D;AACxE,WAAO,IAAI,wBAAuB,KAAK,iBAAiB,KAAK,YAAY,KAAK,WAAW,KAAK,YAAY;AAAA,EAC5G;AACF;;;ACXO,IAAM,sBAAN,MAAM,qBAAoB;AAAA,EAC/B,YACW,IACA,YACA,WACA,WACA,cACT;AALS;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAoD;AAClE,WAAO,IAAI,qBAAoB,KAAK,IAAI,KAAK,YAAY,KAAK,YAAY,KAAK,YAAY,KAAK,aAAa;AAAA,EAC/G;AACF;;;ACZO,IAAM,kBAAN,MAAM,iBAAgB;AAAA,EAC3B,YACW,IACA,UACA,WACA,MACA,SACA,gBACA,aACA,YACT;AARS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA4C;AAC1D,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;AAEO,IAAM,UAAN,MAAM,SAAQ;AAAA,EACnB,YACW,IACA,UACA,QACA,QACA,cACA,UACA,WACA,WACA,WACA,0BACA,gBACA,QAAwC,MACjD;AAZS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA4B;AAC1C,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,mBAAmB,gBAAgB,SAAS,KAAK,eAAe;AAAA,MACrE,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACzDO,IAAM,SAAN,MAAM,QAAO;AAAA,EAClB,YACW,IACA,YACA,UACA,UACA,UACA,qBACA,WACA,WACT;AARS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA0B;AACxC,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,SAAS,IAAI,OAAK,QAAQ,SAAS,CAAC,CAAC;AAAA,MAC1C,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACzBO,IAAMC,WAAN,MAAM,SAAQ;AAAA,EACnB,YAAqB,SAAmB;AAAnB;AAAA,EAAoB;AAAA,EAEzC,OAAO,SAAS,MAA4B;AAC1C,WAAO,IAAI,SAAQ,KAAK,OAAO;AAAA,EACjC;AACF;;;ACNO,IAAM,gBAAN,MAAM,eAAc;AAAA,EACzB,YACW,QACA,IACA,MACA,SACT;AAJS;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAyB;AACvC,WAAO,IAAI,eAAc,KAAK,QAAQ,KAAK,MAAM,MAAM,KAAK,QAAQ,MAAM,KAAK,OAAO;AAAA,EACxF;AACF;;;ACXO,IAAM,QAAN,MAAM,OAAM;AAAA,EACjB,YACW,IACA,eACA,gBACA,gBACA,SACA,MACA,WACA,QACA,MACA,MACA,kBACT;AAXS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAwB;AACtC,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;AC9BO,IAAM,qBAAN,MAAM,oBAAmB;AAAA,EAC9B,YACW,IACA,MACT;AAFS;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkD;AAChE,WAAO,IAAI,oBAAmB,KAAK,IAAI,KAAK,IAAI;AAAA,EAClD;AACF;;;ACTO,IAAM,eAAN,MAAM,cAAa;AAAA,EACxB,YACW,QACA,UACA,kCAA8C,MAC9C,WAA0B,MAC1B,WAA0B,MAC1B,QAAuB,MACvB,UAAyB,MAClC;AAPS;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAsC;AACpD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,qCAAqC,IAAI,IAAI,KAAK,kCAAkC,IAAI;AAAA,MAC7F,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACnBO,IAAM,eAAN,MAAM,cAAa;AAAA,EACxB,YACW,IACA,cACA,cACA,UACT;AAJS;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAsC;AACpD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,gBAAgB,aAAa,SAAS,KAAK,YAAY;AAAA,MAC5D,KAAK,UAAU,IAAI,UAAQ,mBAAmB,SAAS,IAAI,CAAC;AAAA,IAC9D;AAAA,EACF;AACF;;;ACjBO,IAAM,kBAAN,MAAM,iBAAgB;AAAA,EAC3B,YACW,IACA,UACA,kBACA,YACA,gBACA,cACA,WACA,UACA,UACA,UACA,iBAAiD,CAAC,GAClD,OACA,cACT;AAbS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA4C;AAC1D,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,aAAa;AAAA,MAClB,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,gBAAgB,aAAa,SAAS,KAAK,YAAY;AAAA,IAC9D;AAAA,EACF;AACF;;;AClCO,IAAM,aAAN,MAAM,YAAW;AAAA,EACtB,YACW,IACA,cACA,gBACA,WACA,WACA,QACA,KACA,SACT;AARS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkC;AAChD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;AChBO,IAAM,aAAa;AAAA,EACxB,wBAAwB;AAAA,EACxB,qBAAqB;AAAA,EACrB,QAAQ;AAAA,EACR,SAAS;AAAA,EACT,OAAO;AAAA,EACP,cAAc;AAAA,EACd,iBAAiB;AAAA,EACjB,iBAAiB;AAAA,EACjB,eAAe;AAAA,EACf,YAAY;AAAA,EACZ,kBAAkB;AAAA,EAClB,cAAc;AAAA,EACd,oBAAoB;AAAA,EACpB,wBAAwB;AAAA,EACxB,wBAAwB;AAAA,EACxB,aAAa;AAAA,EACb,aAAa;AAAA,EACb,aAAa;AAAA,EACb,SAAS;AAAA,EACT,eAAe;AAAA,EACf,aAAa;AAAA,EACb,eAAe;AAAA,EACf,YAAY;AAAA,EACZ,MAAM;AAAA,EACN,YAAY;AAAA,EACZ,OAAO;AAAA,EACP,YAAY;AAAA,EACZ,cAAc;AAAA,EACd,MAAM;AAAA,EACN,YAAY;AACd;;;ACxCO,IAAM,mBAAN,MAAM,kBAAiB;AAAA,EAC5B,YACW,mBACA,UACA,OACA,iBAA0C,CAAC,GAC3C,OACA,QACA,aACT;AAPS;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAA4B;AAC1C,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,SAAS;AAAA,MACd,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACtBO,IAAM,eAAN,MAAM,cAAa;AAAA,EACxB,YACW,IACA,MACA,MACA,UACA,UACA,WACA,WACA,iBAAoD,CAAC,GACrD,kBAA+C,CAAC,GAChD,uBACA,oBACA,cACA,WACT;AAbS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAsC;AACpD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,aAAa;AAAA,MAClB,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACjCO,IAAM,yBAAN,MAAM,wBAAuB;AAAA,EAClC,YACW,IACA,cACA,MACA,gBACA,WACA,WACA,QACA,iBAAuD,CAAC,GACxD,kBAAyD,CAAC,GACnE;AATS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkC;AAChD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACzBO,IAAM,yBAAN,MAAM,wBAAuB;AAAA,EAClC,YACW,IACA,MACA,aACA,iBAAuD,CAAC,GACxD,kBAAyD,CAAC,GAC1D,WACA,WACA,cACA,gBACT;AATS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkC;AAChD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,aAAa,SAAS,KAAK,YAAY;AAAA,MACvC,qCAAqC,SAAS,KAAK,gBAAgB;AAAA,IACrE;AAAA,EACF;AACF;AAEO,IAAM,uCAAN,MAAM,sCAAqC;AAAA,EAChD,YACW,YACA,WACA,UACA,UACA,UACA,QACT;AANS;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAgD;AAC9D,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;AChDO,IAAM,cAAN,MAAM,aAAY;AAAA,EACvB,YACW,IACA,aACA,yBACA,qBACA,cACA,UACT;AANS;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAoC;AAClD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,gBAAgB,aAAa,SAAS,KAAK,YAAY;AAAA,MAC5D,KAAK,UAAU,IAAI,UAAQ,mBAAmB,SAAS,IAAI,CAAC;AAAA,IAC9D;AAAA,EACF;AACF;;;ACtBO,IAAM,cAAN,MAAM,aAAY;AAAA,EACvB,YACW,IACA,KACA,WACA,WACT;AAJS;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAoC;AAClD,WAAO,IAAI,aAAY,KAAK,IAAI,KAAK,KAAK,KAAK,YAAY,KAAK,UAAU;AAAA,EAC5E;AACF;;;ACXO,IAAM,cAAN,MAAM,aAAY;AAAA,EACvB,YACW,IACA,QACA,OACA,QACA,KACA,WACA,WACT;AAPS;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAoC;AAClD,WAAO,IAAI,aAAY,KAAK,IAAI,KAAK,SAAS,KAAK,OAAO,KAAK,QAAQ,KAAK,KAAK,KAAK,YAAY,KAAK,UAAU;AAAA,EACnH;AACF;;;ACdO,IAAM,aAAN,MAAM,YAAW;AAAA,EACtB,YACW,IACA,iBACA,eACA,SACA,QACA,eACA,MACT;AAPS;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkC;AAChD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;ACtBO,IAAM,QAAN,MAAM,OAAM;AAAA,EACjB,YAAqB,KAAa;AAAb;AAAA,EAAc;AAAA,EAEnC,OAAO,SAAS,MAAwB;AACtC,WAAO,IAAI,OAAM,KAAK,GAAG;AAAA,EAC3B;AACF;;;AC6CO,IAAM,wBAAN,MAAM,uBAAsB;AAAA,EACjC,YACW,IACA,MACA,QACA,QACA,UACA,oBACA,iBACA,mBACA,WACA,WACT;AAVS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EACH,OAAO,SAAS,MAAwD;AACtE,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AAAA,EACF;AACF;;;AC5EO,IAAM,cAAN,MAAM,aAAY;AAAA,EACvB,YACW,IACA,UACA,gBACA,QACA,cACA,WACA,UACA,cACA,gBACT;AATS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAoC;AAClD,WAAO,IAAI;AAAA,MACT,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK,gBAAgB,aAAa,SAAS,KAAK,YAAY;AAAA,MAC5D,KAAK,mBAAmB,sBAAsB,SAAS,KAAK,eAAe;AAAA,IAC7E;AAAA,EACF;AACF;;;AC3BO,IAAM,aAAN,MAAM,YAAW;AAAA,EACtB,YACW,IACA,YACA,cACT;AAHS;AACA;AACA;AAAA,EACR;AAAA,EAEH,OAAO,SAAS,MAAkC;AAChD,WAAO,IAAI,YAAW,KAAK,IAAI,KAAK,aAAa,KAAK,gBAAgB,aAAa,SAAS,KAAK,YAAY,CAAC;AAAA,EAChH;AACF;;;ACNO,IAAM,OAAN,MAAM,MAAK;AAAA,EAOhB,YACW,IACA,iBACA,aACA,mBACA,kBACA,QACA,QACA,WACA,WACA,UACA,UACA,uBACA,sBACA,qBACA,cACA,YACA,UACA,WACA,UACA,iBAAqC,CAAC,GACtC,kBAAuC,CAAC,GACxC,iBAAqC,CAAC,GACtC,iBAAiC,CAAC,GAClC,eAA8B,CAAC,GAC/B,cAA4B,CAAC,GAC7B,mBAAsC,CAAC,GACvC,eAA8B,CAAC,GAC/B,cACA,2BACA,2BAA0C,MAC1C,mBACA,iBACT;AAhCS;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAtCX,SAAQ,OAAwB;AAAA,EAuC7B;AAAA,EArCH,IAAW,MAAuB;AAChC,WAAO,KAAK;AAAA,EACd;AAAA,EAqCA,OAAO,SAAS,MAAsB;AACpC,UAAM,MAAM,IAAI;AAAA,MACd,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,OACJ,KAAK,mBAAmB,CAAC,GAAG,IAAI,OAAK,aAAa,SAAS,CAAC,CAAC;AAAA,OAC7D,KAAK,iBAAiB,CAAC,GAAG,IAAI,OAAK,YAAY,SAAS,CAAC,CAAC;AAAA,OAC1D,KAAK,gBAAgB,CAAC,GAAG,IAAI,OAAK,WAAW,SAAS,CAAC,CAAC;AAAA,OACxD,KAAK,qBAAqB,CAAC,GAAG,IAAI,CAAC,MAA2B,gBAAgB,SAAS,CAAC,CAAC;AAAA,OACzF,KAAK,iBAAiB,CAAC,GAAG,IAAI,CAAC,MAAuB,YAAY,SAAS,CAAC,CAAC;AAAA,MAC9E,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,MACL,KAAK;AAAA,IACP;AACA,QAAI,OAAO;AACX,WAAO;AAAA,EACT;AAAA,EAEA,IAAI,sBAAsB;AACxB,WAAO,KAAK,eAAe,KAAK,CAAC,EAAE,GAAG,MAAM,OAAO,KAAK,qBAAqB,KAAK;AAAA,EACpF;AAAA,EAEA,IAAI,qBAAqB;AACvB,WAAO,KAAK,aAAa,KAAK,CAAC,EAAE,GAAG,MAAM,OAAO,KAAK,oBAAoB,KAAK;AAAA,EACjF;AAAA,EAEA,IAAI,oBAAoB;AACtB,WAAO,KAAK,YAAY,KAAK,CAAC,EAAE,GAAG,MAAM,OAAO,KAAK,mBAAmB,KAAK;AAAA,EAC/E;AAAA,EAEA,IAAI,WAAW;AACb,WAAO,CAAC,KAAK,WAAW,KAAK,QAAQ,EAAE,KAAK,GAAG,EAAE,KAAK,KAAK;AAAA,EAC7D;AACF;;;ACvEO,SAAS,YAAqB,SAAsE;AACzG,MAAI,MAAM;AAEV,MAAI,MAAM,QAAQ,OAAO,GAAG;AAC1B,UAAMC,QAAO,QAAQ,IAAI,UAAQ,aAAa,IAAI,CAAC;AACnD,WAAO,EAAE,MAAAA,MAAK;AAAA,EAChB,WAAW,YAAY,OAAO,GAAG;AAC/B,WAAO,QAAQ,KAAK,IAAI,UAAQ,aAAa,IAAI,CAAC;AAClD,iBAAa,QAAQ;AAErB,WAAO,EAAE,MAAM,WAAW;AAAA,EAC5B,OAAO;AACL,WAAO,EAAE,MAAM,aAAa,OAAO,EAAE;AAAA,EACvC;AACF;AAEA,SAAS,YAAY,SAAoD;AACvE,MAAI,CAAC,WAAW,OAAO,YAAY,YAAY,EAAE,UAAU,UAAU;AACnE,WAAO;AAAA,EACT;AAEA,SAAO,MAAM,QAAQ,QAAQ,IAAI,KAAK,QAAQ,SAAS;AACzD;AAEA,SAAS,SAAS,MAA6B;AAC7C,SAAO,KAAK;AACd;AAGA,SAAS,aAAa,MAAgB;AAGpC,MAAI,OAAO,SAAS,YAAY,YAAY,QAAQ,aAAa,MAAM;AACrE,WAAO,cAAc,SAAS,IAAI;AAAA,EACpC;AAEA,UAAQ,KAAK,QAAQ;AAAA,IACnB,KAAK,WAAW;AACd,aAAO,uBAAuB,SAAS,IAAI;AAAA,IAC7C,KAAK,WAAW;AACd,aAAO,oBAAoB,SAAS,IAAI;AAAA,IAC1C,KAAK,WAAW;AACd,aAAO,OAAO,SAAS,IAAI;AAAA,IAC7B,KAAK,WAAW;AACd,aAAOC,SAAQ,SAAS,IAAI;AAAA,IAC9B,KAAK,WAAW;AACd,aAAO,aAAa,SAAS,IAAI;AAAA,IACnC,KAAK,WAAW;AACd,aAAO,MAAM,SAAS,IAAI;AAAA,IAC5B,KAAK,WAAW;AACd,aAAO,WAAW,SAAS,IAAI;AAAA,IACjC,KAAK,WAAW;AACd,aAAO,iBAAiB,SAAS,IAAI;AAAA,IACvC,KAAK,WAAW;AACd,aAAO,aAAa,SAAS,IAAI;AAAA,IACnC,KAAK,WAAW;AACd,aAAO,uBAAuB,SAAS,IAAI;AAAA,IAC7C,KAAK,WAAW;AACd,aAAO,uBAAuB,SAAS,IAAI;AAAA,IAC7C,KAAK,WAAW;AACd,aAAO,YAAY,SAAS,IAAI;AAAA,IAClC,KAAK,WAAW;AACd,aAAO,YAAY,SAAS,IAAI;AAAA,IAClC,KAAK,WAAW;AACd,aAAO,YAAY,SAAS,IAAI;AAAA,IAClC,KAAK,WAAW;AACd,aAAO,QAAQ,SAAS,IAAI;AAAA,IAC9B,KAAK,WAAW;AACd,aAAO,WAAW,SAAS,IAAI;AAAA,IACjC,KAAK,WAAW;AACd,aAAO,MAAM,SAAS,IAAI;AAAA,IAC5B,KAAK,WAAW;AACd,aAAO,SAAS,IAAI;AAAA,IACtB,KAAK,WAAW;AACd,aAAO,KAAK,SAAS,IAAI;AAAA,IAC3B;AACE,aAAO;AAAA,EACX;AACF;;;A3BnDO,SAAS,aAAa,SAA8B;AACzD,QAAM,YAAY,OAAU,mBAAuF;AACjH,UAAM;AAAA,MACJ;AAAA,MACA,mBAAmB;AAAA,MACnB,SAAS;AAAA,MACT,aAAa;AAAA,MACb,YAAY;AAAA,IACd,IAAI;AACJ,UAAM,EAAE,MAAM,QAAQ,aAAa,cAAc,YAAY,SAAS,IAAI;AAE1E,QAAI,kBAAkB;AACpB,2BAAqB,SAAS;AAAA,IAChC;AAEA,UAAM,MAAM,UAAU,QAAQ,YAAY,IAAI;AAG9C,UAAM,WAAW,IAAI,IAAI,GAAG;AAE5B,QAAI,aAAa;AAEf,YAAM,4BAAwB,sBAAAC,SAAc,EAAE,GAAG,YAAY,CAAC;AAG9D,iBAAW,CAAC,KAAK,GAAG,KAAK,OAAO,QAAQ,qBAAqB,GAAG;AAC9D,YAAI,KAAK;AACP,WAAC,GAAG,EAAE,KAAK,EAAE,QAAQ,OAAK,SAAS,aAAa,OAAO,KAAK,CAAW,CAAC;AAAA,QAC1E;AAAA,MACF;AAAA,IACF;AAGA,UAAM,UAA+B;AAAA,MACnC,eAAe,UAAU,SAAS;AAAA,MAClC,qBAAqB;AAAA,MACrB,cAAc;AAAA,MACd,GAAG;AAAA,IACL;AAEA,QAAI;AACJ,QAAI;AACF,UAAI,UAAU;AACZ,cAAM,MAAM,QAAQ,MAAM,SAAS,MAAM;AAAA,UACvC;AAAA,UACA;AAAA,UACA,MAAM;AAAA,QACR,CAAC;AAAA,MACH,OAAO;AAEL,gBAAQ,cAAc,IAAI;AAE1B,cAAM,UAAU,WAAW,SAAS,cAAc,OAAO,KAAK,UAAU,EAAE,SAAS;AACnF,cAAM,OAAO,UAAU,EAAE,MAAM,KAAK,cAAU,sBAAAA,SAAc,YAAY,EAAE,MAAM,MAAM,CAAC,CAAC,EAAE,IAAI;AAE9F,cAAM,MAAM,QAAQ,MAAM,SAAS,MAAM;AAAA,UACvC;AAAA,UACA;AAAA,UACA,GAAG;AAAA,QACL,CAAC;AAAA,MACH;AAGA,YAAM,iBACJ,KAAK,WAAW,IAAI,SAAS,IAAI,UAAU,QAAQ,WAAW,MAAM,UAAU,aAAa;AAC7F,YAAM,eAAe,OAAO,iBAAiB,IAAI,KAAK,IAAI,IAAI,KAAK;AAEnE,UAAI,CAAC,IAAI,IAAI;AACX,eAAO;AAAA,UACL,MAAM;AAAA,UACN,QAAQ,YAAY,YAAY;AAAA,UAChC,QAAQ,KAAK;AAAA,UACb,YAAY,KAAK;AAAA,UACjB,cAAc,WAAW,cAAc,KAAK,OAAO;AAAA,QACrD;AAAA,MACF;AAEA,aAAO;AAAA,QACL,GAAG,YAAe,YAAY;AAAA,QAC9B,QAAQ;AAAA,MACV;AAAA,IACF,SAAS,KAAK;AACZ,UAAI,eAAe,OAAO;AACxB,eAAO;AAAA,UACL,MAAM;AAAA,UACN,QAAQ;AAAA,YACN;AAAA,cACE,MAAM;AAAA,cACN,SAAS,IAAI,WAAW;AAAA,YAC1B;AAAA,UACF;AAAA,UACA,cAAc,WAAW,KAAK,KAAK,OAAO;AAAA,QAC5C;AAAA,MACF;AAEA,aAAO;AAAA,QACL,MAAM;AAAA,QACN,QAAQ,YAAY,GAAG;AAAA,QACvB,QAAQ,KAAK;AAAA,QACb,YAAY,KAAK;AAAA,QACjB,cAAc,WAAW,KAAK,KAAK,OAAO;AAAA,MAC5C;AAAA,IACF;AAAA,EACF;AAEA,SAAO,wBAAwB,SAAS;AAC1C;AAIA,SAAS,WAAW,MAAe,SAA2B;AAC5D,MAAI,QAAQ,OAAO,SAAS,YAAY,oBAAoB,QAAQ,OAAO,KAAK,mBAAmB,UAAU;AAC3G,WAAO,KAAK;AAAA,EACd;AAEA,QAAM,QAAQ,SAAS,IAAI,QAAQ;AACnC,SAAO,SAAS;AAClB;AAEA,SAAS,YAAY,MAAgC;AACnD,MAAI,CAAC,CAAC,QAAQ,OAAO,SAAS,YAAY,YAAY,MAAM;AAC1D,UAAM,SAAS,KAAK;AACpB,WAAO,OAAO,SAAS,IAAI,OAAO,IAAI,wBAAU,IAAI,CAAC;AAAA,EACvD;AACA,SAAO,CAAC;AACV;AAKA,SAAS,wBAAwB,IAAgC;AAC/D,SAAO,UAAU,SAAS;AAExB,UAAM,EAAE,MAAM,QAAQ,YAAY,QAAQ,YAAY,aAAa,IAAI,MAAM,GAAM,GAAG,IAAI;AAC1F,QAAI,QAAQ;AAIV,YAAM,QAAQ,IAAI,oCAAsB,cAAc,IAAI;AAAA,QACxD,MAAM,CAAC;AAAA,QACP;AAAA,QACA;AAAA,MACF,CAAC;AACD,YAAM,SAAS;AACf,YAAM;AAAA,IACR;AAEA,QAAI,OAAO,eAAe,aAAa;AACrC,aAAO,EAAE,MAAM,WAAW;AAAA,IAC5B;AAEA,WAAO;AAAA,EACT;AACF;;;A4B9LO,SAAS,uBAAuB,SAAkC;AACvE,QAAM,UAAU,aAAa,OAAO;AAEpC,SAAO;AAAA,IACL,wCAAwC,IAAI;AAAA,MAC1C,aAAa,EAAE,GAAG,SAAS,kBAAkB,MAAM,CAAC;AAAA,IACtD;AAAA,IACA,sBAAsB,IAAI,uBAAuB,OAAO;AAAA,IACxD,SAAS,IAAI,UAAU,OAAO;AAAA,IAC9B,gBAAgB,IAAI,gBAAgB,OAAO;AAAA,IAC3C,aAAa,IAAI,cAAc,OAAO;AAAA,IACtC,eAAe,IAAI,gBAAgB,OAAO;AAAA,IAC1C,cAAc,IAAI,eAAe,OAAO;AAAA,IACxC,cAAc,IAAI,eAAe,OAAO;AAAA,IACxC,UAAU,IAAI,WAAW,OAAO;AAAA,IAChC,cAAc,IAAI,eAAe,OAAO;AAAA,IACxC,OAAO,IAAI,QAAQ,OAAO;AAAA,IAC1B,SAAS,IAAI,UAAU,OAAO;AAAA,IAC9B,iBAAiB,IAAI,kBAAkB,OAAO;AAAA,IAC9C,eAAe,IAAI,gBAAgB,OAAO;AAAA,EAC5C;AACF;;;A7CiCA,IAAM,cAAc,CAAC,SAA0C;AAC7D,SAAO,MAAM;AACX,UAAM,MAAM,EAAE,GAAG,KAAK;AACtB,QAAI,aAAa,IAAI,aAAa,IAAI,UAAU,GAAG,CAAC;AACpD,QAAI,UAAU,IAAI,UAAU,IAAI,UAAU,GAAG,CAAC;AAC9C,WAAO,EAAE,GAAG,IAAI;AAAA,EAClB;AACF;AAKO,SAAS,mBACd,qBACA,cACA,eACoB;AACpB,QAAM;AAAA,IACJ,KAAK;AAAA,IACL,KAAK;AAAA,IACL,QAAQ;AAAA,IACR,UAAU;AAAA,IACV,UAAU;AAAA,IACV,iBAAiB;AAAA,IACjB,KAAK;AAAA,IACL;AAAA,EACF,IAAI;AACJ,QAAM,YAAY,uBAAuB,mBAAmB;AAC5D,QAAM,WAAW,eAAe;AAAA,IAC9B;AAAA,IACA;AAAA,IACA,SAAS,UAAU,UAAU,MAAM,UAAU,SAAS,SAAS,GAAG,IAAI,GAAG;AAAA,EAC3E,CAAC;AAGD,QAAM,wBAAwB,OAAO;AAErC,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA,SAAK,+CAAyB,EAAE,OAAO,SAAS,gBAAgB,QAAQ,sBAAsB,CAAC;AAAA,IAC/F,OAAO,YAAY,EAAE,GAAG,qBAAqB,aAAa,CAAC;AAAA,EAC7D;AACF;AAKO,SAAS,oBAAoB,WAAsD;AACxF,SAAO;AAAA,IACL,eAAe;AAAA,IACf,WAAW;AAAA,IACX,QAAQ;AAAA,IACR,OAAO;AAAA,IACP,OAAO;AAAA,IACP,SAAS;AAAA,IACT,SAAS;AAAA,IACT,gBAAgB;AAAA,IAChB,uBAAuB;AAAA,IACvB,UAAU,MAAM,QAAQ,QAAQ,IAAI;AAAA,IACpC,KAAK,MAAM;AAAA,IACX,OAAO,YAAY,SAAS;AAAA,EAC9B;AACF;AAUO,IAAM,6BAA6B,CAAoC,QAAc;AAG1F,QAAM,EAAE,OAAO,UAAU,KAAK,GAAG,KAAK,IAAI;AAC1C,SAAO;AACT;AAMA,IAAM,iBAAiC,YAAU;AAC/C,QAAM,EAAE,SAAS,cAAc,UAAU,IAAI,UAAU,CAAC;AAExD,SAAO,OAAO,UAAiC,CAAC,MAAM;AACpD,QAAI,CAAC,WAAW;AACd,aAAO;AAAA,IACT;AAEA,QAAI,QAAQ,UAAU;AACpB,aAAO,QAAQ,WAAW,QAAQ,QAAQ;AAAA,IAC5C;AAEA,WAAO;AAAA,EACT;AACF;;;A8C9KO,IAAM,aAAa;AAAA,EACxB,UAAU;AAAA,EACV,WAAW;AAAA,EACX,WAAW;AACb;AA8CO,IAAM,kBAAkB;AAAA,EAC7B,8BAA8B;AAAA,EAC9B,mBAAmB;AAAA,EACnB,gBAAgB;AAAA,EAChB,0BAA0B;AAAA,EAC1B,6BAA6B;AAAA,EAC7B,2BAA2B;AAAA,EAC3B,qBAAqB;AAAA,EACrB,qBAAqB;AAAA,EACrB,gCAAgC;AAAA,EAChC,iBAAiB;AAAA,EACjB,4BAA4B;AAAA,EAC5B,8BAA8B;AAAA,EAC9B,4BAA4B;AAAA,EAC5B,iBAAiB;AACnB;AAQO,SAAS,SACd,qBACA,eACA,UAAmB,IAAI,QAAQ,GAC/B,OACe;AACf,QAAM,aAAa,mBAAmB,qBAAqB,OAAO,aAAa;AAC/E,SAAO;AAAA,IACL,QAAQ,WAAW;AAAA,IACnB,QAAQ;AAAA,IACR,SAAS;AAAA,IACT,UAAU,oBAAoB,YAAY;AAAA,IAC1C,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,aAAa,oBAAoB,eAAe;AAAA,IAChD,QAAQ,oBAAoB,UAAU;AAAA,IACtC,WAAW,oBAAoB,aAAa;AAAA,IAC5C,WAAW,oBAAoB,aAAa;AAAA,IAC5C,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,YAAY;AAAA,IACZ,QAAQ,MAAM;AAAA,IACd;AAAA,IACA;AAAA,EACF;AACF;AAEO,SAAS,UACd,qBACA,QACA,UAAU,IACV,UAAmB,IAAI,QAAQ,GACf;AAChB,SAAO,iBAAiB;AAAA,IACtB,QAAQ,WAAW;AAAA,IACnB;AAAA,IACA;AAAA,IACA,UAAU,oBAAoB,YAAY;AAAA,IAC1C,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,aAAa,oBAAoB,eAAe;AAAA,IAChD,QAAQ,oBAAoB,UAAU;AAAA,IACtC,WAAW,oBAAoB,aAAa;AAAA,IAC5C,WAAW,oBAAoB,aAAa;AAAA,IAC5C,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,YAAY;AAAA,IACZ;AAAA,IACA,QAAQ,MAAM,oBAAoB,EAAE,GAAG,qBAAqB,QAAQ,WAAW,WAAW,QAAQ,QAAQ,CAAC;AAAA,IAC3G,OAAO;AAAA,EACT,CAAC;AACH;AAEO,SAAS,UACd,qBACA,QACA,UAAU,IACV,SACgB;AAChB,SAAO,iBAAiB;AAAA,IACtB,QAAQ,WAAW;AAAA,IACnB;AAAA,IACA;AAAA,IACA,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,aAAa,oBAAoB,eAAe;AAAA,IAChD,QAAQ,oBAAoB,UAAU;AAAA,IACtC,UAAU,oBAAoB,YAAY;AAAA,IAC1C,WAAW,oBAAoB,aAAa;AAAA,IAC5C,WAAW,oBAAoB,aAAa;AAAA,IAC5C,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,gBAAgB,oBAAoB,kBAAkB;AAAA,IACtD,YAAY;AAAA,IACZ;AAAA,IACA,QAAQ,MAAM;AAAA,IACd,OAAO;AAAA,EACT,CAAC;AACH;AAEA,IAAM,mBAAmB,CAAyB,iBAAuB;AACvE,QAAM,UAAU,IAAI,QAAQ,aAAa,WAAW,CAAC,CAAC;AAEtD,MAAI,aAAa,SAAS;AACxB,QAAI;AACF,cAAQ,IAAI,UAAU,QAAQ,aAAa,aAAa,OAAO;AAAA,IACjE,QAAQ;AAAA,IAER;AAAA,EACF;AAEA,MAAI,aAAa,QAAQ;AACvB,QAAI;AACF,cAAQ,IAAI,UAAU,QAAQ,YAAY,aAAa,MAAM;AAAA,IAC/D,QAAQ;AAAA,IAER;AAAA,EACF;AAEA,MAAI,aAAa,QAAQ;AACvB,QAAI;AACF,cAAQ,IAAI,UAAU,QAAQ,YAAY,aAAa,MAAM;AAAA,IAC/D,QAAQ;AAAA,IAER;AAAA,EACF;AAEA,eAAa,UAAU;AAEvB,SAAO;AACT;;;AC3LA,oBAAsB;;;ACAtB,IAAM,WAAN,cAAuB,IAAI;AAAA,EAClB,cAAc,OAAqB;AACxC,WAAO,KAAK,WAAW,IAAI,IAAI,MAAM,SAAS,CAAC,EAAE;AAAA,EACnD;AACF;AAeO,IAAM,iBAAiB,IAAI,SAA2D;AAC3F,SAAO,IAAI,SAAS,GAAG,IAAI;AAC7B;;;ADVA,IAAM,eAAN,cAA2B,QAAQ;AAAA,EAI1B,YAAY,OAA6C,MAAoB;AAYlF,UAAM,MAAM,OAAO,UAAU,YAAY,SAAS,QAAQ,MAAM,MAAM,OAAO,KAAK;AAClF,UAAM,KAAK,QAAQ,OAAO,UAAU,WAAW,SAAY,KAAK;AAChE,SAAK,WAAW,KAAK,qBAAqB,IAAI;AAC9C,SAAK,UAAU,KAAK,aAAa,IAAI;AAAA,EACvC;AAAA,EAEO,SAAS;AACd,WAAO;AAAA,MACL,KAAK,KAAK,SAAS;AAAA,MACnB,QAAQ,KAAK;AAAA,MACb,SAAS,KAAK,UAAU,OAAO,YAAY,KAAK,OAAO,CAAC;AAAA,MACxD,UAAU,KAAK,SAAS,SAAS;AAAA,MACjC,SAAS,KAAK,UAAU,OAAO,YAAY,KAAK,OAAO,CAAC;AAAA,IAC1D;AAAA,EACF;AAAA;AAAA;AAAA;AAAA;AAAA,EAMQ,qBAAqB,KAAc;AACzC,UAAM,aAAa,IAAI,IAAI,IAAI,GAAG;AAClC,UAAM,iBAAiB,IAAI,QAAQ,IAAI,UAAU,QAAQ,cAAc;AACvE,UAAM,gBAAgB,IAAI,QAAQ,IAAI,UAAU,QAAQ,aAAa;AACrE,UAAM,OAAO,IAAI,QAAQ,IAAI,UAAU,QAAQ,IAAI;AACnD,UAAM,WAAW,WAAW;AAE5B,UAAM,eAAe,KAAK,wBAAwB,aAAa,KAAK;AACpE,UAAM,mBAAmB,KAAK,wBAAwB,cAAc,KAAK,UAAU,QAAQ,QAAQ,EAAE;AACrG,UAAM,SAAS,gBAAgB,mBAAmB,GAAG,gBAAgB,MAAM,YAAY,KAAK,WAAW;AAEvG,QAAI,WAAW,WAAW,QAAQ;AAChC,aAAO,eAAe,UAAU;AAAA,IAClC;AACA,WAAO,eAAe,WAAW,WAAW,WAAW,QAAQ,MAAM;AAAA,EACvE;AAAA,EAEQ,wBAAwB,OAAuB;AACrD,WAAO,OAAO,MAAM,GAAG,EAAE,CAAC;AAAA,EAC5B;AAAA,EAEQ,aAAa,KAAc;AACjC,UAAM,oBAAgB,qBAAM,KAAK,kBAAkB,IAAI,QAAQ,IAAI,QAAQ,KAAK,EAAE,CAAC;AACnF,WAAO,IAAI,IAAI,OAAO,QAAQ,aAAa,CAAC;AAAA,EAC9C;AAAA,EAEQ,kBAAkB,KAAa;AACrC,WAAO,MAAM,IAAI,QAAQ,oBAAoB,kBAAkB,IAAI;AAAA,EACrE;AACF;AAEO,IAAM,qBAAqB,IAAI,SAAmE;AACvG,SAAO,KAAK,CAAC,aAAa,eAAe,KAAK,CAAC,IAAI,IAAI,aAAa,GAAG,IAAI;AAC7E;;;AEhFO,IAAM,gBAAgB,CAAC,oBAAoC;AAChE,SAAO,gBAAgB,MAAM,GAAG,EAAE,CAAC,GAAG,MAAM,GAAG,EAAE,CAAC;AACpD;AAEO,IAAM,iBAAiB,CAAC,oBAAoC;AACjE,SAAO,gBAAgB,MAAM,GAAG,EAAE,CAAC,GAAG,MAAM,GAAG,EAAE,CAAC;AACpD;;;ACeA,IAAI,QAAyB,CAAC;AAC9B,IAAI,gBAAgB;AAEpB,SAAS,aAAa,KAAa;AACjC,SAAO,MAAM,GAAG;AAClB;AAEA,SAAS,iBAAiB;AACxB,SAAO,OAAO,OAAO,KAAK;AAC5B;AAEA,SAAS,WAAW,KAAwB,eAAe,MAAM;AAC/D,QAAM,IAAI,GAAG,IAAI;AACjB,kBAAgB,eAAe,KAAK,IAAI,IAAI;AAC9C;AAEA,IAAM,cAAc;AACpB,IAAM,aAAa;AACnB,IAAM,cAAc;AACpB,IAAM,aAAa;AACnB,IAAM,aAAa;AAUZ,SAAS,sBAAsB,UAA+B;AACnE,MAAI,CAAC,aAAa,WAAW,GAAG;AAC9B,QAAI,CAAC,UAAU;AACb,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,SAAS;AAAA,QACT,QAAQ,6BAA6B;AAAA,MACvC,CAAC;AAAA,IACH;AAEA,UAAM,UAAU,SACb,QAAQ,eAAe,EAAE,EACzB,QAAQ,YAAY,EAAE,EACtB,QAAQ,aAAa,EAAE,EACvB,QAAQ,YAAY,EAAE,EACtB,QAAQ,YAAY,EAAE,EACtB,QAAQ,OAAO,GAAG,EAClB,QAAQ,OAAO,GAAG;AAGrB;AAAA,MACE;AAAA,QACE,KAAK;AAAA,QACL,KAAK;AAAA,QACL,KAAK;AAAA,QACL,GAAG;AAAA,QACH,GAAG;AAAA,MACL;AAAA,MACA;AAAA;AAAA,IACF;AAAA,EACF;AAEA,SAAO,aAAa,WAAW;AACjC;AAwCA,eAAsB,uBAAuB;AAAA,EAC3C;AAAA,EACA,SAAS;AAAA,EACT,aAAa;AAAA,EACb;AAAA,EACA;AACF,GAAuD;AACrD,MAAI,iBAAiB,gBAAgB,KAAK,CAAC,aAAa,GAAG,GAAG;AAC5D,QAAI,CAAC,WAAW;AACd,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,SAAS;AAAA,QACT,QAAQ,6BAA6B;AAAA,MACvC,CAAC;AAAA,IACH;AACA,UAAM,UAAU,MAAM,kBAAkB,QAAQ,WAAW,UAAU;AACrE,UAAM,EAAE,KAAK,IAAI,UAAM,oBAAM,OAAO;AAEpC,QAAI,CAAC,QAAQ,CAAC,KAAK,QAAQ;AACzB,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,SAAS;AAAA,QACT,QAAQ,6BAA6B;AAAA,MACvC,CAAC;AAAA,IACH;AAEA,SAAK,QAAQ,SAAO,WAAW,GAAG,CAAC;AAAA,EACrC;AAEA,QAAM,MAAM,aAAa,GAAG;AAE5B,MAAI,CAAC,KAAK;AACR,UAAM,cAAc,eAAe;AACnC,UAAM,UAAU,YACb,IAAI,CAAAC,SAAOA,KAAI,GAAG,EAClB,KAAK,EACL,KAAK,IAAI;AAEZ,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,8EAA8E,6BAA6B,cAAc;AAAA,MACjI,SAAS,8DAA8D,GAAG,uLAAuL,OAAO;AAAA,MACxQ,QAAQ,6BAA6B;AAAA,IACvC,CAAC;AAAA,EACH;AAEA,SAAO;AACT;AAEA,eAAe,kBAAkB,QAAgB,KAAa,YAAoB;AAChF,MAAI,CAAC,KAAK;AACR,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SACE;AAAA,MACF,QAAQ,6BAA6B;AAAA,IACvC,CAAC;AAAA,EACH;AAEA,QAAM,MAAM,IAAI,IAAI,MAAM;AAC1B,MAAI,WAAW,UAAU,IAAI,UAAU,YAAY,OAAO;AAE1D,QAAM,WAAW,MAAM,QAAQ,MAAM,IAAI,MAAM;AAAA,IAC7C,SAAS;AAAA,MACP,eAAe,UAAU,GAAG;AAAA,MAC5B,qBAAqB;AAAA,MACrB,gBAAgB;AAAA,MAChB,cAAc;AAAA,IAChB;AAAA,EACF,CAAC;AAED,MAAI,CAAC,SAAS,IAAI;AAChB,UAAM,OAAO,MAAM,SAAS,KAAK;AACjC,UAAM,wBAAwB,qBAAqB,MAAM,QAAQ,2BAA2B,gBAAgB;AAE5G,QAAI,uBAAuB;AACzB,YAAM,SAAS,6BAA6B;AAE5C,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,SAAS,sBAAsB;AAAA,QAC/B;AAAA,MACF,CAAC;AAAA,IACH;AAEA,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,iCAAiC,IAAI,IAAI,cAAc,SAAS,MAAM;AAAA,MAC/E,QAAQ,6BAA6B;AAAA,IACvC,CAAC;AAAA,EACH;AAEA,SAAO,SAAS,KAAK;AACvB;AAEA,SAAS,kBAAkB;AAEzB,MAAI,kBAAkB,IAAI;AACxB,WAAO;AAAA,EACT;AAGA,QAAM,YAAY,KAAK,IAAI,IAAI,iBAAiB,oCAAoC;AAEpF,MAAI,WAAW;AACb,YAAQ,CAAC;AAAA,EACX;AAEA,SAAO;AACT;AAQA,IAAM,uBAAuB,CAAC,QAAuB,SAAiB;AACpE,MAAI,CAAC,QAAQ;AACX,WAAO;AAAA,EACT;AAEA,SAAO,OAAO,KAAK,CAAC,QAAqB,IAAI,SAAS,IAAI;AAC5D;;;AC/OA,eAAe,mBAAmB,OAAe,EAAE,IAAI,GAAuD;AAC5G,QAAM,EAAE,MAAM,SAAS,OAAO,IAAI,UAAU,KAAK;AACjD,MAAI,QAAQ;AACV,UAAM,OAAO,CAAC;AAAA,EAChB;AAEA,QAAM,EAAE,QAAQ,QAAQ,IAAI;AAG5B,QAAM,EAAE,KAAK,IAAI,IAAI;AAErB,mBAAiB,GAAG;AACpB,wBAAsB,GAAG;AAEzB,QAAM,EAAE,MAAM,gBAAgB,QAAQ,gBAAgB,IAAI,MAAM,kBAAkB,SAAS,GAAG;AAC9F,MAAI,iBAAiB;AACnB,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,oCAAoC,gBAAgB,CAAC,CAAC;AAAA,IACjE,CAAC;AAAA,EACH;AAEA,MAAI,CAAC,gBAAgB;AACnB,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS;AAAA,IACX,CAAC;AAAA,EACH;AAEA,SAAO;AACT;AAMA,eAAsB,qBACpB,OACA,SACkC;AAClC,QAAM,EAAE,WAAW,QAAQ,YAAY,kBAAkB,QAAQ,cAAc,IAAI;AAEnF,QAAM,EAAE,MAAM,OAAO,IAAI,UAAU,KAAK;AACxC,MAAI,QAAQ;AACV,UAAM,OAAO,CAAC;AAAA,EAChB;AAEA,QAAM,EAAE,IAAI,IAAI,KAAK;AAErB,MAAI;AAEJ,MAAI,QAAQ;AACV,UAAM,sBAAsB,MAAM;AAAA,EACpC,WAAW,WAAW;AAEpB,UAAM,MAAM,uBAAuB,EAAE,WAAW,QAAQ,YAAY,KAAK,kBAAkB,cAAc,CAAC;AAAA,EAC5G,OAAO;AACL,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS;AAAA,MACT,QAAQ,6BAA6B;AAAA,IACvC,CAAC;AAAA,EACH;AAEA,SAAO,MAAM,mBAAmB,OAAO;AAAA,IACrC;AAAA,EACF,CAAC;AACH;;;ACzDA,eAAsB,YACpB,OACA,SAC4D;AAC5D,QAAM,EAAE,MAAM,eAAe,OAAO,IAAI,UAAU,KAAK;AACvD,MAAI,QAAQ;AACV,WAAO,EAAE,OAAO;AAAA,EAClB;AAEA,QAAM,EAAE,OAAO,IAAI;AACnB,QAAM,EAAE,IAAI,IAAI;AAEhB,MAAI;AACF,QAAI;AAEJ,QAAI,QAAQ,QAAQ;AAClB,YAAM,sBAAsB,QAAQ,MAAM;AAAA,IAC5C,WAAW,QAAQ,WAAW;AAE5B,YAAM,MAAM,uBAAuB,EAAE,GAAG,SAAS,IAAI,CAAC;AAAA,IACxD,OAAO;AACL,aAAO;AAAA,QACL,QAAQ;AAAA,UACN,IAAI,uBAAuB;AAAA,YACzB,QAAQ,6BAA6B;AAAA,YACrC,SAAS;AAAA,YACT,QAAQ,6BAA6B;AAAA,UACvC,CAAC;AAAA,QACH;AAAA,MACF;AAAA,IACF;AAEA,WAAO,MAAM,UAAU,OAAO,EAAE,GAAG,SAAS,IAAI,CAAC;AAAA,EACnD,SAAS,OAAO;AACd,WAAO,EAAE,QAAQ,CAAC,KAA+B,EAAE;AAAA,EACrD;AACF;;;A9DhCO,IAAM,0BAA0B;AAAA,EACrC,qBAAqB;AAAA,EACrB,mBAAmB;AAAA,EACnB,qBAAqB;AAAA,EACrB,kBAAkB;AAAA,EAClB,qBAAqB;AAAA,EACrB,qBAAqB;AAAA,EACrB,iCAAiC;AAAA,EACjC,oCAAoC;AAAA,EACpC,YAAY;AAAA,EACZ,oBAAoB;AAAA,EACpB,qBAAqB;AACvB;AAEA,SAAS,sBAAsB,WAA+B,KAA0C;AACtG,MAAI,CAAC,iBAAa,wCAA2B,GAAG,GAAG;AACjD,UAAM,IAAI,MAAM,8EAA8E;AAAA,EAChG;AACF;AAEA,SAAS,uBAAuB,kBAAsC;AACpE,MAAI,CAAC,kBAAkB;AACrB,UAAM,IAAI,MAAM,8FAA8F;AAAA,EAChH;AACF;AAEA,SAAS,+BAA+B,YAAoB,QAAgB;AAC1E,MAAI;AACJ,MAAI;AACF,gBAAY,IAAI,IAAI,UAAU;AAAA,EAChC,QAAQ;AACN,UAAM,IAAI,MAAM,oDAAoD;AAAA,EACtE;AAEA,MAAI,UAAU,WAAW,QAAQ;AAC/B,UAAM,IAAI,MAAM,kFAAkF;AAAA,EACpG;AACF;AAMA,SAAS,8BAA8B,qBAAiE;AACtG,QAAM,EAAE,QAAQ,aAAa,IAAI;AAIjC,MAAI,iBAAiB,cAAc,iBAAiB,UAAU;AAC5D,WAAO;AAAA,EACT;AAEA,MAAI,CAAC,gBAAgB,QAAQ,WAAW,WAAW,GAAG;AACpD,WAAO;AAAA,EACT;AAEA,SAAO;AACT;AAEA,SAAS,4BACP,KACA,qBACA,SACA;AACA,SACE,IAAI,WAAW,6BAA6B,gBAC5C,CAAC,CAAC,oBAAoB,wBACtB,QAAQ,WAAW;AAEvB;AAEA,eAAsB,oBACpB,SACA,SACuB;AACvB,QAAM,sBAAsB,MAAM,0BAA0B,mBAAmB,OAAO,GAAG,OAAO;AAChG,uBAAqB,oBAAoB,SAAS;AAElD,MAAI,oBAAoB,aAAa;AACnC,0BAAsB,oBAAoB,WAAW,oBAAoB,SAAS;AAClF,QAAI,oBAAoB,aAAa,oBAAoB,QAAQ;AAC/D,qCAA+B,oBAAoB,WAAW,oBAAoB,MAAM;AAAA,IAC1F;AACA,2BAAuB,oBAAoB,YAAY,oBAAoB,MAAM;AAAA,EACnF;AAGA,QAAM,iCAAiC,sCAAsC,QAAQ,uBAAuB;AAE5G,WAAS,wBAAwB,KAAU;AACzC,UAAM,aAAa,IAAI,IAAI,GAAG;AAE9B,eAAW,aAAa,OAAO,UAAU,gBAAgB,UAAU;AAEnE,eAAW,aAAa,OAAO,UAAU,gBAAgB,gBAAgB;AAEzE,WAAO;AAAA,EACT;AAEA,WAAS,yBAAyB,EAAE,gBAAgB,GAAgC;AAClF,UAAM,cAAc,wBAAwB,oBAAoB,QAAQ;AACxE,UAAM,wBAAwB,oBAAoB,YAAY,QAAQ,iBAAiB,EAAE;AAEzF,UAAM,MAAM,IAAI,IAAI,WAAW,qBAAqB,sBAAsB;AAC1E,QAAI,aAAa,OAAO,gBAAgB,aAAa,QAAQ,EAAE;AAC/D,QAAI,aAAa;AAAA,MACf,UAAU,gBAAgB;AAAA,MAC1B,oBAAoB,oBAAoB,EAAE,SAAS;AAAA,IACrD;AACA,QAAI,aAAa,OAAO,UAAU,gBAAgB,iBAAiB,eAAe;AAElF,QAAI,oBAAoB,iBAAiB,iBAAiB,oBAAoB,iBAAiB;AAC7F,UAAI,aAAa,OAAO,UAAU,gBAAgB,YAAY,oBAAoB,eAAe;AAAA,IACnG;AAEA,UAAM,aAAa;AAAA,MACjB,oBAAoB;AAAA,MACpB,QAAQ;AAAA,MACR;AAAA,IACF;AACA,QAAI,YAAY;AACd,YAAM,SAAS,+BAA+B,UAAU;AAExD,aAAO,QAAQ,CAAC,OAAO,QAAQ;AAC7B,YAAI,aAAa,OAAO,KAAK,KAAK;AAAA,MACpC,CAAC;AAAA,IACH;AAEA,WAAO,IAAI,QAAQ,EAAE,CAAC,UAAU,QAAQ,QAAQ,GAAG,IAAI,KAAK,CAAC;AAAA,EAC/D;AAEA,iBAAe,mBAAmB;AAChC,UAAM,UAAU,IAAI,QAAQ;AAAA,MAC1B,+BAA+B;AAAA,MAC/B,oCAAoC;AAAA,IACtC,CAAC;AAED,UAAM,mBAAmB,MAAM,qBAAqB,oBAAoB,gBAAiB,mBAAmB;AAC5G,UAAM,eAAe,iBAAiB;AAEtC,QAAI,eAAe;AACnB,iBAAa,QAAQ,CAAC,MAAc;AAClC,cAAQ,OAAO,cAAc,CAAC;AAC9B,UAAI,cAAc,CAAC,EAAE,WAAW,UAAU,QAAQ,OAAO,GAAG;AAC1D,uBAAe,eAAe,CAAC;AAAA,MACjC;AAAA,IACF,CAAC;AAED,QAAI,oBAAoB,iBAAiB,eAAe;AACtD,YAAM,SAAS,IAAI,IAAI,oBAAoB,QAAQ;AACnD,aAAO,aAAa,OAAO,UAAU,gBAAgB,SAAS;AAC9D,aAAO,aAAa,OAAO,UAAU,gBAAgB,aAAa;AAClE,cAAQ,OAAO,UAAU,QAAQ,UAAU,OAAO,SAAS,CAAC;AAC5D,cAAQ,IAAI,UAAU,QAAQ,cAAc,UAAU;AAAA,IACxD;AAEA,QAAI,iBAAiB,IAAI;AACvB,aAAO,UAAU,qBAAqB,gBAAgB,qBAAqB,IAAI,OAAO;AAAA,IACxF;AAEA,UAAM,EAAE,MAAM,QAAQ,CAAC,KAAK,IAAI,CAAC,EAAE,IAAI,MAAM,YAAY,cAAc,mBAAmB;AAC1F,QAAI,MAAM;AACR,aAAO,SAAS,qBAAqB,MAAM,SAAS,YAAY;AAAA,IAClE;AAEA,QACE,oBAAoB,iBAAiB,kBACpC,OAAO,WAAW,6BAA6B,gBAC9C,OAAO,WAAW,6BAA6B,qBAC/C,OAAO,WAAW,6BAA6B,sBACjD;AACA,YAAM,eAAe;AAErB,cAAQ;AAAA,QACN;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAMN,MAAM,eAAe,CAAC;AAAA,MAClB;AAGA,YAAM,EAAE,MAAM,aAAa,QAAQ,CAAC,UAAU,IAAI,CAAC,EAAE,IAAI,MAAM,YAAY,cAAc;AAAA,QACvF,GAAG;AAAA,QACH,eAAe;AAAA,MACjB,CAAC;AACD,UAAI,aAAa;AACf,eAAO,SAAS,qBAAqB,aAAa,SAAS,YAAY;AAAA,MACzE;AAEA,YAAM,IAAI,MAAM,YAAY,WAAW,gCAAgC;AAAA,IACzE;AAEA,UAAM,IAAI,MAAM,OAAO,WAAW,0BAA0B;AAAA,EAC9D;AAEA,iBAAe,aACbC,sBACuE;AAEvE,QAAI,CAAC,QAAQ,WAAW;AACtB,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,iBAAiB;AAAA,QAC5D;AAAA,MACF;AAAA,IACF;AACA,UAAM,EAAE,cAAc,qBAAqB,sBAAsBC,cAAa,IAAID;AAClF,QAAI,CAAC,qBAAqB;AACxB,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,oBAAoB;AAAA,QAC/D;AAAA,MACF;AAAA,IACF;AACA,QAAI,CAACC,eAAc;AACjB,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,oBAAoB;AAAA,QAC/D;AAAA,MACF;AAAA,IACF;AAEA,UAAM,EAAE,MAAM,cAAc,QAAQ,cAAc,IAAI,UAAU,mBAAmB;AACnF,QAAI,CAAC,gBAAgB,eAAe;AAClC,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,iCAAiC,QAAQ,cAAc;AAAA,QAClG;AAAA,MACF;AAAA,IACF;AAEA,QAAI,CAAC,cAAc,SAAS,KAAK;AAC/B,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,mCAAmC;AAAA,QAC9E;AAAA,MACF;AAAA,IACF;AAEA,QAAI;AAEF,YAAM,WAAW,MAAM,QAAQ,UAAU,SAAS,eAAe,aAAa,QAAQ,KAAK;AAAA,QACzF,QAAQ;AAAA,QACR,kBAAkBD,qBAAoB,oBAAoB;AAAA,QAC1D,eAAe,uBAAuB;AAAA,QACtC,eAAeC,iBAAgB;AAAA,QAC/B,gBAAgBD,qBAAoB,SAAS;AAAA;AAAA,QAE7C,iBAAiB,OAAO,YAAY,MAAM,KAAK,QAAQ,QAAQ,QAAQ,CAAC,EAAE,IAAI,CAAC,CAAC,GAAG,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,CAAC;AAAA,MACrG,CAAC;AACD,aAAO,EAAE,MAAM,SAAS,SAAS,OAAO,KAAK;AAAA,IAC/C,SAAS,KAAU;AACjB,UAAI,KAAK,QAAQ,QAAQ;AACvB,YAAI,IAAI,OAAO,CAAC,EAAE,SAAS,oBAAoB;AAC7C,iBAAO;AAAA,YACL,MAAM;AAAA,YACN,OAAO;AAAA,cACL,SAAS;AAAA,cACT,OAAO,EAAE,QAAQ,wBAAwB,YAAY,QAAQ,IAAI,OAAO;AAAA,YAC1E;AAAA,UACF;AAAA,QACF;AACA,eAAO;AAAA,UACL,MAAM;AAAA,UACN,OAAO;AAAA,YACL,SAAS,IAAI,OAAO,CAAC,EAAE;AAAA,YACvB,OAAO,EAAE,QAAQ,IAAI,OAAO,CAAC,EAAE,MAAM,QAAQ,IAAI,OAAO;AAAA,UAC1D;AAAA,QACF;AAAA,MACF,OAAO;AACL,eAAO;AAAA,UACL,MAAM;AAAA,UACN,OAAO;AAAA,YACL,SAAS;AAAA,YACT,OAAO,EAAE,QAAQ,wBAAwB,qBAAqB,QAAQ,CAAC,GAAG,EAAE;AAAA,UAC9E;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAAA,EACF;AAEA,iBAAe,eACbA,sBAIA;AACA,UAAM,EAAE,MAAM,cAAc,MAAM,IAAI,MAAM,aAAaA,oBAAmB;AAC5E,QAAI,CAAC,gBAAgB,aAAa,WAAW,GAAG;AAC9C,aAAO,EAAE,MAAM,MAAM,MAAM;AAAA,IAC7B;AAEA,UAAM,UAAU,IAAI,QAAQ;AAC5B,QAAI,eAAe;AACnB,iBAAa,QAAQ,CAAC,MAAc;AAClC,cAAQ,OAAO,cAAc,CAAC;AAC9B,UAAI,cAAc,CAAC,EAAE,WAAW,UAAU,QAAQ,OAAO,GAAG;AAC1D,uBAAe,eAAe,CAAC;AAAA,MACjC;AAAA,IACF,CAAC;AAGD,UAAM,EAAE,MAAM,YAAY,OAAO,IAAI,MAAM,YAAY,cAAcA,oBAAmB;AACxF,QAAI,QAAQ;AACV,aAAO;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,UACL,SAAS;AAAA,UACT,OAAO,EAAE,QAAQ,wBAAwB,qBAAqB,OAAO;AAAA,QACvE;AAAA,MACF;AAAA,IACF;AACA,WAAO,EAAE,MAAM,EAAE,YAAY,cAAc,QAAQ,GAAG,OAAO,KAAK;AAAA,EACpE;AAEA,WAAS,2BACPA,sBACA,QACA,SACA,SACiD;AACjD,QAAI,8BAA8BA,oBAAmB,GAAG;AAGtD,YAAM,mBAAmB,WAAW,yBAAyB,EAAE,iBAAiB,OAAO,CAAC;AAIxF,UAAI,iBAAiB,IAAI,UAAU,QAAQ,QAAQ,GAAG;AACpD,yBAAiB,IAAI,UAAU,QAAQ,cAAc,UAAU;AAAA,MACjE;AAKA,YAAM,iBAAiB,2CAA2C,gBAAgB;AAClF,UAAI,gBAAgB;AAClB,cAAM,MAAM;AACZ,gBAAQ,IAAI,GAAG;AACf,eAAO,UAAUA,sBAAqB,QAAQ,OAAO;AAAA,MACvD;AAEA,aAAO,UAAUA,sBAAqB,QAAQ,SAAS,gBAAgB;AAAA,IACzE;AAEA,WAAO,UAAUA,sBAAqB,QAAQ,OAAO;AAAA,EACvD;AAWA,WAAS,qCACPA,sBACA,MACwC;AACxC,UAAM,yBAAyB;AAAA,MAC7BA,qBAAoB;AAAA,MACpB,QAAQ;AAAA,MACR;AAAA,IACF;AACA,QAAI,CAAC,wBAAwB;AAC3B,aAAO;AAAA,IACT;AACA,QAAI,eAAe;AACnB,QAAI,uBAAuB,SAAS,gBAAgB;AAElD,UAAI,uBAAuB,oBAAoB,uBAAuB,qBAAqB,KAAK,SAAS;AACvG,uBAAe;AAAA,MACjB;AAEA,UAAI,uBAAuB,kBAAkB,uBAAuB,mBAAmB,KAAK,OAAO;AACjG,uBAAe;AAAA,MACjB;AAAA,IACF;AAEA,QAAI,uBAAuB,SAAS,qBAAqB,KAAK,OAAO;AACnE,qBAAe;AAAA,IACjB;AACA,QAAI,CAAC,cAAc;AACjB,aAAO;AAAA,IACT;AACA,QAAIA,qBAAoB,+BAA+B,GAAG;AAKxD,cAAQ;AAAA,QACN;AAAA,MACF;AACA,aAAO;AAAA,IACT;AACA,UAAM,iBAAiB;AAAA,MACrBA;AAAA,MACA,gBAAgB;AAAA,MAChB;AAAA,IACF;AACA,QAAI,eAAe,WAAW,aAAa;AAEzC,aAAO;AAAA,IACT;AACA,WAAO;AAAA,EACT;AAEA,iBAAe,uCAAuC;AACpD,UAAM,EAAE,qBAAqB,IAAI;AAEjC,QAAI;AACF,YAAM,EAAE,MAAM,OAAO,IAAI,MAAM,YAAY,sBAAuB,mBAAmB;AACrF,UAAI,QAAQ;AACV,cAAM,OAAO,CAAC;AAAA,MAChB;AAEA,aAAO,SAAS,qBAAqB,MAAM,QAAW,oBAAqB;AAAA,IAC7E,SAAS,KAAK;AACZ,aAAO,YAAY,KAAK,QAAQ;AAAA,IAClC;AAAA,EACF;AAKA,WAAS,2CAA2C,SAA2B;AAC7E,QAAI,oBAAoB,iCAAiC,GAAG;AAC1D,aAAO;AAAA,IACT;AAEA,UAAM,kBAAkB,oBAAoB,+BAA+B;AAC3E,UAAM,aAAa,UAAU,QAAQ;AACrC,YAAQ,OAAO,cAAc,GAAG,UAAU,IAAI,eAAe,qCAAqC;AAClG,WAAO;AAAA,EACT;AAEA,WAAS,mDAAmD,OAA+B;AAOzF,QAAI,MAAM,WAAW,6BAA6B,uBAAuB;AACvE,YAAM,MAAM;AACZ,YAAM,IAAI,MAAM,GAAG;AAAA,IACrB;AACA,UAAM,IAAI,MAAM,+CAA+C,MAAM,eAAe,CAAC,GAAG;AAAA,EAC1F;AAEA,iBAAe,uCAAuC;AACpD,UAAM,kBAAkB,oBAAoB;AAC5C,UAAM,kBAAkB,CAAC,CAAC,oBAAoB;AAC9C,UAAM,qBAAqB,CAAC,CAAC,oBAAoB;AAKjD,QAAI,oBAAoB,gBAAgB;AACtC,UAAI;AACF,eAAO,MAAM,iBAAiB;AAAA,MAChC,SAAS,OAAO;AAYd,YAAI,iBAAiB,0BAA0B,oBAAoB,iBAAiB,eAAe;AACjG,6DAAmD,KAAK;AAAA,QAC1D,OAAO;AACL,kBAAQ,MAAM,uCAAuC,KAAK;AAAA,QAC5D;AAAA,MACF;AAAA,IACF;AAIA,QACE,oBAAoB,iBAAiB,iBACrC,oBAAoB,SAAS,aAAa,IAAI,UAAU,gBAAgB,UAAU,GAClF;AACA,aAAO,2BAA2B,qBAAqB,gBAAgB,gBAAgB,EAAE;AAAA,IAC3F;AAEA,UAAM,sCACJ,oBAAoB,eAAe,oBAAoB,iBAAiB;AAK1E,QAAI,oBAAoB,iBAAiB,gBAAgB,qCAAqC;AAC5F,aAAO,2BAA2B,qBAAqB,gBAAgB,6BAA6B,EAAE;AAAA,IACxG;AAGA,QACE,oBAAoB,iBAAiB,iBACrC,uCACA,CAAC,oBAAoB,SAAS,aAAa,IAAI,UAAU,gBAAgB,WAAW,GACpF;AAIA,YAAM,cAAc,IAAI,IAAI,oBAAoB,SAAU;AAC1D,kBAAY,aAAa;AAAA,QACvB,UAAU,gBAAgB;AAAA,QAC1B,oBAAoB,SAAS,SAAS;AAAA,MACxC;AACA,YAAM,UAAU,IAAI,QAAQ,EAAE,CAAC,UAAU,QAAQ,QAAQ,GAAG,YAAY,SAAS,EAAE,CAAC;AACpF,aAAO,2BAA2B,qBAAqB,gBAAgB,6BAA6B,IAAI,OAAO;AAAA,IACjH;AAGA,UAAM,cAAc,IAAI,IAAI,oBAAoB,QAAQ,EAAE,aAAa;AAAA,MACrE,UAAU,gBAAgB;AAAA,IAC5B;AAEA,QAAI,oBAAoB,iBAAiB,iBAAiB,CAAC,oBAAoB,eAAe,aAAa;AAEzG,YAAM,6BAA6B,IAAI,IAAI,WAAW;AAEtD,UAAI,oBAAoB,iBAAiB;AACvC,mCAA2B,aAAa;AAAA,UACtC,UAAU,gBAAgB;AAAA,UAC1B,oBAAoB;AAAA,QACtB;AAAA,MACF;AACA,iCAA2B,aAAa,OAAO,UAAU,gBAAgB,aAAa,MAAM;AAE5F,YAAM,UAAU,IAAI,QAAQ,EAAE,CAAC,UAAU,QAAQ,QAAQ,GAAG,2BAA2B,SAAS,EAAE,CAAC;AACnG,aAAO,2BAA2B,qBAAqB,gBAAgB,0BAA0B,IAAI,OAAO;AAAA,IAC9G;AAKA,QAAI,oBAAoB,iBAAiB,iBAAiB,CAAC,oBAAoB;AAC7E,aAAO,2BAA2B,qBAAqB,gBAAgB,mBAAmB,EAAE;AAAA,IAC9F;AAEA,QAAI,CAAC,mBAAmB,CAAC,iBAAiB;AACxC,aAAO,UAAU,qBAAqB,gBAAgB,2BAA2B,EAAE;AAAA,IACrF;AAGA,QAAI,CAAC,mBAAmB,iBAAiB;AACvC,aAAO,2BAA2B,qBAAqB,gBAAgB,8BAA8B,EAAE;AAAA,IACzG;AAEA,QAAI,mBAAmB,CAAC,iBAAiB;AACvC,aAAO,2BAA2B,qBAAqB,gBAAgB,8BAA8B,EAAE;AAAA,IACzG;AAEA,UAAM,EAAE,MAAM,cAAc,QAAQ,cAAc,IAAI,UAAU,oBAAoB,oBAAqB;AAEzG,QAAI,eAAe;AACjB,aAAO,YAAY,cAAc,CAAC,GAAG,QAAQ;AAAA,IAC/C;AAEA,QAAI,aAAa,QAAQ,MAAM,oBAAoB,WAAW;AAC5D,aAAO,2BAA2B,qBAAqB,gBAAgB,gCAAgC,EAAE;AAAA,IAC3G;AAEA,QAAI;AACF,YAAM,EAAE,MAAM,OAAO,IAAI,MAAM,YAAY,oBAAoB,sBAAuB,mBAAmB;AACzG,UAAI,QAAQ;AACV,cAAM,OAAO,CAAC;AAAA,MAChB;AACA,YAAM,uBAAuB;AAAA,QAC3B;AAAA,QACA;AAAA,QACA;AAAA,QACA,oBAAoB;AAAA,MACtB;AAGA,YAAM,wBAAwB;AAAA,QAC5B;AAAA,QACA,qBAAqB,OAAO;AAAA,MAC9B;AACA,UAAI,uBAAuB;AACzB,eAAO;AAAA,MACT;AAEA,aAAO;AAAA,IACT,SAAS,KAAK;AACZ,aAAO,YAAY,KAAK,QAAQ;AAAA,IAClC;AAEA,WAAO,UAAU,qBAAqB,gBAAgB,eAAe;AAAA,EACvE;AAEA,iBAAe,YACb,KACA,cAC0D;AAC1D,QAAI,EAAE,eAAe,yBAAyB;AAC5C,aAAO,UAAU,qBAAqB,gBAAgB,eAAe;AAAA,IACvE;AAEA,QAAI;AAEJ,QAAI,4BAA4B,KAAK,qBAAqB,OAAO,GAAG;AAClE,YAAM,EAAE,MAAM,MAAM,IAAI,MAAM,eAAe,mBAAmB;AAChE,UAAI,MAAM;AACR,eAAO,SAAS,qBAAqB,KAAK,YAAY,KAAK,SAAS,KAAK,YAAY;AAAA,MACvF;AAGA,UAAI,OAAO,OAAO,QAAQ;AACxB,uBAAe,MAAM,MAAM;AAAA,MAC7B,OAAO;AACL,uBAAe,wBAAwB;AAAA,MACzC;AAAA,IACF,OAAO;AACL,UAAI,QAAQ,WAAW,OAAO;AAC5B,uBAAe,wBAAwB;AAAA,MACzC,WAAW,CAAC,oBAAoB,sBAAsB;AACpD,uBAAe,wBAAwB;AAAA,MACzC,OAAO;AAEL,uBAAe;AAAA,MACjB;AAAA,IACF;AAEA,QAAI,eAAe;AAEnB,UAAM,oBAAoB;AAAA,MACxB,6BAA6B;AAAA,MAC7B,6BAA6B;AAAA,MAC7B,6BAA6B;AAAA,IAC/B,EAAE,SAAS,IAAI,MAAM;AAErB,QAAI,mBAAmB;AACrB,aAAO;AAAA,QACL;AAAA,QACA,qDAAqD,EAAE,YAAY,IAAI,QAAQ,aAAa,CAAC;AAAA,QAC7F,IAAI,eAAe;AAAA,MACrB;AAAA,IACF;AAEA,WAAO,UAAU,qBAAqB,IAAI,QAAQ,IAAI,eAAe,CAAC;AAAA,EACxE;AAEA,MAAI,oBAAoB,sBAAsB;AAC5C,WAAO,qCAAqC;AAAA,EAC9C;AAEA,SAAO,qCAAqC;AAC9C;AAKO,IAAM,oBAAoB,CAAC,WAAyB;AACzD,QAAM,EAAE,YAAY,UAAU,QAAQ,SAAS,gBAAgB,aAAa,OAAO,IAAI;AACvF,SAAO,EAAE,YAAY,UAAU,QAAQ,SAAS,gBAAgB,aAAa,OAAO;AACtF;AAUO,SAAS,sCACd,SACgC;AAChC,MAAI,yBAA2F;AAC/F,MAAI,SAAS,yBAAyB;AACpC,QAAI;AACF,mCAAyB,2BAAM,QAAQ,uBAAuB;AAAA,IAChE,SAAS,GAAG;AAEV,YAAM,IAAI,MAAM,qCAAqC,QAAQ,uBAAuB,OAAO,CAAC,GAAG;AAAA,IACjG;AAAA,EACF;AAEA,MAAI,sBAAwF;AAC5F,MAAI,SAAS,sBAAsB;AACjC,QAAI;AACF,gCAAsB,2BAAM,QAAQ,oBAAoB;AAAA,IAC1D,SAAS,GAAG;AAEV,YAAM,IAAI,MAAM,wCAAwC,QAAQ,oBAAoB,OAAO,CAAC,GAAG;AAAA,IACjG;AAAA,EACF;AAEA,SAAO;AAAA,IACL,qBAAqB;AAAA,IACrB,wBAAwB;AAAA,EAC1B;AACF;AAUO,SAAS,0BACd,KACA,SACA,UAC+B;AAC/B,MAAI,CAAC,SAAS;AACZ,WAAO;AAAA,EACT;AAGA,MAAI,SAAS,qBAAqB;AAChC,QAAI;AACJ,QAAI;AACF,kBAAY,SAAS,oBAAoB,IAAI,QAAQ;AAAA,IACvD,SAAS,GAAG;AAEV,cAAQ,MAAM,gDAAgD,QAAQ,oBAAoB,eAAe,CAAC;AAC1G,aAAO;AAAA,IACT;AAEA,QAAI,aAAa,YAAY,WAAW;AACtC,YAAM,SAAS,UAAU;AAEzB,UAAI,QAAQ,UAAU,OAAO,OAAO,OAAO,UAAU;AACnD,eAAO,EAAE,MAAM,gBAAgB,gBAAgB,OAAO,GAAG;AAAA,MAC3D;AACA,UAAI,UAAU,UAAU,OAAO,OAAO,SAAS,UAAU;AACvD,eAAO,EAAE,MAAM,gBAAgB,kBAAkB,OAAO,KAAK;AAAA,MAC/D;AACA,cAAQ;AAAA,QACN;AAAA,MACF;AAAA,IACF;AAAA,EACF;AAGA,MAAI,SAAS,wBAAwB;AACnC,QAAI;AACJ,QAAI;AACF,uBAAiB,SAAS,uBAAuB,IAAI,QAAQ;AAAA,IAC/D,SAAS,GAAG;AAEV,cAAQ,MAAM,6CAA6C,QAAQ,uBAAuB,eAAe,CAAC;AAC1G,aAAO;AAAA,IACT;AAEA,QAAI,gBAAgB;AAClB,aAAO,EAAE,MAAM,kBAAkB;AAAA,IACnC;AAAA,EACF;AACA,SAAO;AACT;AAcA,SAAS,+BAA+B,YAAyD;AAC/F,QAAM,MAAM,oBAAI,IAAI;AACpB,MAAI,WAAW,SAAS,mBAAmB;AACzC,QAAI,IAAI,mBAAmB,EAAE;AAAA,EAC/B;AACA,MAAI,WAAW,SAAS,gBAAgB;AACtC,QAAI,WAAW,gBAAgB;AAC7B,UAAI,IAAI,mBAAmB,WAAW,cAAc;AAAA,IACtD;AACA,QAAI,WAAW,kBAAkB;AAC/B,UAAI,IAAI,mBAAmB,WAAW,gBAAgB;AAAA,IACxD;AAAA,EACF;AACA,SAAO;AACT;AAEA,IAAM,uDAAuD,CAAC;AAAA,EAC5D;AAAA,EACA;AACF,MAGc;AACZ,UAAQ,YAAY;AAAA,IAClB,KAAK,6BAA6B;AAChC,aAAO,GAAG,gBAAgB,mBAAmB,YAAY,YAAY;AAAA,IACvE,KAAK,6BAA6B;AAChC,aAAO,gBAAgB;AAAA,IACzB,KAAK,6BAA6B;AAChC,aAAO,gBAAgB;AAAA,IACzB;AACE,aAAO,gBAAgB;AAAA,EAC3B;AACF;;;A+DvzBA,IAAM,iBAAiB;AAAA,EACrB,WAAW;AAAA,EACX,QAAQ;AAAA,EACR,QAAQ;AAAA,EACR,YAAY;AAAA,EACZ,UAAU;AAAA,EACV,gBAAgB;AAAA,EAChB,aAAa;AAAA,EACb,QAAQ;AAAA,EACR,UAAU;AACZ;AAaO,SAAS,0BAA0B,QAA0C;AAClF,QAAM,mBAAmB,uBAAuB,gBAAgB,OAAO,OAAO;AAC9E,QAAM,YAAY,OAAO;AAEzB,QAAME,uBAAsB,CAAC,SAAkB,UAA0B,CAAC,MAAM;AAC9E,UAAM,EAAE,QAAQ,WAAW,IAAI;AAC/B,UAAM,iBAAiB,uBAAuB,kBAAkB,OAAO;AACvE,WAAO,oBAA4B,SAAS;AAAA,MAC1C,GAAG;AAAA,MACH,GAAG;AAAA;AAAA;AAAA,MAGH;AAAA,MACA;AAAA,MACA;AAAA,IACF,CAAC;AAAA,EACH;AAEA,SAAO;AAAA,IACL,qBAAAA;AAAA,IACA;AAAA,EACF;AACF;;;AC/CO,IAAM,8BAA8B,OACzC,KACA,SACA,SAC8B;AAC9B,QAAM,EAAE,aAAa,UAAU,iBAAiB,IAAI,QAAQ,CAAC;AAC7D,QAAM,EAAE,QAAQ,WAAW,MAAM,IAAI;AAErC,QAAM,EAAE,UAAU,OAAO,cAAc,IAAI,uBAAuB,EAAE,GAAG,KAAK,CAAC;AAE7E,QAAM,CAAC,aAAa,UAAU,gBAAgB,IAAI,MAAM,QAAQ,IAAI;AAAA,IAClE,eAAe,YAAY,SAAS,WAAW,SAAS,IAAI,QAAQ,QAAQ,MAAS;AAAA,IACrF,YAAY,SAAS,MAAM,QAAQ,MAAM,IAAI,QAAQ,QAAQ,MAAS;AAAA,IACtE,oBAAoB,QAAQ,cAAc,gBAAgB,EAAE,gBAAgB,MAAM,CAAC,IAAI,QAAQ,QAAQ,MAAS;AAAA,EAClH,CAAC;AAED,QAAM,YAAY,2BAA2B;AAAA,IAC3C,SAAS;AAAA,IACT,MAAM;AAAA,IACN,cAAc;AAAA,EAChB,CAAC;AACD,SAAO,OAAO,OAAO,KAAK,SAAS;AACrC;AAKO,SAAS,2BAA4D,YAAkB;AAC5F,QAAM,OAAO,WAAW,OAAO,EAAE,GAAG,WAAW,KAAK,IAAI,WAAW;AACnE,QAAM,eAAe,WAAW,eAAe,EAAE,GAAG,WAAW,aAAa,IAAI,WAAW;AAC3F,uBAAqB,IAAI;AACzB,uBAAqB,YAAY;AACjC,SAAO,EAAE,GAAG,YAAY,MAAM,aAAa;AAC7C;AAEA,SAAS,qBAAqB,UAAwE;AAEpG,MAAI,UAAU;AAEZ,WAAO,SAAS,iBAAiB;AAEjC,WAAO,SAAS,kBAAkB;AAAA,EACpC;AAEA,SAAO;AACT;;;ArE1CA,kCAAiE;","names":["Headers","import_keys","crypto","basePath","basePath","basePath","basePath","basePath","basePath","basePath","basePath","basePath","basePath","basePath","basePath","basePath","import_error","Cookies","data","Cookies","snakecaseKeys","jwk","authenticateContext","refreshToken","authenticateRequest"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/internal.mjs b/backend/node_modules/@clerk/backend/dist/internal.mjs new file mode 100644 index 000000000..031ebb18e --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/internal.mjs @@ -0,0 +1,132 @@ +import { + AuthStatus, + constants, + createAuthenticateRequest, + createBackendApiClient, + createClerkRequest, + debugRequestState, + errorThrower, + makeAuthObjectSerializable, + parsePublishableKey, + signedInAuthObject, + signedOutAuthObject +} from "./chunk-XYKMBJDY.mjs"; +import "./chunk-AT3FJU3M.mjs"; +import "./chunk-5JS2VYLU.mjs"; + +// src/createRedirect.ts +var buildUrl = (_baseUrl, _targetUrl, _returnBackUrl, _devBrowserToken) => { + if (_baseUrl === "") { + return legacyBuildUrl(_targetUrl.toString(), _returnBackUrl?.toString()); + } + const baseUrl = new URL(_baseUrl); + const returnBackUrl = _returnBackUrl ? new URL(_returnBackUrl, baseUrl) : void 0; + const res = new URL(_targetUrl, baseUrl); + if (returnBackUrl) { + res.searchParams.set("redirect_url", returnBackUrl.toString()); + } + if (_devBrowserToken && baseUrl.hostname !== res.hostname) { + res.searchParams.set(constants.QueryParameters.DevBrowser, _devBrowserToken); + } + return res.toString(); +}; +var legacyBuildUrl = (targetUrl, redirectUrl) => { + let url; + if (!targetUrl.startsWith("http")) { + if (!redirectUrl || !redirectUrl.startsWith("http")) { + throw new Error("destination url or return back url should be an absolute path url!"); + } + const baseURL = new URL(redirectUrl); + url = new URL(targetUrl, baseURL.origin); + } else { + url = new URL(targetUrl); + } + if (redirectUrl) { + url.searchParams.set("redirect_url", redirectUrl); + } + return url.toString(); +}; +var buildAccountsBaseUrl = (frontendApi) => { + if (!frontendApi) { + return ""; + } + const accountsBaseUrl = frontendApi.replace(/clerk\.accountsstage\./, "accountsstage.").replace(/clerk\.accounts\.|clerk\./, "accounts."); + return `https://${accountsBaseUrl}`; +}; +var createRedirect = (params) => { + const { publishableKey, redirectAdapter, signInUrl, signUpUrl, baseUrl } = params; + const parsedPublishableKey = parsePublishableKey(publishableKey); + const frontendApi = parsedPublishableKey?.frontendApi; + const isDevelopment = parsedPublishableKey?.instanceType === "development"; + const accountsBaseUrl = buildAccountsBaseUrl(frontendApi); + const redirectToSignUp = ({ returnBackUrl } = {}) => { + if (!signUpUrl && !accountsBaseUrl) { + errorThrower.throwMissingPublishableKeyError(); + } + const accountsSignUpUrl = `${accountsBaseUrl}/sign-up`; + return redirectAdapter( + buildUrl(baseUrl, signUpUrl || accountsSignUpUrl, returnBackUrl, isDevelopment ? params.devBrowserToken : null) + ); + }; + const redirectToSignIn = ({ returnBackUrl } = {}) => { + if (!signInUrl && !accountsBaseUrl) { + errorThrower.throwMissingPublishableKeyError(); + } + const accountsSignInUrl = `${accountsBaseUrl}/sign-in`; + return redirectAdapter( + buildUrl(baseUrl, signInUrl || accountsSignInUrl, returnBackUrl, isDevelopment ? params.devBrowserToken : null) + ); + }; + return { redirectToSignUp, redirectToSignIn }; +}; + +// src/util/decorateObjectWithResources.ts +var decorateObjectWithResources = async (obj, authObj, opts) => { + const { loadSession, loadUser, loadOrganization } = opts || {}; + const { userId, sessionId, orgId } = authObj; + const { sessions, users, organizations } = createBackendApiClient({ ...opts }); + const [sessionResp, userResp, organizationResp] = await Promise.all([ + loadSession && sessionId ? sessions.getSession(sessionId) : Promise.resolve(void 0), + loadUser && userId ? users.getUser(userId) : Promise.resolve(void 0), + loadOrganization && orgId ? organizations.getOrganization({ organizationId: orgId }) : Promise.resolve(void 0) + ]); + const resources = stripPrivateDataFromObject({ + session: sessionResp, + user: userResp, + organization: organizationResp + }); + return Object.assign(obj, resources); +}; +function stripPrivateDataFromObject(authObject) { + const user = authObject.user ? { ...authObject.user } : authObject.user; + const organization = authObject.organization ? { ...authObject.organization } : authObject.organization; + prunePrivateMetadata(user); + prunePrivateMetadata(organization); + return { ...authObject, user, organization }; +} +function prunePrivateMetadata(resource) { + if (resource) { + delete resource["privateMetadata"]; + delete resource["private_metadata"]; + } + return resource; +} + +// src/internal.ts +import { reverificationError, reverificationErrorResponse } from "@clerk/shared/authorization-errors"; +export { + AuthStatus, + constants, + createAuthenticateRequest, + createClerkRequest, + createRedirect, + debugRequestState, + decorateObjectWithResources, + makeAuthObjectSerializable, + reverificationError, + reverificationErrorResponse, + signedInAuthObject, + signedOutAuthObject, + stripPrivateDataFromObject +}; +//# sourceMappingURL=internal.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/internal.mjs.map b/backend/node_modules/@clerk/backend/dist/internal.mjs.map new file mode 100644 index 000000000..3674ce856 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/internal.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/createRedirect.ts","../src/util/decorateObjectWithResources.ts","../src/internal.ts"],"sourcesContent":["import { constants } from './constants';\nimport { errorThrower, parsePublishableKey } from './util/shared';\n\nconst buildUrl = (\n _baseUrl: string | URL,\n _targetUrl: string | URL,\n _returnBackUrl?: string | URL | null,\n _devBrowserToken?: string | null,\n) => {\n if (_baseUrl === '') {\n return legacyBuildUrl(_targetUrl.toString(), _returnBackUrl?.toString());\n }\n\n const baseUrl = new URL(_baseUrl);\n const returnBackUrl = _returnBackUrl ? new URL(_returnBackUrl, baseUrl) : undefined;\n const res = new URL(_targetUrl, baseUrl);\n\n if (returnBackUrl) {\n res.searchParams.set('redirect_url', returnBackUrl.toString());\n }\n // For cross-origin redirects, we need to pass the dev browser token for URL session syncing\n if (_devBrowserToken && baseUrl.hostname !== res.hostname) {\n res.searchParams.set(constants.QueryParameters.DevBrowser, _devBrowserToken);\n }\n return res.toString();\n};\n\n/**\n * In v5, we deprecated the top-level redirectToSignIn and redirectToSignUp functions\n * in favor of the new auth().redirectToSignIn helpers\n * In order to allow for a smooth transition, we need to support the legacy redirectToSignIn for now\n * as we will remove it in v6.\n * In order to make sure that the legacy function works as expected, we will use legacyBuildUrl\n * to build the url if baseUrl is not provided (which is the case for legacy redirectToSignIn)\n * This function can be safely removed when we remove the legacy redirectToSignIn function\n */\nconst legacyBuildUrl = (targetUrl: string, redirectUrl?: string) => {\n let url;\n if (!targetUrl.startsWith('http')) {\n if (!redirectUrl || !redirectUrl.startsWith('http')) {\n throw new Error('destination url or return back url should be an absolute path url!');\n }\n\n const baseURL = new URL(redirectUrl);\n url = new URL(targetUrl, baseURL.origin);\n } else {\n url = new URL(targetUrl);\n }\n\n if (redirectUrl) {\n url.searchParams.set('redirect_url', redirectUrl);\n }\n\n return url.toString();\n};\n\nconst buildAccountsBaseUrl = (frontendApi?: string) => {\n if (!frontendApi) {\n return '';\n }\n\n // convert url from FAPI to accounts for Kima and legacy (prod & dev) instances\n const accountsBaseUrl = frontendApi\n // staging accounts\n .replace(/clerk\\.accountsstage\\./, 'accountsstage.')\n .replace(/clerk\\.accounts\\.|clerk\\./, 'accounts.');\n return `https://${accountsBaseUrl}`;\n};\n\ntype RedirectAdapter = (url: string) => RedirectReturn;\ntype RedirectToParams = { returnBackUrl?: string | URL | null };\nexport type RedirectFun = (params?: RedirectToParams) => ReturnType;\n\n/**\n * @internal\n */\ntype CreateRedirect = (params: {\n publishableKey: string;\n devBrowserToken?: string;\n redirectAdapter: RedirectAdapter;\n baseUrl: URL | string;\n signInUrl?: URL | string;\n signUpUrl?: URL | string;\n}) => {\n redirectToSignIn: RedirectFun;\n redirectToSignUp: RedirectFun;\n};\n\nexport const createRedirect: CreateRedirect = params => {\n const { publishableKey, redirectAdapter, signInUrl, signUpUrl, baseUrl } = params;\n const parsedPublishableKey = parsePublishableKey(publishableKey);\n const frontendApi = parsedPublishableKey?.frontendApi;\n const isDevelopment = parsedPublishableKey?.instanceType === 'development';\n const accountsBaseUrl = buildAccountsBaseUrl(frontendApi);\n\n const redirectToSignUp = ({ returnBackUrl }: RedirectToParams = {}) => {\n if (!signUpUrl && !accountsBaseUrl) {\n errorThrower.throwMissingPublishableKeyError();\n }\n const accountsSignUpUrl = `${accountsBaseUrl}/sign-up`;\n return redirectAdapter(\n buildUrl(baseUrl, signUpUrl || accountsSignUpUrl, returnBackUrl, isDevelopment ? params.devBrowserToken : null),\n );\n };\n\n const redirectToSignIn = ({ returnBackUrl }: RedirectToParams = {}) => {\n if (!signInUrl && !accountsBaseUrl) {\n errorThrower.throwMissingPublishableKeyError();\n }\n const accountsSignInUrl = `${accountsBaseUrl}/sign-in`;\n return redirectAdapter(\n buildUrl(baseUrl, signInUrl || accountsSignInUrl, returnBackUrl, isDevelopment ? params.devBrowserToken : null),\n );\n };\n\n return { redirectToSignUp, redirectToSignIn };\n};\n","import type { CreateBackendApiOptions, Organization, Session, User } from '../api';\nimport { createBackendApiClient } from '../api';\nimport type { AuthObject } from '../tokens/authObjects';\n\ntype DecorateAuthWithResourcesOptions = {\n loadSession?: boolean;\n loadUser?: boolean;\n loadOrganization?: boolean;\n};\n\ntype WithResources = T & {\n session?: Session | null;\n user?: User | null;\n organization?: Organization | null;\n};\n\n/**\n * @internal\n */\nexport const decorateObjectWithResources = async (\n obj: T,\n authObj: AuthObject,\n opts: CreateBackendApiOptions & DecorateAuthWithResourcesOptions,\n): Promise> => {\n const { loadSession, loadUser, loadOrganization } = opts || {};\n const { userId, sessionId, orgId } = authObj;\n\n const { sessions, users, organizations } = createBackendApiClient({ ...opts });\n\n const [sessionResp, userResp, organizationResp] = await Promise.all([\n loadSession && sessionId ? sessions.getSession(sessionId) : Promise.resolve(undefined),\n loadUser && userId ? users.getUser(userId) : Promise.resolve(undefined),\n loadOrganization && orgId ? organizations.getOrganization({ organizationId: orgId }) : Promise.resolve(undefined),\n ]);\n\n const resources = stripPrivateDataFromObject({\n session: sessionResp,\n user: userResp,\n organization: organizationResp,\n });\n return Object.assign(obj, resources);\n};\n\n/**\n * @internal\n */\nexport function stripPrivateDataFromObject>(authObject: T): T {\n const user = authObject.user ? { ...authObject.user } : authObject.user;\n const organization = authObject.organization ? { ...authObject.organization } : authObject.organization;\n prunePrivateMetadata(user);\n prunePrivateMetadata(organization);\n return { ...authObject, user, organization };\n}\n\nfunction prunePrivateMetadata(resource?: { private_metadata: any } | { privateMetadata: any } | null) {\n // Delete sensitive private metadata from resource before rendering in SSR\n if (resource) {\n // @ts-ignore\n delete resource['privateMetadata'];\n // @ts-ignore\n delete resource['private_metadata'];\n }\n\n return resource;\n}\n","export { constants } from './constants';\nexport { createRedirect } from './createRedirect';\nexport type { RedirectFun } from './createRedirect';\n\nexport type { CreateAuthenticateRequestOptions } from './tokens/factory';\nexport { createAuthenticateRequest } from './tokens/factory';\n\nexport { debugRequestState } from './tokens/request';\n\nexport type { AuthenticateRequestOptions, OrganizationSyncOptions } from './tokens/types';\n\nexport type { SignedInAuthObjectOptions, SignedInAuthObject, SignedOutAuthObject } from './tokens/authObjects';\nexport { makeAuthObjectSerializable, signedOutAuthObject, signedInAuthObject } from './tokens/authObjects';\n\nexport { AuthStatus } from './tokens/authStatus';\nexport type { RequestState, SignedInState, SignedOutState } from './tokens/authStatus';\n\nexport { decorateObjectWithResources, stripPrivateDataFromObject } from './util/decorateObjectWithResources';\n\nexport { createClerkRequest } from './tokens/clerkRequest';\nexport type { ClerkRequest } from './tokens/clerkRequest';\n\nexport { reverificationError, reverificationErrorResponse } from '@clerk/shared/authorization-errors';\n"],"mappings":";;;;;;;;;;;;;;;;;AAGA,IAAM,WAAW,CACf,UACA,YACA,gBACA,qBACG;AACH,MAAI,aAAa,IAAI;AACnB,WAAO,eAAe,WAAW,SAAS,GAAG,gBAAgB,SAAS,CAAC;AAAA,EACzE;AAEA,QAAM,UAAU,IAAI,IAAI,QAAQ;AAChC,QAAM,gBAAgB,iBAAiB,IAAI,IAAI,gBAAgB,OAAO,IAAI;AAC1E,QAAM,MAAM,IAAI,IAAI,YAAY,OAAO;AAEvC,MAAI,eAAe;AACjB,QAAI,aAAa,IAAI,gBAAgB,cAAc,SAAS,CAAC;AAAA,EAC/D;AAEA,MAAI,oBAAoB,QAAQ,aAAa,IAAI,UAAU;AACzD,QAAI,aAAa,IAAI,UAAU,gBAAgB,YAAY,gBAAgB;AAAA,EAC7E;AACA,SAAO,IAAI,SAAS;AACtB;AAWA,IAAM,iBAAiB,CAAC,WAAmB,gBAAyB;AAClE,MAAI;AACJ,MAAI,CAAC,UAAU,WAAW,MAAM,GAAG;AACjC,QAAI,CAAC,eAAe,CAAC,YAAY,WAAW,MAAM,GAAG;AACnD,YAAM,IAAI,MAAM,oEAAoE;AAAA,IACtF;AAEA,UAAM,UAAU,IAAI,IAAI,WAAW;AACnC,UAAM,IAAI,IAAI,WAAW,QAAQ,MAAM;AAAA,EACzC,OAAO;AACL,UAAM,IAAI,IAAI,SAAS;AAAA,EACzB;AAEA,MAAI,aAAa;AACf,QAAI,aAAa,IAAI,gBAAgB,WAAW;AAAA,EAClD;AAEA,SAAO,IAAI,SAAS;AACtB;AAEA,IAAM,uBAAuB,CAAC,gBAAyB;AACrD,MAAI,CAAC,aAAa;AAChB,WAAO;AAAA,EACT;AAGA,QAAM,kBAAkB,YAErB,QAAQ,0BAA0B,gBAAgB,EAClD,QAAQ,6BAA6B,WAAW;AACnD,SAAO,WAAW,eAAe;AACnC;AAqBO,IAAM,iBAAiC,YAAU;AACtD,QAAM,EAAE,gBAAgB,iBAAiB,WAAW,WAAW,QAAQ,IAAI;AAC3E,QAAM,uBAAuB,oBAAoB,cAAc;AAC/D,QAAM,cAAc,sBAAsB;AAC1C,QAAM,gBAAgB,sBAAsB,iBAAiB;AAC7D,QAAM,kBAAkB,qBAAqB,WAAW;AAExD,QAAM,mBAAmB,CAAC,EAAE,cAAc,IAAsB,CAAC,MAAM;AACrE,QAAI,CAAC,aAAa,CAAC,iBAAiB;AAClC,mBAAa,gCAAgC;AAAA,IAC/C;AACA,UAAM,oBAAoB,GAAG,eAAe;AAC5C,WAAO;AAAA,MACL,SAAS,SAAS,aAAa,mBAAmB,eAAe,gBAAgB,OAAO,kBAAkB,IAAI;AAAA,IAChH;AAAA,EACF;AAEA,QAAM,mBAAmB,CAAC,EAAE,cAAc,IAAsB,CAAC,MAAM;AACrE,QAAI,CAAC,aAAa,CAAC,iBAAiB;AAClC,mBAAa,gCAAgC;AAAA,IAC/C;AACA,UAAM,oBAAoB,GAAG,eAAe;AAC5C,WAAO;AAAA,MACL,SAAS,SAAS,aAAa,mBAAmB,eAAe,gBAAgB,OAAO,kBAAkB,IAAI;AAAA,IAChH;AAAA,EACF;AAEA,SAAO,EAAE,kBAAkB,iBAAiB;AAC9C;;;ACjGO,IAAM,8BAA8B,OACzC,KACA,SACA,SAC8B;AAC9B,QAAM,EAAE,aAAa,UAAU,iBAAiB,IAAI,QAAQ,CAAC;AAC7D,QAAM,EAAE,QAAQ,WAAW,MAAM,IAAI;AAErC,QAAM,EAAE,UAAU,OAAO,cAAc,IAAI,uBAAuB,EAAE,GAAG,KAAK,CAAC;AAE7E,QAAM,CAAC,aAAa,UAAU,gBAAgB,IAAI,MAAM,QAAQ,IAAI;AAAA,IAClE,eAAe,YAAY,SAAS,WAAW,SAAS,IAAI,QAAQ,QAAQ,MAAS;AAAA,IACrF,YAAY,SAAS,MAAM,QAAQ,MAAM,IAAI,QAAQ,QAAQ,MAAS;AAAA,IACtE,oBAAoB,QAAQ,cAAc,gBAAgB,EAAE,gBAAgB,MAAM,CAAC,IAAI,QAAQ,QAAQ,MAAS;AAAA,EAClH,CAAC;AAED,QAAM,YAAY,2BAA2B;AAAA,IAC3C,SAAS;AAAA,IACT,MAAM;AAAA,IACN,cAAc;AAAA,EAChB,CAAC;AACD,SAAO,OAAO,OAAO,KAAK,SAAS;AACrC;AAKO,SAAS,2BAA4D,YAAkB;AAC5F,QAAM,OAAO,WAAW,OAAO,EAAE,GAAG,WAAW,KAAK,IAAI,WAAW;AACnE,QAAM,eAAe,WAAW,eAAe,EAAE,GAAG,WAAW,aAAa,IAAI,WAAW;AAC3F,uBAAqB,IAAI;AACzB,uBAAqB,YAAY;AACjC,SAAO,EAAE,GAAG,YAAY,MAAM,aAAa;AAC7C;AAEA,SAAS,qBAAqB,UAAwE;AAEpG,MAAI,UAAU;AAEZ,WAAO,SAAS,iBAAiB;AAEjC,WAAO,SAAS,kBAAkB;AAAA,EACpC;AAEA,SAAO;AACT;;;AC1CA,SAAS,qBAAqB,mCAAmC;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/algorithms.d.ts b/backend/node_modules/@clerk/backend/dist/jwt/algorithms.d.ts new file mode 100644 index 000000000..1b86b7613 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/algorithms.d.ts @@ -0,0 +1,3 @@ +export declare const algs: string[]; +export declare function getCryptoAlgorithm(algorithmName: string): RsaHashedImportParams; +//# sourceMappingURL=algorithms.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/algorithms.d.ts.map b/backend/node_modules/@clerk/backend/dist/jwt/algorithms.d.ts.map new file mode 100644 index 000000000..59b64a748 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/algorithms.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"algorithms.d.ts","sourceRoot":"","sources":["../../src/jwt/algorithms.ts"],"names":[],"mappings":"AAaA,eAAO,MAAM,IAAI,UAAyB,CAAC;AAE3C,wBAAgB,kBAAkB,CAAC,aAAa,EAAE,MAAM,GAAG,qBAAqB,CAY/E"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/assertions.d.ts b/backend/node_modules/@clerk/backend/dist/jwt/assertions.d.ts new file mode 100644 index 000000000..5e2fd5b70 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/assertions.d.ts @@ -0,0 +1,10 @@ +export type IssuerResolver = string | ((iss: string) => boolean); +export declare const assertAudienceClaim: (aud?: unknown, audience?: unknown) => void; +export declare const assertHeaderType: (typ?: unknown) => void; +export declare const assertHeaderAlgorithm: (alg: string) => void; +export declare const assertSubClaim: (sub?: string) => void; +export declare const assertAuthorizedPartiesClaim: (azp?: string, authorizedParties?: string[]) => void; +export declare const assertExpirationClaim: (exp: number, clockSkewInMs: number) => void; +export declare const assertActivationClaim: (nbf: number | undefined, clockSkewInMs: number) => void; +export declare const assertIssuedAtClaim: (iat: number | undefined, clockSkewInMs: number) => void; +//# sourceMappingURL=assertions.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/assertions.d.ts.map b/backend/node_modules/@clerk/backend/dist/jwt/assertions.d.ts.map new file mode 100644 index 000000000..b672bec34 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/assertions.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"assertions.d.ts","sourceRoot":"","sources":["../../src/jwt/assertions.ts"],"names":[],"mappings":"AAGA,MAAM,MAAM,cAAc,GAAG,MAAM,GAAG,CAAC,CAAC,GAAG,EAAE,MAAM,KAAK,OAAO,CAAC,CAAC;AAMjE,eAAO,MAAM,mBAAmB,SAAU,OAAO,aAAa,OAAO,SAsCpE,CAAC;AAEF,eAAO,MAAM,gBAAgB,SAAU,OAAO,SAY7C,CAAC;AAEF,eAAO,MAAM,qBAAqB,QAAS,MAAM,SAQhD,CAAC;AAEF,eAAO,MAAM,cAAc,SAAU,MAAM,SAQ1C,CAAC;AAEF,eAAO,MAAM,4BAA4B,SAAU,MAAM,sBAAsB,MAAM,EAAE,SAWtF,CAAC;AAEF,eAAO,MAAM,qBAAqB,QAAS,MAAM,iBAAiB,MAAM,SAoBvE,CAAC;AAEF,eAAO,MAAM,qBAAqB,QAAS,MAAM,GAAG,SAAS,iBAAiB,MAAM,SAwBnF,CAAC;AAEF,eAAO,MAAM,mBAAmB,QAAS,MAAM,GAAG,SAAS,iBAAiB,MAAM,SAwBjF,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/cryptoKeys.d.ts b/backend/node_modules/@clerk/backend/dist/jwt/cryptoKeys.d.ts new file mode 100644 index 000000000..199b09e5b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/cryptoKeys.d.ts @@ -0,0 +1,2 @@ +export declare function importKey(key: JsonWebKey | string, algorithm: RsaHashedImportParams, keyUsage: 'verify' | 'sign'): Promise; +//# sourceMappingURL=cryptoKeys.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/cryptoKeys.d.ts.map b/backend/node_modules/@clerk/backend/dist/jwt/cryptoKeys.d.ts.map new file mode 100644 index 000000000..c9df4bee8 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/cryptoKeys.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"cryptoKeys.d.ts","sourceRoot":"","sources":["../../src/jwt/cryptoKeys.ts"],"names":[],"mappings":"AAuBA,wBAAgB,SAAS,CACvB,GAAG,EAAE,UAAU,GAAG,MAAM,EACxB,SAAS,EAAE,qBAAqB,EAChC,QAAQ,EAAE,QAAQ,GAAG,MAAM,GAC1B,OAAO,CAAC,SAAS,CAAC,CASpB"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/index.d.ts b/backend/node_modules/@clerk/backend/dist/jwt/index.d.ts new file mode 100644 index 000000000..2f40f2765 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/index.d.ts @@ -0,0 +1,7 @@ +export type { VerifyJwtOptions } from './verifyJwt'; +export type { SignJwtOptions } from './signJwt'; +export declare const verifyJwt: (token: string, options: import("./verifyJwt").VerifyJwtOptions) => Promise; +export declare const decodeJwt: (token: string) => import("@clerk/types").Jwt; +export declare const signJwt: (payload: Record, key: string | JsonWebKey, options: import("./signJwt").SignJwtOptions) => Promise; +export declare const hasValidSignature: (jwt: import("@clerk/types").Jwt, key: string | JsonWebKey) => Promise>; +//# sourceMappingURL=index.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/index.d.ts.map b/backend/node_modules/@clerk/backend/dist/jwt/index.d.ts.map new file mode 100644 index 000000000..e0f339e2b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/index.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"index.d.ts","sourceRoot":"","sources":["../../src/jwt/index.ts"],"names":[],"mappings":"AAIA,YAAY,EAAE,gBAAgB,EAAE,MAAM,aAAa,CAAC;AACpD,YAAY,EAAE,cAAc,EAAE,MAAM,WAAW,CAAC;AAKhD,eAAO,MAAM,SAAS,gHAA+B,CAAC;AACtD,eAAO,MAAM,SAAS,+CAAmC,CAAC;AAE1D,eAAO,MAAM,OAAO,8HAA6B,CAAC;AAClD,eAAO,MAAM,iBAAiB,0GAAuC,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/index.js b/backend/node_modules/@clerk/backend/dist/jwt/index.js new file mode 100644 index 000000000..e0f500a46 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/index.js @@ -0,0 +1,515 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/jwt/index.ts +var jwt_exports = {}; +__export(jwt_exports, { + decodeJwt: () => decodeJwt2, + hasValidSignature: () => hasValidSignature2, + signJwt: () => signJwt2, + verifyJwt: () => verifyJwt2 +}); +module.exports = __toCommonJS(jwt_exports); + +// src/jwt/legacyReturn.ts +function withLegacyReturn(cb) { + return async (...args) => { + const { data, errors } = await cb(...args); + if (errors) { + throw errors[0]; + } + return data; + }; +} +function withLegacySyncReturn(cb) { + return (...args) => { + const { data, errors } = cb(...args); + if (errors) { + throw errors[0]; + } + return data; + }; +} + +// src/errors.ts +var TokenVerificationErrorReason = { + TokenExpired: "token-expired", + TokenInvalid: "token-invalid", + TokenInvalidAlgorithm: "token-invalid-algorithm", + TokenInvalidAuthorizedParties: "token-invalid-authorized-parties", + TokenInvalidSignature: "token-invalid-signature", + TokenNotActiveYet: "token-not-active-yet", + TokenIatInTheFuture: "token-iat-in-the-future", + TokenVerificationFailed: "token-verification-failed", + InvalidSecretKey: "secret-key-invalid", + LocalJWKMissing: "jwk-local-missing", + RemoteJWKFailedToLoad: "jwk-remote-failed-to-load", + RemoteJWKInvalid: "jwk-remote-invalid", + RemoteJWKMissing: "jwk-remote-missing", + JWKFailedToResolve: "jwk-failed-to-resolve", + JWKKidMismatch: "jwk-kid-mismatch" +}; +var TokenVerificationErrorAction = { + ContactSupport: "Contact support@clerk.com", + EnsureClerkJWT: "Make sure that this is a valid Clerk generate JWT.", + SetClerkJWTKey: "Set the CLERK_JWT_KEY environment variable.", + SetClerkSecretKey: "Set the CLERK_SECRET_KEY environment variable.", + EnsureClockSync: "Make sure your system clock is in sync (e.g. turn off and on automatic time synchronization)." +}; +var TokenVerificationError = class _TokenVerificationError extends Error { + constructor({ + action, + message, + reason + }) { + super(message); + Object.setPrototypeOf(this, _TokenVerificationError.prototype); + this.reason = reason; + this.message = message; + this.action = action; + } + getFullMessage() { + return `${[this.message, this.action].filter((m) => m).join(" ")} (reason=${this.reason}, token-carrier=${this.tokenCarrier})`; + } +}; +var SignJWTError = class extends Error { +}; + +// src/runtime.ts +var import_crypto = require("#crypto"); +var globalFetch = fetch.bind(globalThis); +var runtime = { + crypto: import_crypto.webcrypto, + get fetch() { + return process.env.NODE_ENV === "test" ? fetch : globalFetch; + }, + AbortController: globalThis.AbortController, + Blob: globalThis.Blob, + FormData: globalThis.FormData, + Headers: globalThis.Headers, + Request: globalThis.Request, + Response: globalThis.Response +}; + +// src/util/rfc4648.ts +var base64url = { + parse(string, opts) { + return parse(string, base64UrlEncoding, opts); + }, + stringify(data, opts) { + return stringify(data, base64UrlEncoding, opts); + } +}; +var base64UrlEncoding = { + chars: "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_", + bits: 6 +}; +function parse(string, encoding, opts = {}) { + if (!encoding.codes) { + encoding.codes = {}; + for (let i = 0; i < encoding.chars.length; ++i) { + encoding.codes[encoding.chars[i]] = i; + } + } + if (!opts.loose && string.length * encoding.bits & 7) { + throw new SyntaxError("Invalid padding"); + } + let end = string.length; + while (string[end - 1] === "=") { + --end; + if (!opts.loose && !((string.length - end) * encoding.bits & 7)) { + throw new SyntaxError("Invalid padding"); + } + } + const out = new (opts.out ?? Uint8Array)(end * encoding.bits / 8 | 0); + let bits = 0; + let buffer = 0; + let written = 0; + for (let i = 0; i < end; ++i) { + const value = encoding.codes[string[i]]; + if (value === void 0) { + throw new SyntaxError("Invalid character " + string[i]); + } + buffer = buffer << encoding.bits | value; + bits += encoding.bits; + if (bits >= 8) { + bits -= 8; + out[written++] = 255 & buffer >> bits; + } + } + if (bits >= encoding.bits || 255 & buffer << 8 - bits) { + throw new SyntaxError("Unexpected end of data"); + } + return out; +} +function stringify(data, encoding, opts = {}) { + const { pad = true } = opts; + const mask = (1 << encoding.bits) - 1; + let out = ""; + let bits = 0; + let buffer = 0; + for (let i = 0; i < data.length; ++i) { + buffer = buffer << 8 | 255 & data[i]; + bits += 8; + while (bits > encoding.bits) { + bits -= encoding.bits; + out += encoding.chars[mask & buffer >> bits]; + } + } + if (bits) { + out += encoding.chars[mask & buffer << encoding.bits - bits]; + } + if (pad) { + while (out.length * encoding.bits & 7) { + out += "="; + } + } + return out; +} + +// src/jwt/algorithms.ts +var algToHash = { + RS256: "SHA-256", + RS384: "SHA-384", + RS512: "SHA-512" +}; +var RSA_ALGORITHM_NAME = "RSASSA-PKCS1-v1_5"; +var jwksAlgToCryptoAlg = { + RS256: RSA_ALGORITHM_NAME, + RS384: RSA_ALGORITHM_NAME, + RS512: RSA_ALGORITHM_NAME +}; +var algs = Object.keys(algToHash); +function getCryptoAlgorithm(algorithmName) { + const hash = algToHash[algorithmName]; + const name = jwksAlgToCryptoAlg[algorithmName]; + if (!hash || !name) { + throw new Error(`Unsupported algorithm ${algorithmName}, expected one of ${algs.join(",")}.`); + } + return { + hash: { name: algToHash[algorithmName] }, + name: jwksAlgToCryptoAlg[algorithmName] + }; +} + +// src/jwt/cryptoKeys.ts +var import_isomorphicAtob = require("@clerk/shared/isomorphicAtob"); +function pemToBuffer(secret) { + const trimmed = secret.replace(/-----BEGIN.*?-----/g, "").replace(/-----END.*?-----/g, "").replace(/\s/g, ""); + const decoded = (0, import_isomorphicAtob.isomorphicAtob)(trimmed); + const buffer = new ArrayBuffer(decoded.length); + const bufView = new Uint8Array(buffer); + for (let i = 0, strLen = decoded.length; i < strLen; i++) { + bufView[i] = decoded.charCodeAt(i); + } + return bufView; +} +function importKey(key, algorithm, keyUsage) { + if (typeof key === "object") { + return runtime.crypto.subtle.importKey("jwk", key, algorithm, false, [keyUsage]); + } + const keyData = pemToBuffer(key); + const format = keyUsage === "sign" ? "pkcs8" : "spki"; + return runtime.crypto.subtle.importKey(format, keyData, algorithm, false, [keyUsage]); +} + +// src/jwt/signJwt.ts +function encodeJwtData(value) { + const stringified = JSON.stringify(value); + const encoder = new TextEncoder(); + const encoded = encoder.encode(stringified); + return base64url.stringify(encoded, { pad: false }); +} +async function signJwt(payload, key, options) { + if (!options.algorithm) { + throw new Error("No algorithm specified"); + } + const encoder = new TextEncoder(); + const algorithm = getCryptoAlgorithm(options.algorithm); + if (!algorithm) { + return { + errors: [new SignJWTError(`Unsupported algorithm ${options.algorithm}`)] + }; + } + const cryptoKey = await importKey(key, algorithm, "sign"); + const header = options.header || { typ: "JWT" }; + header.alg = options.algorithm; + payload.iat = Math.floor(Date.now() / 1e3); + const encodedHeader = encodeJwtData(header); + const encodedPayload = encodeJwtData(payload); + const firstPart = `${encodedHeader}.${encodedPayload}`; + try { + const signature = await runtime.crypto.subtle.sign(algorithm, cryptoKey, encoder.encode(firstPart)); + const encodedSignature = `${firstPart}.${base64url.stringify(new Uint8Array(signature), { pad: false })}`; + return { data: encodedSignature }; + } catch (error) { + return { errors: [new SignJWTError(error?.message)] }; + } +} + +// src/jwt/assertions.ts +var isArrayString = (s) => { + return Array.isArray(s) && s.length > 0 && s.every((a) => typeof a === "string"); +}; +var assertAudienceClaim = (aud, audience) => { + const audienceList = [audience].flat().filter((a) => !!a); + const audList = [aud].flat().filter((a) => !!a); + const shouldVerifyAudience = audienceList.length > 0 && audList.length > 0; + if (!shouldVerifyAudience) { + return; + } + if (typeof aud === "string") { + if (!audienceList.includes(aud)) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT audience claim (aud) ${JSON.stringify(aud)}. Is not included in "${JSON.stringify( + audienceList + )}".` + }); + } + } else if (isArrayString(aud)) { + if (!aud.some((a) => audienceList.includes(a))) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT audience claim array (aud) ${JSON.stringify(aud)}. Is not included in "${JSON.stringify( + audienceList + )}".` + }); + } + } +}; +var assertHeaderType = (typ) => { + if (typeof typ === "undefined") { + return; + } + if (typ !== "JWT") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenInvalid, + message: `Invalid JWT type ${JSON.stringify(typ)}. Expected "JWT".` + }); + } +}; +var assertHeaderAlgorithm = (alg) => { + if (!algs.includes(alg)) { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenInvalidAlgorithm, + message: `Invalid JWT algorithm ${JSON.stringify(alg)}. Supported: ${algs}.` + }); + } +}; +var assertSubClaim = (sub) => { + if (typeof sub !== "string") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Subject claim (sub) is required and must be a string. Received ${JSON.stringify(sub)}.` + }); + } +}; +var assertAuthorizedPartiesClaim = (azp, authorizedParties) => { + if (!azp || !authorizedParties || authorizedParties.length === 0) { + return; + } + if (!authorizedParties.includes(azp)) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalidAuthorizedParties, + message: `Invalid JWT Authorized party claim (azp) ${JSON.stringify(azp)}. Expected "${authorizedParties}".` + }); + } +}; +var assertExpirationClaim = (exp, clockSkewInMs) => { + if (typeof exp !== "number") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT expiry date claim (exp) ${JSON.stringify(exp)}. Expected number.` + }); + } + const currentDate = new Date(Date.now()); + const expiryDate = /* @__PURE__ */ new Date(0); + expiryDate.setUTCSeconds(exp); + const expired = expiryDate.getTime() <= currentDate.getTime() - clockSkewInMs; + if (expired) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenExpired, + message: `JWT is expired. Expiry date: ${expiryDate.toUTCString()}, Current date: ${currentDate.toUTCString()}.` + }); + } +}; +var assertActivationClaim = (nbf, clockSkewInMs) => { + if (typeof nbf === "undefined") { + return; + } + if (typeof nbf !== "number") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT not before date claim (nbf) ${JSON.stringify(nbf)}. Expected number.` + }); + } + const currentDate = new Date(Date.now()); + const notBeforeDate = /* @__PURE__ */ new Date(0); + notBeforeDate.setUTCSeconds(nbf); + const early = notBeforeDate.getTime() > currentDate.getTime() + clockSkewInMs; + if (early) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenNotActiveYet, + message: `JWT cannot be used prior to not before date claim (nbf). Not before date: ${notBeforeDate.toUTCString()}; Current date: ${currentDate.toUTCString()};` + }); + } +}; +var assertIssuedAtClaim = (iat, clockSkewInMs) => { + if (typeof iat === "undefined") { + return; + } + if (typeof iat !== "number") { + throw new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Invalid JWT issued at date claim (iat) ${JSON.stringify(iat)}. Expected number.` + }); + } + const currentDate = new Date(Date.now()); + const issuedAtDate = /* @__PURE__ */ new Date(0); + issuedAtDate.setUTCSeconds(iat); + const postIssued = issuedAtDate.getTime() > currentDate.getTime() + clockSkewInMs; + if (postIssued) { + throw new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenIatInTheFuture, + message: `JWT issued at date claim (iat) is in the future. Issued at date: ${issuedAtDate.toUTCString()}; Current date: ${currentDate.toUTCString()};` + }); + } +}; + +// src/jwt/verifyJwt.ts +var DEFAULT_CLOCK_SKEW_IN_SECONDS = 5 * 1e3; +async function hasValidSignature(jwt, key) { + const { header, signature, raw } = jwt; + const encoder = new TextEncoder(); + const data = encoder.encode([raw.header, raw.payload].join(".")); + const algorithm = getCryptoAlgorithm(header.alg); + try { + const cryptoKey = await importKey(key, algorithm, "verify"); + const verified = await runtime.crypto.subtle.verify(algorithm.name, cryptoKey, signature, data); + return { data: verified }; + } catch (error) { + return { + errors: [ + new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalidSignature, + message: error?.message + }) + ] + }; + } +} +function decodeJwt(token) { + const tokenParts = (token || "").toString().split("."); + if (tokenParts.length !== 3) { + return { + errors: [ + new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalid, + message: `Invalid JWT form. A JWT consists of three parts separated by dots.` + }) + ] + }; + } + const [rawHeader, rawPayload, rawSignature] = tokenParts; + const decoder = new TextDecoder(); + const header = JSON.parse(decoder.decode(base64url.parse(rawHeader, { loose: true }))); + const payload = JSON.parse(decoder.decode(base64url.parse(rawPayload, { loose: true }))); + const signature = base64url.parse(rawSignature, { loose: true }); + const data = { + header, + payload, + signature, + raw: { + header: rawHeader, + payload: rawPayload, + signature: rawSignature, + text: token + } + }; + return { data }; +} +async function verifyJwt(token, options) { + const { audience, authorizedParties, clockSkewInMs, key } = options; + const clockSkew = clockSkewInMs || DEFAULT_CLOCK_SKEW_IN_SECONDS; + const { data: decoded, errors } = decodeJwt(token); + if (errors) { + return { errors }; + } + const { header, payload } = decoded; + try { + const { typ, alg } = header; + assertHeaderType(typ); + assertHeaderAlgorithm(alg); + const { azp, sub, aud, iat, exp, nbf } = payload; + assertSubClaim(sub); + assertAudienceClaim([aud], [audience]); + assertAuthorizedPartiesClaim(azp, authorizedParties); + assertExpirationClaim(exp, clockSkew); + assertActivationClaim(nbf, clockSkew); + assertIssuedAtClaim(iat, clockSkew); + } catch (err) { + return { errors: [err] }; + } + const { data: signatureValid, errors: signatureErrors } = await hasValidSignature(decoded, key); + if (signatureErrors) { + return { + errors: [ + new TokenVerificationError({ + action: TokenVerificationErrorAction.EnsureClerkJWT, + reason: TokenVerificationErrorReason.TokenVerificationFailed, + message: `Error verifying JWT signature. ${signatureErrors[0]}` + }) + ] + }; + } + if (!signatureValid) { + return { + errors: [ + new TokenVerificationError({ + reason: TokenVerificationErrorReason.TokenInvalidSignature, + message: "JWT signature is invalid." + }) + ] + }; + } + return { data: payload }; +} + +// src/jwt/index.ts +var verifyJwt2 = withLegacyReturn(verifyJwt); +var decodeJwt2 = withLegacySyncReturn(decodeJwt); +var signJwt2 = withLegacyReturn(signJwt); +var hasValidSignature2 = withLegacyReturn(hasValidSignature); +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + decodeJwt, + hasValidSignature, + signJwt, + verifyJwt +}); +//# sourceMappingURL=index.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/index.js.map b/backend/node_modules/@clerk/backend/dist/jwt/index.js.map new file mode 100644 index 000000000..645e5697e --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/index.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../../src/jwt/index.ts","../../src/jwt/legacyReturn.ts","../../src/errors.ts","../../src/runtime.ts","../../src/util/rfc4648.ts","../../src/jwt/algorithms.ts","../../src/jwt/cryptoKeys.ts","../../src/jwt/signJwt.ts","../../src/jwt/assertions.ts","../../src/jwt/verifyJwt.ts"],"sourcesContent":["import { withLegacyReturn, withLegacySyncReturn } from './legacyReturn';\nimport { signJwt as _signJwt } from './signJwt';\nimport { decodeJwt as _decodeJwt, hasValidSignature as _hasValidSignature, verifyJwt as _verifyJwt } from './verifyJwt';\n\nexport type { VerifyJwtOptions } from './verifyJwt';\nexport type { SignJwtOptions } from './signJwt';\n\n// Introduce compatibility layer to avoid more breaking changes\n// TODO(dimkl): This (probably be drop in the next major version)\n\nexport const verifyJwt = withLegacyReturn(_verifyJwt);\nexport const decodeJwt = withLegacySyncReturn(_decodeJwt);\n\nexport const signJwt = withLegacyReturn(_signJwt);\nexport const hasValidSignature = withLegacyReturn(_hasValidSignature);\n","import type { JwtReturnType } from './types';\n\n// TODO(dimkl): Will be probably be dropped in next major version\nexport function withLegacyReturn Promise>>(cb: T) {\n return async (...args: Parameters): Promise>['data']>> | never => {\n const { data, errors } = await cb(...args);\n if (errors) {\n throw errors[0];\n }\n return data;\n };\n}\n\n// TODO(dimkl): Will be probably be dropped in next major version\nexport function withLegacySyncReturn JwtReturnType>(cb: T) {\n return (...args: Parameters): NonNullable>['data']> | never => {\n const { data, errors } = cb(...args);\n if (errors) {\n throw errors[0];\n }\n return data;\n };\n}\n","export type TokenCarrier = 'header' | 'cookie';\n\nexport const TokenVerificationErrorCode = {\n InvalidSecretKey: 'clerk_key_invalid',\n};\n\nexport type TokenVerificationErrorCode = (typeof TokenVerificationErrorCode)[keyof typeof TokenVerificationErrorCode];\n\nexport const TokenVerificationErrorReason = {\n TokenExpired: 'token-expired',\n TokenInvalid: 'token-invalid',\n TokenInvalidAlgorithm: 'token-invalid-algorithm',\n TokenInvalidAuthorizedParties: 'token-invalid-authorized-parties',\n TokenInvalidSignature: 'token-invalid-signature',\n TokenNotActiveYet: 'token-not-active-yet',\n TokenIatInTheFuture: 'token-iat-in-the-future',\n TokenVerificationFailed: 'token-verification-failed',\n InvalidSecretKey: 'secret-key-invalid',\n LocalJWKMissing: 'jwk-local-missing',\n RemoteJWKFailedToLoad: 'jwk-remote-failed-to-load',\n RemoteJWKInvalid: 'jwk-remote-invalid',\n RemoteJWKMissing: 'jwk-remote-missing',\n JWKFailedToResolve: 'jwk-failed-to-resolve',\n JWKKidMismatch: 'jwk-kid-mismatch',\n};\n\nexport type TokenVerificationErrorReason =\n (typeof TokenVerificationErrorReason)[keyof typeof TokenVerificationErrorReason];\n\nexport const TokenVerificationErrorAction = {\n ContactSupport: 'Contact support@clerk.com',\n EnsureClerkJWT: 'Make sure that this is a valid Clerk generate JWT.',\n SetClerkJWTKey: 'Set the CLERK_JWT_KEY environment variable.',\n SetClerkSecretKey: 'Set the CLERK_SECRET_KEY environment variable.',\n EnsureClockSync: 'Make sure your system clock is in sync (e.g. turn off and on automatic time synchronization).',\n};\n\nexport type TokenVerificationErrorAction =\n (typeof TokenVerificationErrorAction)[keyof typeof TokenVerificationErrorAction];\n\nexport class TokenVerificationError extends Error {\n action?: TokenVerificationErrorAction;\n reason: TokenVerificationErrorReason;\n tokenCarrier?: TokenCarrier;\n\n constructor({\n action,\n message,\n reason,\n }: {\n action?: TokenVerificationErrorAction;\n message: string;\n reason: TokenVerificationErrorReason;\n }) {\n super(message);\n\n Object.setPrototypeOf(this, TokenVerificationError.prototype);\n\n this.reason = reason;\n this.message = message;\n this.action = action;\n }\n\n public getFullMessage() {\n return `${[this.message, this.action].filter(m => m).join(' ')} (reason=${this.reason}, token-carrier=${\n this.tokenCarrier\n })`;\n }\n}\n\nexport class SignJWTError extends Error {}\n","/**\n * This file exports APIs that vary across runtimes (i.e. Node & Browser - V8 isolates)\n * as a singleton object.\n *\n * Runtime polyfills are written in VanillaJS for now to avoid TS complication. Moreover,\n * due to this issue https://github.com/microsoft/TypeScript/issues/44848, there is not a good way\n * to tell Typescript which conditional import to use during build type.\n *\n * The Runtime type definition ensures type safety for now.\n * Runtime js modules are copied into dist folder with bash script.\n *\n * TODO: Support TS runtime modules\n */\n\n// @ts-ignore - These are package subpaths\nimport { webcrypto as crypto } from '#crypto';\n\ntype Runtime = {\n crypto: Crypto;\n fetch: typeof globalThis.fetch;\n AbortController: typeof globalThis.AbortController;\n Blob: typeof globalThis.Blob;\n FormData: typeof globalThis.FormData;\n Headers: typeof globalThis.Headers;\n Request: typeof globalThis.Request;\n Response: typeof globalThis.Response;\n};\n\n// Invoking the global.fetch without binding it first to the globalObject fails in\n// Cloudflare Workers with an \"Illegal Invocation\" error.\n//\n// The globalThis object is supported for Node >= 12.0.\n//\n// https://github.com/supabase/supabase/issues/4417\nconst globalFetch = fetch.bind(globalThis);\n\nexport const runtime: Runtime = {\n crypto,\n get fetch() {\n // We need to use the globalFetch for Cloudflare Workers but the fetch for testing\n return process.env.NODE_ENV === 'test' ? fetch : globalFetch;\n },\n AbortController: globalThis.AbortController,\n Blob: globalThis.Blob,\n FormData: globalThis.FormData,\n Headers: globalThis.Headers,\n Request: globalThis.Request,\n Response: globalThis.Response,\n};\n","/**\n * The base64url helper was extracted from the rfc4648 package\n * in order to resolve CSJ/ESM interoperability issues\n *\n * https://github.com/swansontec/rfc4648.js\n *\n * For more context please refer to:\n * - https://github.com/evanw/esbuild/issues/1719\n * - https://github.com/evanw/esbuild/issues/532\n * - https://github.com/swansontec/rollup-plugin-mjs-entry\n */\nexport const base64url = {\n parse(string: string, opts?: ParseOptions): Uint8Array {\n return parse(string, base64UrlEncoding, opts);\n },\n\n stringify(data: ArrayLike, opts?: StringifyOptions): string {\n return stringify(data, base64UrlEncoding, opts);\n },\n};\n\nconst base64UrlEncoding: Encoding = {\n chars: 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_',\n bits: 6,\n};\n\ninterface Encoding {\n bits: number;\n chars: string;\n codes?: { [char: string]: number };\n}\n\ninterface ParseOptions {\n loose?: boolean;\n out?: new (size: number) => { [index: number]: number };\n}\n\ninterface StringifyOptions {\n pad?: boolean;\n}\n\nfunction parse(string: string, encoding: Encoding, opts: ParseOptions = {}): Uint8Array {\n // Build the character lookup table:\n if (!encoding.codes) {\n encoding.codes = {};\n for (let i = 0; i < encoding.chars.length; ++i) {\n encoding.codes[encoding.chars[i]] = i;\n }\n }\n\n // The string must have a whole number of bytes:\n if (!opts.loose && (string.length * encoding.bits) & 7) {\n throw new SyntaxError('Invalid padding');\n }\n\n // Count the padding bytes:\n let end = string.length;\n while (string[end - 1] === '=') {\n --end;\n\n // If we get a whole number of bytes, there is too much padding:\n if (!opts.loose && !(((string.length - end) * encoding.bits) & 7)) {\n throw new SyntaxError('Invalid padding');\n }\n }\n\n // Allocate the output:\n const out = new (opts.out ?? Uint8Array)(((end * encoding.bits) / 8) | 0) as Uint8Array;\n\n // Parse the data:\n let bits = 0; // Number of bits currently in the buffer\n let buffer = 0; // Bits waiting to be written out, MSB first\n let written = 0; // Next byte to write\n for (let i = 0; i < end; ++i) {\n // Read one character from the string:\n const value = encoding.codes[string[i]];\n if (value === undefined) {\n throw new SyntaxError('Invalid character ' + string[i]);\n }\n\n // Append the bits to the buffer:\n buffer = (buffer << encoding.bits) | value;\n bits += encoding.bits;\n\n // Write out some bits if the buffer has a byte's worth:\n if (bits >= 8) {\n bits -= 8;\n out[written++] = 0xff & (buffer >> bits);\n }\n }\n\n // Verify that we have received just enough bits:\n if (bits >= encoding.bits || 0xff & (buffer << (8 - bits))) {\n throw new SyntaxError('Unexpected end of data');\n }\n\n return out;\n}\n\nfunction stringify(data: ArrayLike, encoding: Encoding, opts: StringifyOptions = {}): string {\n const { pad = true } = opts;\n const mask = (1 << encoding.bits) - 1;\n let out = '';\n\n let bits = 0; // Number of bits currently in the buffer\n let buffer = 0; // Bits waiting to be written out, MSB first\n for (let i = 0; i < data.length; ++i) {\n // Slurp data into the buffer:\n buffer = (buffer << 8) | (0xff & data[i]);\n bits += 8;\n\n // Write out as much as we can:\n while (bits > encoding.bits) {\n bits -= encoding.bits;\n out += encoding.chars[mask & (buffer >> bits)];\n }\n }\n\n // Partial character:\n if (bits) {\n out += encoding.chars[mask & (buffer << (encoding.bits - bits))];\n }\n\n // Add padding characters until we hit a byte boundary:\n if (pad) {\n while ((out.length * encoding.bits) & 7) {\n out += '=';\n }\n }\n\n return out;\n}\n","const algToHash: Record = {\n RS256: 'SHA-256',\n RS384: 'SHA-384',\n RS512: 'SHA-512',\n};\nconst RSA_ALGORITHM_NAME = 'RSASSA-PKCS1-v1_5';\n\nconst jwksAlgToCryptoAlg: Record = {\n RS256: RSA_ALGORITHM_NAME,\n RS384: RSA_ALGORITHM_NAME,\n RS512: RSA_ALGORITHM_NAME,\n};\n\nexport const algs = Object.keys(algToHash);\n\nexport function getCryptoAlgorithm(algorithmName: string): RsaHashedImportParams {\n const hash = algToHash[algorithmName];\n const name = jwksAlgToCryptoAlg[algorithmName];\n\n if (!hash || !name) {\n throw new Error(`Unsupported algorithm ${algorithmName}, expected one of ${algs.join(',')}.`);\n }\n\n return {\n hash: { name: algToHash[algorithmName] },\n name: jwksAlgToCryptoAlg[algorithmName],\n };\n}\n","import { isomorphicAtob } from '@clerk/shared/isomorphicAtob';\n\nimport { runtime } from '../runtime';\n\n// https://developer.mozilla.org/en-US/docs/Web/API/SubtleCrypto/importKey#pkcs_8_import\nfunction pemToBuffer(secret: string): ArrayBuffer {\n const trimmed = secret\n .replace(/-----BEGIN.*?-----/g, '')\n .replace(/-----END.*?-----/g, '')\n .replace(/\\s/g, '');\n\n const decoded = isomorphicAtob(trimmed);\n\n const buffer = new ArrayBuffer(decoded.length);\n const bufView = new Uint8Array(buffer);\n\n for (let i = 0, strLen = decoded.length; i < strLen; i++) {\n bufView[i] = decoded.charCodeAt(i);\n }\n\n return bufView;\n}\n\nexport function importKey(\n key: JsonWebKey | string,\n algorithm: RsaHashedImportParams,\n keyUsage: 'verify' | 'sign',\n): Promise {\n if (typeof key === 'object') {\n return runtime.crypto.subtle.importKey('jwk', key, algorithm, false, [keyUsage]);\n }\n\n const keyData = pemToBuffer(key);\n const format = keyUsage === 'sign' ? 'pkcs8' : 'spki';\n\n return runtime.crypto.subtle.importKey(format, keyData, algorithm, false, [keyUsage]);\n}\n","import { SignJWTError } from '../errors';\nimport { runtime } from '../runtime';\nimport { base64url } from '../util/rfc4648';\nimport { getCryptoAlgorithm } from './algorithms';\nimport { importKey } from './cryptoKeys';\nimport type { JwtReturnType } from './types';\n\nexport interface SignJwtOptions {\n algorithm?: string;\n header?: Record;\n}\n\nfunction encodeJwtData(value: unknown): string {\n const stringified = JSON.stringify(value);\n const encoder = new TextEncoder();\n const encoded = encoder.encode(stringified);\n return base64url.stringify(encoded, { pad: false });\n}\n\n/**\n * Signs a JSON Web Token (JWT) with the given payload, key, and options.\n * This function is intended to be used *internally* by other Clerk packages and typically\n * should not be used directly.\n *\n * @internal\n * @param payload The payload to include in the JWT.\n * @param key The key to use for signing the JWT. Can be a string or a JsonWebKey.\n * @param options The options to use for signing the JWT.\n * @returns A Promise that resolves to the signed JWT string.\n * @throws An error if no algorithm is specified or if the specified algorithm is unsupported.\n * @throws An error if there is an issue with importing the key or signing the JWT.\n */\nexport async function signJwt(\n payload: Record,\n key: string | JsonWebKey,\n options: SignJwtOptions,\n): Promise> {\n if (!options.algorithm) {\n throw new Error('No algorithm specified');\n }\n const encoder = new TextEncoder();\n\n const algorithm = getCryptoAlgorithm(options.algorithm);\n if (!algorithm) {\n return {\n errors: [new SignJWTError(`Unsupported algorithm ${options.algorithm}`)],\n };\n }\n\n const cryptoKey = await importKey(key, algorithm, 'sign');\n const header = options.header || { typ: 'JWT' };\n\n header.alg = options.algorithm;\n payload.iat = Math.floor(Date.now() / 1000);\n\n const encodedHeader = encodeJwtData(header);\n const encodedPayload = encodeJwtData(payload);\n const firstPart = `${encodedHeader}.${encodedPayload}`;\n\n try {\n const signature = await runtime.crypto.subtle.sign(algorithm, cryptoKey, encoder.encode(firstPart));\n const encodedSignature = `${firstPart}.${base64url.stringify(new Uint8Array(signature), { pad: false })}`;\n return { data: encodedSignature };\n } catch (error) {\n return { errors: [new SignJWTError((error as Error)?.message)] };\n }\n}\n","import { TokenVerificationError, TokenVerificationErrorAction, TokenVerificationErrorReason } from '../errors';\nimport { algs } from './algorithms';\n\nexport type IssuerResolver = string | ((iss: string) => boolean);\n\nconst isArrayString = (s: unknown): s is string[] => {\n return Array.isArray(s) && s.length > 0 && s.every(a => typeof a === 'string');\n};\n\nexport const assertAudienceClaim = (aud?: unknown, audience?: unknown) => {\n const audienceList = [audience].flat().filter(a => !!a);\n const audList = [aud].flat().filter(a => !!a);\n const shouldVerifyAudience = audienceList.length > 0 && audList.length > 0;\n\n if (!shouldVerifyAudience) {\n // Notice: Clerk JWTs use AZP claim instead of Audience\n //\n // return {\n // valid: false,\n // reason: `Invalid JWT audience claim (aud) ${JSON.stringify(\n // aud,\n // )}. Expected a string or a non-empty array of strings.`,\n // };\n return;\n }\n\n if (typeof aud === 'string') {\n if (!audienceList.includes(aud)) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT audience claim (aud) ${JSON.stringify(aud)}. Is not included in \"${JSON.stringify(\n audienceList,\n )}\".`,\n });\n }\n } else if (isArrayString(aud)) {\n if (!aud.some(a => audienceList.includes(a))) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT audience claim array (aud) ${JSON.stringify(aud)}. Is not included in \"${JSON.stringify(\n audienceList,\n )}\".`,\n });\n }\n }\n};\n\nexport const assertHeaderType = (typ?: unknown) => {\n if (typeof typ === 'undefined') {\n return;\n }\n\n if (typ !== 'JWT') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenInvalid,\n message: `Invalid JWT type ${JSON.stringify(typ)}. Expected \"JWT\".`,\n });\n }\n};\n\nexport const assertHeaderAlgorithm = (alg: string) => {\n if (!algs.includes(alg)) {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenInvalidAlgorithm,\n message: `Invalid JWT algorithm ${JSON.stringify(alg)}. Supported: ${algs}.`,\n });\n }\n};\n\nexport const assertSubClaim = (sub?: string) => {\n if (typeof sub !== 'string') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Subject claim (sub) is required and must be a string. Received ${JSON.stringify(sub)}.`,\n });\n }\n};\n\nexport const assertAuthorizedPartiesClaim = (azp?: string, authorizedParties?: string[]) => {\n if (!azp || !authorizedParties || authorizedParties.length === 0) {\n return;\n }\n\n if (!authorizedParties.includes(azp)) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalidAuthorizedParties,\n message: `Invalid JWT Authorized party claim (azp) ${JSON.stringify(azp)}. Expected \"${authorizedParties}\".`,\n });\n }\n};\n\nexport const assertExpirationClaim = (exp: number, clockSkewInMs: number) => {\n if (typeof exp !== 'number') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT expiry date claim (exp) ${JSON.stringify(exp)}. Expected number.`,\n });\n }\n\n const currentDate = new Date(Date.now());\n const expiryDate = new Date(0);\n expiryDate.setUTCSeconds(exp);\n\n const expired = expiryDate.getTime() <= currentDate.getTime() - clockSkewInMs;\n if (expired) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenExpired,\n message: `JWT is expired. Expiry date: ${expiryDate.toUTCString()}, Current date: ${currentDate.toUTCString()}.`,\n });\n }\n};\n\nexport const assertActivationClaim = (nbf: number | undefined, clockSkewInMs: number) => {\n if (typeof nbf === 'undefined') {\n return;\n }\n\n if (typeof nbf !== 'number') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT not before date claim (nbf) ${JSON.stringify(nbf)}. Expected number.`,\n });\n }\n\n const currentDate = new Date(Date.now());\n const notBeforeDate = new Date(0);\n notBeforeDate.setUTCSeconds(nbf);\n\n const early = notBeforeDate.getTime() > currentDate.getTime() + clockSkewInMs;\n if (early) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenNotActiveYet,\n message: `JWT cannot be used prior to not before date claim (nbf). Not before date: ${notBeforeDate.toUTCString()}; Current date: ${currentDate.toUTCString()};`,\n });\n }\n};\n\nexport const assertIssuedAtClaim = (iat: number | undefined, clockSkewInMs: number) => {\n if (typeof iat === 'undefined') {\n return;\n }\n\n if (typeof iat !== 'number') {\n throw new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Invalid JWT issued at date claim (iat) ${JSON.stringify(iat)}. Expected number.`,\n });\n }\n\n const currentDate = new Date(Date.now());\n const issuedAtDate = new Date(0);\n issuedAtDate.setUTCSeconds(iat);\n\n const postIssued = issuedAtDate.getTime() > currentDate.getTime() + clockSkewInMs;\n if (postIssued) {\n throw new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenIatInTheFuture,\n message: `JWT issued at date claim (iat) is in the future. Issued at date: ${issuedAtDate.toUTCString()}; Current date: ${currentDate.toUTCString()};`,\n });\n }\n};\n","import type { Jwt, JwtPayload } from '@clerk/types';\n\nimport { TokenVerificationError, TokenVerificationErrorAction, TokenVerificationErrorReason } from '../errors';\nimport { runtime } from '../runtime';\nimport { base64url } from '../util/rfc4648';\nimport { getCryptoAlgorithm } from './algorithms';\nimport {\n assertActivationClaim,\n assertAudienceClaim,\n assertAuthorizedPartiesClaim,\n assertExpirationClaim,\n assertHeaderAlgorithm,\n assertHeaderType,\n assertIssuedAtClaim,\n assertSubClaim,\n} from './assertions';\nimport { importKey } from './cryptoKeys';\nimport type { JwtReturnType } from './types';\n\nconst DEFAULT_CLOCK_SKEW_IN_SECONDS = 5 * 1000;\n\nexport async function hasValidSignature(jwt: Jwt, key: JsonWebKey | string): Promise> {\n const { header, signature, raw } = jwt;\n const encoder = new TextEncoder();\n const data = encoder.encode([raw.header, raw.payload].join('.'));\n const algorithm = getCryptoAlgorithm(header.alg);\n\n try {\n const cryptoKey = await importKey(key, algorithm, 'verify');\n\n const verified = await runtime.crypto.subtle.verify(algorithm.name, cryptoKey, signature, data);\n return { data: verified };\n } catch (error) {\n return {\n errors: [\n new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalidSignature,\n message: (error as Error)?.message,\n }),\n ],\n };\n }\n}\n\nexport function decodeJwt(token: string): JwtReturnType {\n const tokenParts = (token || '').toString().split('.');\n if (tokenParts.length !== 3) {\n return {\n errors: [\n new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalid,\n message: `Invalid JWT form. A JWT consists of three parts separated by dots.`,\n }),\n ],\n };\n }\n\n const [rawHeader, rawPayload, rawSignature] = tokenParts;\n\n const decoder = new TextDecoder();\n\n // To verify a JWS with SubtleCrypto you need to be careful to encode and decode\n // the data properly between binary and base64url representation. Unfortunately\n // the standard implementation in the V8 of btoa() and atob() are difficult to\n // work with as they use \"a Unicode string containing only characters in the\n // range U+0000 to U+00FF, each representing a binary byte with values 0x00 to\n // 0xFF respectively\" as the representation of binary data.\n\n // A better solution to represent binary data in Javascript is to use ES6 TypedArray\n // and use a Javascript library to convert them to base64url that honors RFC 4648.\n\n // Side note: The difference between base64 and base64url is the characters selected\n // for value 62 and 63 in the standard, base64 encode them to + and / while base64url\n // encode - and _.\n\n // More info at https://stackoverflow.com/questions/54062583/how-to-verify-a-signed-jwt-with-subtlecrypto-of-the-web-crypto-API\n const header = JSON.parse(decoder.decode(base64url.parse(rawHeader, { loose: true })));\n const payload = JSON.parse(decoder.decode(base64url.parse(rawPayload, { loose: true })));\n const signature = base64url.parse(rawSignature, { loose: true });\n\n const data = {\n header,\n payload,\n signature,\n raw: {\n header: rawHeader,\n payload: rawPayload,\n signature: rawSignature,\n text: token,\n },\n } satisfies Jwt;\n\n return { data };\n}\n\nexport type VerifyJwtOptions = {\n /**\n * A string or list of [audiences](https://datatracker.ietf.org/doc/html/rfc7519#section-4.1.3). If passed, it is checked against the `aud` claim in the token.\n */\n audience?: string | string[];\n /**\n * An allowlist of origins to verify against, to protect your application from the subdomain cookie leaking attack.\n * @example\n * ```ts\n * authorizedParties: ['http://localhost:3000', 'https://example.com']\n * ```\n */\n authorizedParties?: string[];\n /**\n * Specifies the allowed time difference (in milliseconds) between the Clerk server (which generates the token) and the clock of the user's application server when validating a token. Defaults to 5000 ms (5 seconds).\n */\n clockSkewInMs?: number;\n /**\n * @internal\n */\n key: JsonWebKey | string;\n};\n\nexport async function verifyJwt(\n token: string,\n options: VerifyJwtOptions,\n): Promise> {\n const { audience, authorizedParties, clockSkewInMs, key } = options;\n const clockSkew = clockSkewInMs || DEFAULT_CLOCK_SKEW_IN_SECONDS;\n\n const { data: decoded, errors } = decodeJwt(token);\n if (errors) {\n return { errors };\n }\n\n const { header, payload } = decoded;\n try {\n // Header verifications\n const { typ, alg } = header;\n\n assertHeaderType(typ);\n assertHeaderAlgorithm(alg);\n\n // Payload verifications\n const { azp, sub, aud, iat, exp, nbf } = payload;\n\n assertSubClaim(sub);\n assertAudienceClaim([aud], [audience]);\n assertAuthorizedPartiesClaim(azp, authorizedParties);\n assertExpirationClaim(exp, clockSkew);\n assertActivationClaim(nbf, clockSkew);\n assertIssuedAtClaim(iat, clockSkew);\n } catch (err) {\n return { errors: [err as TokenVerificationError] };\n }\n\n const { data: signatureValid, errors: signatureErrors } = await hasValidSignature(decoded, key);\n if (signatureErrors) {\n return {\n errors: [\n new TokenVerificationError({\n action: TokenVerificationErrorAction.EnsureClerkJWT,\n reason: TokenVerificationErrorReason.TokenVerificationFailed,\n message: `Error verifying JWT signature. ${signatureErrors[0]}`,\n }),\n ],\n };\n }\n\n if (!signatureValid) {\n return {\n errors: [\n new TokenVerificationError({\n reason: TokenVerificationErrorReason.TokenInvalidSignature,\n message: 'JWT signature is invalid.',\n }),\n ],\n };\n }\n\n return { data: payload };\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA,mBAAAA;AAAA,EAAA,yBAAAC;AAAA,EAAA,eAAAC;AAAA,EAAA,iBAAAC;AAAA;AAAA;;;ACGO,SAAS,iBAAiF,IAAO;AACtG,SAAO,UAAU,SAAsF;AACrG,UAAM,EAAE,MAAM,OAAO,IAAI,MAAM,GAAG,GAAG,IAAI;AACzC,QAAI,QAAQ;AACV,YAAM,OAAO,CAAC;AAAA,IAChB;AACA,WAAO;AAAA,EACT;AACF;AAGO,SAAS,qBAA4E,IAAO;AACjG,SAAO,IAAI,SAA6E;AACtF,UAAM,EAAE,MAAM,OAAO,IAAI,GAAG,GAAG,IAAI;AACnC,QAAI,QAAQ;AACV,YAAM,OAAO,CAAC;AAAA,IAChB;AACA,WAAO;AAAA,EACT;AACF;;;ACdO,IAAM,+BAA+B;AAAA,EAC1C,cAAc;AAAA,EACd,cAAc;AAAA,EACd,uBAAuB;AAAA,EACvB,+BAA+B;AAAA,EAC/B,uBAAuB;AAAA,EACvB,mBAAmB;AAAA,EACnB,qBAAqB;AAAA,EACrB,yBAAyB;AAAA,EACzB,kBAAkB;AAAA,EAClB,iBAAiB;AAAA,EACjB,uBAAuB;AAAA,EACvB,kBAAkB;AAAA,EAClB,kBAAkB;AAAA,EAClB,oBAAoB;AAAA,EACpB,gBAAgB;AAClB;AAKO,IAAM,+BAA+B;AAAA,EAC1C,gBAAgB;AAAA,EAChB,gBAAgB;AAAA,EAChB,gBAAgB;AAAA,EAChB,mBAAmB;AAAA,EACnB,iBAAiB;AACnB;AAKO,IAAM,yBAAN,MAAM,gCAA+B,MAAM;AAAA,EAKhD,YAAY;AAAA,IACV;AAAA,IACA;AAAA,IACA;AAAA,EACF,GAIG;AACD,UAAM,OAAO;AAEb,WAAO,eAAe,MAAM,wBAAuB,SAAS;AAE5D,SAAK,SAAS;AACd,SAAK,UAAU;AACf,SAAK,SAAS;AAAA,EAChB;AAAA,EAEO,iBAAiB;AACtB,WAAO,GAAG,CAAC,KAAK,SAAS,KAAK,MAAM,EAAE,OAAO,OAAK,CAAC,EAAE,KAAK,GAAG,CAAC,YAAY,KAAK,MAAM,mBACnF,KAAK,YACP;AAAA,EACF;AACF;AAEO,IAAM,eAAN,cAA2B,MAAM;AAAC;;;ACvDzC,oBAAoC;AAmBpC,IAAM,cAAc,MAAM,KAAK,UAAU;AAElC,IAAM,UAAmB;AAAA,EAC9B,sBAAAC;AAAA,EACA,IAAI,QAAQ;AAEV,WAAO,QAAQ,IAAI,aAAa,SAAS,QAAQ;AAAA,EACnD;AAAA,EACA,iBAAiB,WAAW;AAAA,EAC5B,MAAM,WAAW;AAAA,EACjB,UAAU,WAAW;AAAA,EACrB,SAAS,WAAW;AAAA,EACpB,SAAS,WAAW;AAAA,EACpB,UAAU,WAAW;AACvB;;;ACrCO,IAAM,YAAY;AAAA,EACvB,MAAM,QAAgB,MAAiC;AACrD,WAAO,MAAM,QAAQ,mBAAmB,IAAI;AAAA,EAC9C;AAAA,EAEA,UAAU,MAAyB,MAAiC;AAClE,WAAO,UAAU,MAAM,mBAAmB,IAAI;AAAA,EAChD;AACF;AAEA,IAAM,oBAA8B;AAAA,EAClC,OAAO;AAAA,EACP,MAAM;AACR;AAiBA,SAAS,MAAM,QAAgB,UAAoB,OAAqB,CAAC,GAAe;AAEtF,MAAI,CAAC,SAAS,OAAO;AACnB,aAAS,QAAQ,CAAC;AAClB,aAAS,IAAI,GAAG,IAAI,SAAS,MAAM,QAAQ,EAAE,GAAG;AAC9C,eAAS,MAAM,SAAS,MAAM,CAAC,CAAC,IAAI;AAAA,IACtC;AAAA,EACF;AAGA,MAAI,CAAC,KAAK,SAAU,OAAO,SAAS,SAAS,OAAQ,GAAG;AACtD,UAAM,IAAI,YAAY,iBAAiB;AAAA,EACzC;AAGA,MAAI,MAAM,OAAO;AACjB,SAAO,OAAO,MAAM,CAAC,MAAM,KAAK;AAC9B,MAAE;AAGF,QAAI,CAAC,KAAK,SAAS,GAAI,OAAO,SAAS,OAAO,SAAS,OAAQ,IAAI;AACjE,YAAM,IAAI,YAAY,iBAAiB;AAAA,IACzC;AAAA,EACF;AAGA,QAAM,MAAM,KAAK,KAAK,OAAO,YAAc,MAAM,SAAS,OAAQ,IAAK,CAAC;AAGxE,MAAI,OAAO;AACX,MAAI,SAAS;AACb,MAAI,UAAU;AACd,WAAS,IAAI,GAAG,IAAI,KAAK,EAAE,GAAG;AAE5B,UAAM,QAAQ,SAAS,MAAM,OAAO,CAAC,CAAC;AACtC,QAAI,UAAU,QAAW;AACvB,YAAM,IAAI,YAAY,uBAAuB,OAAO,CAAC,CAAC;AAAA,IACxD;AAGA,aAAU,UAAU,SAAS,OAAQ;AACrC,YAAQ,SAAS;AAGjB,QAAI,QAAQ,GAAG;AACb,cAAQ;AACR,UAAI,SAAS,IAAI,MAAQ,UAAU;AAAA,IACrC;AAAA,EACF;AAGA,MAAI,QAAQ,SAAS,QAAQ,MAAQ,UAAW,IAAI,MAAQ;AAC1D,UAAM,IAAI,YAAY,wBAAwB;AAAA,EAChD;AAEA,SAAO;AACT;AAEA,SAAS,UAAU,MAAyB,UAAoB,OAAyB,CAAC,GAAW;AACnG,QAAM,EAAE,MAAM,KAAK,IAAI;AACvB,QAAM,QAAQ,KAAK,SAAS,QAAQ;AACpC,MAAI,MAAM;AAEV,MAAI,OAAO;AACX,MAAI,SAAS;AACb,WAAS,IAAI,GAAG,IAAI,KAAK,QAAQ,EAAE,GAAG;AAEpC,aAAU,UAAU,IAAM,MAAO,KAAK,CAAC;AACvC,YAAQ;AAGR,WAAO,OAAO,SAAS,MAAM;AAC3B,cAAQ,SAAS;AACjB,aAAO,SAAS,MAAM,OAAQ,UAAU,IAAK;AAAA,IAC/C;AAAA,EACF;AAGA,MAAI,MAAM;AACR,WAAO,SAAS,MAAM,OAAQ,UAAW,SAAS,OAAO,IAAM;AAAA,EACjE;AAGA,MAAI,KAAK;AACP,WAAQ,IAAI,SAAS,SAAS,OAAQ,GAAG;AACvC,aAAO;AAAA,IACT;AAAA,EACF;AAEA,SAAO;AACT;;;ACnIA,IAAM,YAAoC;AAAA,EACxC,OAAO;AAAA,EACP,OAAO;AAAA,EACP,OAAO;AACT;AACA,IAAM,qBAAqB;AAE3B,IAAM,qBAA6C;AAAA,EACjD,OAAO;AAAA,EACP,OAAO;AAAA,EACP,OAAO;AACT;AAEO,IAAM,OAAO,OAAO,KAAK,SAAS;AAElC,SAAS,mBAAmB,eAA8C;AAC/E,QAAM,OAAO,UAAU,aAAa;AACpC,QAAM,OAAO,mBAAmB,aAAa;AAE7C,MAAI,CAAC,QAAQ,CAAC,MAAM;AAClB,UAAM,IAAI,MAAM,yBAAyB,aAAa,qBAAqB,KAAK,KAAK,GAAG,CAAC,GAAG;AAAA,EAC9F;AAEA,SAAO;AAAA,IACL,MAAM,EAAE,MAAM,UAAU,aAAa,EAAE;AAAA,IACvC,MAAM,mBAAmB,aAAa;AAAA,EACxC;AACF;;;AC3BA,4BAA+B;AAK/B,SAAS,YAAY,QAA6B;AAChD,QAAM,UAAU,OACb,QAAQ,uBAAuB,EAAE,EACjC,QAAQ,qBAAqB,EAAE,EAC/B,QAAQ,OAAO,EAAE;AAEpB,QAAM,cAAU,sCAAe,OAAO;AAEtC,QAAM,SAAS,IAAI,YAAY,QAAQ,MAAM;AAC7C,QAAM,UAAU,IAAI,WAAW,MAAM;AAErC,WAAS,IAAI,GAAG,SAAS,QAAQ,QAAQ,IAAI,QAAQ,KAAK;AACxD,YAAQ,CAAC,IAAI,QAAQ,WAAW,CAAC;AAAA,EACnC;AAEA,SAAO;AACT;AAEO,SAAS,UACd,KACA,WACA,UACoB;AACpB,MAAI,OAAO,QAAQ,UAAU;AAC3B,WAAO,QAAQ,OAAO,OAAO,UAAU,OAAO,KAAK,WAAW,OAAO,CAAC,QAAQ,CAAC;AAAA,EACjF;AAEA,QAAM,UAAU,YAAY,GAAG;AAC/B,QAAM,SAAS,aAAa,SAAS,UAAU;AAE/C,SAAO,QAAQ,OAAO,OAAO,UAAU,QAAQ,SAAS,WAAW,OAAO,CAAC,QAAQ,CAAC;AACtF;;;ACxBA,SAAS,cAAc,OAAwB;AAC7C,QAAM,cAAc,KAAK,UAAU,KAAK;AACxC,QAAM,UAAU,IAAI,YAAY;AAChC,QAAM,UAAU,QAAQ,OAAO,WAAW;AAC1C,SAAO,UAAU,UAAU,SAAS,EAAE,KAAK,MAAM,CAAC;AACpD;AAeA,eAAsB,QACpB,SACA,KACA,SACuC;AACvC,MAAI,CAAC,QAAQ,WAAW;AACtB,UAAM,IAAI,MAAM,wBAAwB;AAAA,EAC1C;AACA,QAAM,UAAU,IAAI,YAAY;AAEhC,QAAM,YAAY,mBAAmB,QAAQ,SAAS;AACtD,MAAI,CAAC,WAAW;AACd,WAAO;AAAA,MACL,QAAQ,CAAC,IAAI,aAAa,yBAAyB,QAAQ,SAAS,EAAE,CAAC;AAAA,IACzE;AAAA,EACF;AAEA,QAAM,YAAY,MAAM,UAAU,KAAK,WAAW,MAAM;AACxD,QAAM,SAAS,QAAQ,UAAU,EAAE,KAAK,MAAM;AAE9C,SAAO,MAAM,QAAQ;AACrB,UAAQ,MAAM,KAAK,MAAM,KAAK,IAAI,IAAI,GAAI;AAE1C,QAAM,gBAAgB,cAAc,MAAM;AAC1C,QAAM,iBAAiB,cAAc,OAAO;AAC5C,QAAM,YAAY,GAAG,aAAa,IAAI,cAAc;AAEpD,MAAI;AACF,UAAM,YAAY,MAAM,QAAQ,OAAO,OAAO,KAAK,WAAW,WAAW,QAAQ,OAAO,SAAS,CAAC;AAClG,UAAM,mBAAmB,GAAG,SAAS,IAAI,UAAU,UAAU,IAAI,WAAW,SAAS,GAAG,EAAE,KAAK,MAAM,CAAC,CAAC;AACvG,WAAO,EAAE,MAAM,iBAAiB;AAAA,EAClC,SAAS,OAAO;AACd,WAAO,EAAE,QAAQ,CAAC,IAAI,aAAc,OAAiB,OAAO,CAAC,EAAE;AAAA,EACjE;AACF;;;AC7DA,IAAM,gBAAgB,CAAC,MAA8B;AACnD,SAAO,MAAM,QAAQ,CAAC,KAAK,EAAE,SAAS,KAAK,EAAE,MAAM,OAAK,OAAO,MAAM,QAAQ;AAC/E;AAEO,IAAM,sBAAsB,CAAC,KAAe,aAAuB;AACxE,QAAM,eAAe,CAAC,QAAQ,EAAE,KAAK,EAAE,OAAO,OAAK,CAAC,CAAC,CAAC;AACtD,QAAM,UAAU,CAAC,GAAG,EAAE,KAAK,EAAE,OAAO,OAAK,CAAC,CAAC,CAAC;AAC5C,QAAM,uBAAuB,aAAa,SAAS,KAAK,QAAQ,SAAS;AAEzE,MAAI,CAAC,sBAAsB;AASzB;AAAA,EACF;AAEA,MAAI,OAAO,QAAQ,UAAU;AAC3B,QAAI,CAAC,aAAa,SAAS,GAAG,GAAG;AAC/B,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,QAAQ,6BAA6B;AAAA,QACrC,SAAS,oCAAoC,KAAK,UAAU,GAAG,CAAC,yBAAyB,KAAK;AAAA,UAC5F;AAAA,QACF,CAAC;AAAA,MACH,CAAC;AAAA,IACH;AAAA,EACF,WAAW,cAAc,GAAG,GAAG;AAC7B,QAAI,CAAC,IAAI,KAAK,OAAK,aAAa,SAAS,CAAC,CAAC,GAAG;AAC5C,YAAM,IAAI,uBAAuB;AAAA,QAC/B,QAAQ,6BAA6B;AAAA,QACrC,QAAQ,6BAA6B;AAAA,QACrC,SAAS,0CAA0C,KAAK,UAAU,GAAG,CAAC,yBAAyB,KAAK;AAAA,UAClG;AAAA,QACF,CAAC;AAAA,MACH,CAAC;AAAA,IACH;AAAA,EACF;AACF;AAEO,IAAM,mBAAmB,CAAC,QAAkB;AACjD,MAAI,OAAO,QAAQ,aAAa;AAC9B;AAAA,EACF;AAEA,MAAI,QAAQ,OAAO;AACjB,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,oBAAoB,KAAK,UAAU,GAAG,CAAC;AAAA,IAClD,CAAC;AAAA,EACH;AACF;AAEO,IAAM,wBAAwB,CAAC,QAAgB;AACpD,MAAI,CAAC,KAAK,SAAS,GAAG,GAAG;AACvB,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,yBAAyB,KAAK,UAAU,GAAG,CAAC,gBAAgB,IAAI;AAAA,IAC3E,CAAC;AAAA,EACH;AACF;AAEO,IAAM,iBAAiB,CAAC,QAAiB;AAC9C,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,kEAAkE,KAAK,UAAU,GAAG,CAAC;AAAA,IAChG,CAAC;AAAA,EACH;AACF;AAEO,IAAM,+BAA+B,CAAC,KAAc,sBAAiC;AAC1F,MAAI,CAAC,OAAO,CAAC,qBAAqB,kBAAkB,WAAW,GAAG;AAChE;AAAA,EACF;AAEA,MAAI,CAAC,kBAAkB,SAAS,GAAG,GAAG;AACpC,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,4CAA4C,KAAK,UAAU,GAAG,CAAC,eAAe,iBAAiB;AAAA,IAC1G,CAAC;AAAA,EACH;AACF;AAEO,IAAM,wBAAwB,CAAC,KAAa,kBAA0B;AAC3E,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,uCAAuC,KAAK,UAAU,GAAG,CAAC;AAAA,IACrE,CAAC;AAAA,EACH;AAEA,QAAM,cAAc,IAAI,KAAK,KAAK,IAAI,CAAC;AACvC,QAAM,aAAa,oBAAI,KAAK,CAAC;AAC7B,aAAW,cAAc,GAAG;AAE5B,QAAM,UAAU,WAAW,QAAQ,KAAK,YAAY,QAAQ,IAAI;AAChE,MAAI,SAAS;AACX,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,gCAAgC,WAAW,YAAY,CAAC,mBAAmB,YAAY,YAAY,CAAC;AAAA,IAC/G,CAAC;AAAA,EACH;AACF;AAEO,IAAM,wBAAwB,CAAC,KAAyB,kBAA0B;AACvF,MAAI,OAAO,QAAQ,aAAa;AAC9B;AAAA,EACF;AAEA,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,2CAA2C,KAAK,UAAU,GAAG,CAAC;AAAA,IACzE,CAAC;AAAA,EACH;AAEA,QAAM,cAAc,IAAI,KAAK,KAAK,IAAI,CAAC;AACvC,QAAM,gBAAgB,oBAAI,KAAK,CAAC;AAChC,gBAAc,cAAc,GAAG;AAE/B,QAAM,QAAQ,cAAc,QAAQ,IAAI,YAAY,QAAQ,IAAI;AAChE,MAAI,OAAO;AACT,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,6EAA6E,cAAc,YAAY,CAAC,mBAAmB,YAAY,YAAY,CAAC;AAAA,IAC/J,CAAC;AAAA,EACH;AACF;AAEO,IAAM,sBAAsB,CAAC,KAAyB,kBAA0B;AACrF,MAAI,OAAO,QAAQ,aAAa;AAC9B;AAAA,EACF;AAEA,MAAI,OAAO,QAAQ,UAAU;AAC3B,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,QAAQ,6BAA6B;AAAA,MACrC,SAAS,0CAA0C,KAAK,UAAU,GAAG,CAAC;AAAA,IACxE,CAAC;AAAA,EACH;AAEA,QAAM,cAAc,IAAI,KAAK,KAAK,IAAI,CAAC;AACvC,QAAM,eAAe,oBAAI,KAAK,CAAC;AAC/B,eAAa,cAAc,GAAG;AAE9B,QAAM,aAAa,aAAa,QAAQ,IAAI,YAAY,QAAQ,IAAI;AACpE,MAAI,YAAY;AACd,UAAM,IAAI,uBAAuB;AAAA,MAC/B,QAAQ,6BAA6B;AAAA,MACrC,SAAS,oEAAoE,aAAa,YAAY,CAAC,mBAAmB,YAAY,YAAY,CAAC;AAAA,IACrJ,CAAC;AAAA,EACH;AACF;;;ACrJA,IAAM,gCAAgC,IAAI;AAE1C,eAAsB,kBAAkB,KAAU,KAAkE;AAClH,QAAM,EAAE,QAAQ,WAAW,IAAI,IAAI;AACnC,QAAM,UAAU,IAAI,YAAY;AAChC,QAAM,OAAO,QAAQ,OAAO,CAAC,IAAI,QAAQ,IAAI,OAAO,EAAE,KAAK,GAAG,CAAC;AAC/D,QAAM,YAAY,mBAAmB,OAAO,GAAG;AAE/C,MAAI;AACF,UAAM,YAAY,MAAM,UAAU,KAAK,WAAW,QAAQ;AAE1D,UAAM,WAAW,MAAM,QAAQ,OAAO,OAAO,OAAO,UAAU,MAAM,WAAW,WAAW,IAAI;AAC9F,WAAO,EAAE,MAAM,SAAS;AAAA,EAC1B,SAAS,OAAO;AACd,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,SAAU,OAAiB;AAAA,QAC7B,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AACF;AAEO,SAAS,UAAU,OAA2D;AACnF,QAAM,cAAc,SAAS,IAAI,SAAS,EAAE,MAAM,GAAG;AACrD,MAAI,WAAW,WAAW,GAAG;AAC3B,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,SAAS;AAAA,QACX,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AAEA,QAAM,CAAC,WAAW,YAAY,YAAY,IAAI;AAE9C,QAAM,UAAU,IAAI,YAAY;AAiBhC,QAAM,SAAS,KAAK,MAAM,QAAQ,OAAO,UAAU,MAAM,WAAW,EAAE,OAAO,KAAK,CAAC,CAAC,CAAC;AACrF,QAAM,UAAU,KAAK,MAAM,QAAQ,OAAO,UAAU,MAAM,YAAY,EAAE,OAAO,KAAK,CAAC,CAAC,CAAC;AACvF,QAAM,YAAY,UAAU,MAAM,cAAc,EAAE,OAAO,KAAK,CAAC;AAE/D,QAAM,OAAO;AAAA,IACX;AAAA,IACA;AAAA,IACA;AAAA,IACA,KAAK;AAAA,MACH,QAAQ;AAAA,MACR,SAAS;AAAA,MACT,WAAW;AAAA,MACX,MAAM;AAAA,IACR;AAAA,EACF;AAEA,SAAO,EAAE,KAAK;AAChB;AAyBA,eAAsB,UACpB,OACA,SAC4D;AAC5D,QAAM,EAAE,UAAU,mBAAmB,eAAe,IAAI,IAAI;AAC5D,QAAM,YAAY,iBAAiB;AAEnC,QAAM,EAAE,MAAM,SAAS,OAAO,IAAI,UAAU,KAAK;AACjD,MAAI,QAAQ;AACV,WAAO,EAAE,OAAO;AAAA,EAClB;AAEA,QAAM,EAAE,QAAQ,QAAQ,IAAI;AAC5B,MAAI;AAEF,UAAM,EAAE,KAAK,IAAI,IAAI;AAErB,qBAAiB,GAAG;AACpB,0BAAsB,GAAG;AAGzB,UAAM,EAAE,KAAK,KAAK,KAAK,KAAK,KAAK,IAAI,IAAI;AAEzC,mBAAe,GAAG;AAClB,wBAAoB,CAAC,GAAG,GAAG,CAAC,QAAQ,CAAC;AACrC,iCAA6B,KAAK,iBAAiB;AACnD,0BAAsB,KAAK,SAAS;AACpC,0BAAsB,KAAK,SAAS;AACpC,wBAAoB,KAAK,SAAS;AAAA,EACpC,SAAS,KAAK;AACZ,WAAO,EAAE,QAAQ,CAAC,GAA6B,EAAE;AAAA,EACnD;AAEA,QAAM,EAAE,MAAM,gBAAgB,QAAQ,gBAAgB,IAAI,MAAM,kBAAkB,SAAS,GAAG;AAC9F,MAAI,iBAAiB;AACnB,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,QAAQ,6BAA6B;AAAA,UACrC,SAAS,kCAAkC,gBAAgB,CAAC,CAAC;AAAA,QAC/D,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AAEA,MAAI,CAAC,gBAAgB;AACnB,WAAO;AAAA,MACL,QAAQ;AAAA,QACN,IAAI,uBAAuB;AAAA,UACzB,QAAQ,6BAA6B;AAAA,UACrC,SAAS;AAAA,QACX,CAAC;AAAA,MACH;AAAA,IACF;AAAA,EACF;AAEA,SAAO,EAAE,MAAM,QAAQ;AACzB;;;ATtKO,IAAMC,aAAY,iBAAiB,SAAU;AAC7C,IAAMC,aAAY,qBAAqB,SAAU;AAEjD,IAAMC,WAAU,iBAAiB,OAAQ;AACzC,IAAMC,qBAAoB,iBAAiB,iBAAkB;","names":["decodeJwt","hasValidSignature","signJwt","verifyJwt","crypto","verifyJwt","decodeJwt","signJwt","hasValidSignature"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/index.mjs b/backend/node_modules/@clerk/backend/dist/jwt/index.mjs new file mode 100644 index 000000000..ef356a8a0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/index.mjs @@ -0,0 +1,63 @@ +import { + withLegacyReturn, + withLegacySyncReturn +} from "../chunk-P263NW7Z.mjs"; +import { + base64url, + decodeJwt, + getCryptoAlgorithm, + hasValidSignature, + importKey, + runtime, + verifyJwt +} from "../chunk-AT3FJU3M.mjs"; +import { + SignJWTError +} from "../chunk-5JS2VYLU.mjs"; + +// src/jwt/signJwt.ts +function encodeJwtData(value) { + const stringified = JSON.stringify(value); + const encoder = new TextEncoder(); + const encoded = encoder.encode(stringified); + return base64url.stringify(encoded, { pad: false }); +} +async function signJwt(payload, key, options) { + if (!options.algorithm) { + throw new Error("No algorithm specified"); + } + const encoder = new TextEncoder(); + const algorithm = getCryptoAlgorithm(options.algorithm); + if (!algorithm) { + return { + errors: [new SignJWTError(`Unsupported algorithm ${options.algorithm}`)] + }; + } + const cryptoKey = await importKey(key, algorithm, "sign"); + const header = options.header || { typ: "JWT" }; + header.alg = options.algorithm; + payload.iat = Math.floor(Date.now() / 1e3); + const encodedHeader = encodeJwtData(header); + const encodedPayload = encodeJwtData(payload); + const firstPart = `${encodedHeader}.${encodedPayload}`; + try { + const signature = await runtime.crypto.subtle.sign(algorithm, cryptoKey, encoder.encode(firstPart)); + const encodedSignature = `${firstPart}.${base64url.stringify(new Uint8Array(signature), { pad: false })}`; + return { data: encodedSignature }; + } catch (error) { + return { errors: [new SignJWTError(error?.message)] }; + } +} + +// src/jwt/index.ts +var verifyJwt2 = withLegacyReturn(verifyJwt); +var decodeJwt2 = withLegacySyncReturn(decodeJwt); +var signJwt2 = withLegacyReturn(signJwt); +var hasValidSignature2 = withLegacyReturn(hasValidSignature); +export { + decodeJwt2 as decodeJwt, + hasValidSignature2 as hasValidSignature, + signJwt2 as signJwt, + verifyJwt2 as verifyJwt +}; +//# sourceMappingURL=index.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/index.mjs.map b/backend/node_modules/@clerk/backend/dist/jwt/index.mjs.map new file mode 100644 index 000000000..1b4c64ebb --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/index.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../../src/jwt/signJwt.ts","../../src/jwt/index.ts"],"sourcesContent":["import { SignJWTError } from '../errors';\nimport { runtime } from '../runtime';\nimport { base64url } from '../util/rfc4648';\nimport { getCryptoAlgorithm } from './algorithms';\nimport { importKey } from './cryptoKeys';\nimport type { JwtReturnType } from './types';\n\nexport interface SignJwtOptions {\n algorithm?: string;\n header?: Record;\n}\n\nfunction encodeJwtData(value: unknown): string {\n const stringified = JSON.stringify(value);\n const encoder = new TextEncoder();\n const encoded = encoder.encode(stringified);\n return base64url.stringify(encoded, { pad: false });\n}\n\n/**\n * Signs a JSON Web Token (JWT) with the given payload, key, and options.\n * This function is intended to be used *internally* by other Clerk packages and typically\n * should not be used directly.\n *\n * @internal\n * @param payload The payload to include in the JWT.\n * @param key The key to use for signing the JWT. Can be a string or a JsonWebKey.\n * @param options The options to use for signing the JWT.\n * @returns A Promise that resolves to the signed JWT string.\n * @throws An error if no algorithm is specified or if the specified algorithm is unsupported.\n * @throws An error if there is an issue with importing the key or signing the JWT.\n */\nexport async function signJwt(\n payload: Record,\n key: string | JsonWebKey,\n options: SignJwtOptions,\n): Promise> {\n if (!options.algorithm) {\n throw new Error('No algorithm specified');\n }\n const encoder = new TextEncoder();\n\n const algorithm = getCryptoAlgorithm(options.algorithm);\n if (!algorithm) {\n return {\n errors: [new SignJWTError(`Unsupported algorithm ${options.algorithm}`)],\n };\n }\n\n const cryptoKey = await importKey(key, algorithm, 'sign');\n const header = options.header || { typ: 'JWT' };\n\n header.alg = options.algorithm;\n payload.iat = Math.floor(Date.now() / 1000);\n\n const encodedHeader = encodeJwtData(header);\n const encodedPayload = encodeJwtData(payload);\n const firstPart = `${encodedHeader}.${encodedPayload}`;\n\n try {\n const signature = await runtime.crypto.subtle.sign(algorithm, cryptoKey, encoder.encode(firstPart));\n const encodedSignature = `${firstPart}.${base64url.stringify(new Uint8Array(signature), { pad: false })}`;\n return { data: encodedSignature };\n } catch (error) {\n return { errors: [new SignJWTError((error as Error)?.message)] };\n }\n}\n","import { withLegacyReturn, withLegacySyncReturn } from './legacyReturn';\nimport { signJwt as _signJwt } from './signJwt';\nimport { decodeJwt as _decodeJwt, hasValidSignature as _hasValidSignature, verifyJwt as _verifyJwt } from './verifyJwt';\n\nexport type { VerifyJwtOptions } from './verifyJwt';\nexport type { SignJwtOptions } from './signJwt';\n\n// Introduce compatibility layer to avoid more breaking changes\n// TODO(dimkl): This (probably be drop in the next major version)\n\nexport const verifyJwt = withLegacyReturn(_verifyJwt);\nexport const decodeJwt = withLegacySyncReturn(_decodeJwt);\n\nexport const signJwt = withLegacyReturn(_signJwt);\nexport const hasValidSignature = withLegacyReturn(_hasValidSignature);\n"],"mappings":";;;;;;;;;;;;;;;;;;AAYA,SAAS,cAAc,OAAwB;AAC7C,QAAM,cAAc,KAAK,UAAU,KAAK;AACxC,QAAM,UAAU,IAAI,YAAY;AAChC,QAAM,UAAU,QAAQ,OAAO,WAAW;AAC1C,SAAO,UAAU,UAAU,SAAS,EAAE,KAAK,MAAM,CAAC;AACpD;AAeA,eAAsB,QACpB,SACA,KACA,SACuC;AACvC,MAAI,CAAC,QAAQ,WAAW;AACtB,UAAM,IAAI,MAAM,wBAAwB;AAAA,EAC1C;AACA,QAAM,UAAU,IAAI,YAAY;AAEhC,QAAM,YAAY,mBAAmB,QAAQ,SAAS;AACtD,MAAI,CAAC,WAAW;AACd,WAAO;AAAA,MACL,QAAQ,CAAC,IAAI,aAAa,yBAAyB,QAAQ,SAAS,EAAE,CAAC;AAAA,IACzE;AAAA,EACF;AAEA,QAAM,YAAY,MAAM,UAAU,KAAK,WAAW,MAAM;AACxD,QAAM,SAAS,QAAQ,UAAU,EAAE,KAAK,MAAM;AAE9C,SAAO,MAAM,QAAQ;AACrB,UAAQ,MAAM,KAAK,MAAM,KAAK,IAAI,IAAI,GAAI;AAE1C,QAAM,gBAAgB,cAAc,MAAM;AAC1C,QAAM,iBAAiB,cAAc,OAAO;AAC5C,QAAM,YAAY,GAAG,aAAa,IAAI,cAAc;AAEpD,MAAI;AACF,UAAM,YAAY,MAAM,QAAQ,OAAO,OAAO,KAAK,WAAW,WAAW,QAAQ,OAAO,SAAS,CAAC;AAClG,UAAM,mBAAmB,GAAG,SAAS,IAAI,UAAU,UAAU,IAAI,WAAW,SAAS,GAAG,EAAE,KAAK,MAAM,CAAC,CAAC;AACvG,WAAO,EAAE,MAAM,iBAAiB;AAAA,EAClC,SAAS,OAAO;AACd,WAAO,EAAE,QAAQ,CAAC,IAAI,aAAc,OAAiB,OAAO,CAAC,EAAE;AAAA,EACjE;AACF;;;ACxDO,IAAMA,aAAY,iBAAiB,SAAU;AAC7C,IAAMC,aAAY,qBAAqB,SAAU;AAEjD,IAAMC,WAAU,iBAAiB,OAAQ;AACzC,IAAMC,qBAAoB,iBAAiB,iBAAkB;","names":["verifyJwt","decodeJwt","signJwt","hasValidSignature"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/legacyReturn.d.ts b/backend/node_modules/@clerk/backend/dist/jwt/legacyReturn.d.ts new file mode 100644 index 000000000..f3e947908 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/legacyReturn.d.ts @@ -0,0 +1,4 @@ +import type { JwtReturnType } from './types'; +export declare function withLegacyReturn Promise>>(cb: T): (...args: Parameters) => Promise>["data"]>> | never; +export declare function withLegacySyncReturn JwtReturnType>(cb: T): (...args: Parameters) => NonNullable>["data"]> | never; +//# sourceMappingURL=legacyReturn.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/legacyReturn.d.ts.map b/backend/node_modules/@clerk/backend/dist/jwt/legacyReturn.d.ts.map new file mode 100644 index 000000000..6f3d47ec2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/legacyReturn.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"legacyReturn.d.ts","sourceRoot":"","sources":["../../src/jwt/legacyReturn.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,aAAa,EAAE,MAAM,SAAS,CAAC;AAG7C,wBAAgB,gBAAgB,CAAC,CAAC,SAAS,CAAC,GAAG,IAAI,EAAE,GAAG,EAAE,KAAK,OAAO,CAAC,aAAa,CAAC,GAAG,EAAE,GAAG,CAAC,CAAC,EAAE,EAAE,EAAE,CAAC,aAC7E,UAAU,CAAC,CAAC,CAAC,KAAG,OAAO,CAAC,WAAW,CAAC,OAAO,CAAC,UAAU,CAAC,CAAC,CAAC,CAAC,CAAC,MAAM,CAAC,CAAC,CAAC,GAAG,KAAK,CAOpG;AAGD,wBAAgB,oBAAoB,CAAC,CAAC,SAAS,CAAC,GAAG,IAAI,EAAE,GAAG,EAAE,KAAK,aAAa,CAAC,GAAG,EAAE,GAAG,CAAC,EAAE,EAAE,EAAE,CAAC,aAC9E,UAAU,CAAC,CAAC,CAAC,KAAG,WAAW,CAAC,OAAO,CAAC,UAAU,CAAC,CAAC,CAAC,CAAC,CAAC,MAAM,CAAC,CAAC,GAAG,KAAK,CAOrF"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/signJwt.d.ts b/backend/node_modules/@clerk/backend/dist/jwt/signJwt.d.ts new file mode 100644 index 000000000..3c973f841 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/signJwt.d.ts @@ -0,0 +1,20 @@ +import type { JwtReturnType } from './types'; +export interface SignJwtOptions { + algorithm?: string; + header?: Record; +} +/** + * Signs a JSON Web Token (JWT) with the given payload, key, and options. + * This function is intended to be used *internally* by other Clerk packages and typically + * should not be used directly. + * + * @internal + * @param payload The payload to include in the JWT. + * @param key The key to use for signing the JWT. Can be a string or a JsonWebKey. + * @param options The options to use for signing the JWT. + * @returns A Promise that resolves to the signed JWT string. + * @throws An error if no algorithm is specified or if the specified algorithm is unsupported. + * @throws An error if there is an issue with importing the key or signing the JWT. + */ +export declare function signJwt(payload: Record, key: string | JsonWebKey, options: SignJwtOptions): Promise>; +//# sourceMappingURL=signJwt.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/signJwt.d.ts.map b/backend/node_modules/@clerk/backend/dist/jwt/signJwt.d.ts.map new file mode 100644 index 000000000..41416625a --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/signJwt.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"signJwt.d.ts","sourceRoot":"","sources":["../../src/jwt/signJwt.ts"],"names":[],"mappings":"AAKA,OAAO,KAAK,EAAE,aAAa,EAAE,MAAM,SAAS,CAAC;AAE7C,MAAM,WAAW,cAAc;IAC7B,SAAS,CAAC,EAAE,MAAM,CAAC;IACnB,MAAM,CAAC,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,CAAC;CAClC;AASD;;;;;;;;;;;;GAYG;AACH,wBAAsB,OAAO,CAC3B,OAAO,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,EAChC,GAAG,EAAE,MAAM,GAAG,UAAU,EACxB,OAAO,EAAE,cAAc,GACtB,OAAO,CAAC,aAAa,CAAC,MAAM,EAAE,KAAK,CAAC,CAAC,CA8BvC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/types.d.ts b/backend/node_modules/@clerk/backend/dist/jwt/types.d.ts new file mode 100644 index 000000000..2d11db10b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/types.d.ts @@ -0,0 +1,8 @@ +export type JwtReturnType = { + data: R; + errors?: undefined; +} | { + data?: undefined; + errors: [E]; +}; +//# sourceMappingURL=types.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/types.d.ts.map b/backend/node_modules/@clerk/backend/dist/jwt/types.d.ts.map new file mode 100644 index 000000000..5653db5f4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/types.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"types.d.ts","sourceRoot":"","sources":["../../src/jwt/types.ts"],"names":[],"mappings":"AAAA,MAAM,MAAM,aAAa,CAAC,CAAC,EAAE,CAAC,SAAS,KAAK,IACxC;IACE,IAAI,EAAE,CAAC,CAAC;IACR,MAAM,CAAC,EAAE,SAAS,CAAC;CACpB,GACD;IACE,IAAI,CAAC,EAAE,SAAS,CAAC;IACjB,MAAM,EAAE,CAAC,CAAC,CAAC,CAAC;CACb,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/verifyJwt.d.ts b/backend/node_modules/@clerk/backend/dist/jwt/verifyJwt.d.ts new file mode 100644 index 000000000..19708e975 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/verifyJwt.d.ts @@ -0,0 +1,29 @@ +import type { Jwt, JwtPayload } from '@clerk/types'; +import { TokenVerificationError } from '../errors'; +import type { JwtReturnType } from './types'; +export declare function hasValidSignature(jwt: Jwt, key: JsonWebKey | string): Promise>; +export declare function decodeJwt(token: string): JwtReturnType; +export type VerifyJwtOptions = { + /** + * A string or list of [audiences](https://datatracker.ietf.org/doc/html/rfc7519#section-4.1.3). If passed, it is checked against the `aud` claim in the token. + */ + audience?: string | string[]; + /** + * An allowlist of origins to verify against, to protect your application from the subdomain cookie leaking attack. + * @example + * ```ts + * authorizedParties: ['http://localhost:3000', 'https://example.com'] + * ``` + */ + authorizedParties?: string[]; + /** + * Specifies the allowed time difference (in milliseconds) between the Clerk server (which generates the token) and the clock of the user's application server when validating a token. Defaults to 5000 ms (5 seconds). + */ + clockSkewInMs?: number; + /** + * @internal + */ + key: JsonWebKey | string; +}; +export declare function verifyJwt(token: string, options: VerifyJwtOptions): Promise>; +//# sourceMappingURL=verifyJwt.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/jwt/verifyJwt.d.ts.map b/backend/node_modules/@clerk/backend/dist/jwt/verifyJwt.d.ts.map new file mode 100644 index 000000000..3fb92da7b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/jwt/verifyJwt.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"verifyJwt.d.ts","sourceRoot":"","sources":["../../src/jwt/verifyJwt.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,GAAG,EAAE,UAAU,EAAE,MAAM,cAAc,CAAC;AAEpD,OAAO,EAAE,sBAAsB,EAA8D,MAAM,WAAW,CAAC;AAe/G,OAAO,KAAK,EAAE,aAAa,EAAE,MAAM,SAAS,CAAC;AAI7C,wBAAsB,iBAAiB,CAAC,GAAG,EAAE,GAAG,EAAE,GAAG,EAAE,UAAU,GAAG,MAAM,GAAG,OAAO,CAAC,aAAa,CAAC,OAAO,EAAE,KAAK,CAAC,CAAC,CAqBlH;AAED,wBAAgB,SAAS,CAAC,KAAK,EAAE,MAAM,GAAG,aAAa,CAAC,GAAG,EAAE,sBAAsB,CAAC,CAiDnF;AAED,MAAM,MAAM,gBAAgB,GAAG;IAC7B;;OAEG;IACH,QAAQ,CAAC,EAAE,MAAM,GAAG,MAAM,EAAE,CAAC;IAC7B;;;;;;OAMG;IACH,iBAAiB,CAAC,EAAE,MAAM,EAAE,CAAC;IAC7B;;OAEG;IACH,aAAa,CAAC,EAAE,MAAM,CAAC;IACvB;;OAEG;IACH,GAAG,EAAE,UAAU,GAAG,MAAM,CAAC;CAC1B,CAAC;AAEF,wBAAsB,SAAS,CAC7B,KAAK,EAAE,MAAM,EACb,OAAO,EAAE,gBAAgB,GACxB,OAAO,CAAC,aAAa,CAAC,UAAU,EAAE,sBAAsB,CAAC,CAAC,CAuD5D"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/mock-server.d.ts b/backend/node_modules/@clerk/backend/dist/mock-server.d.ts new file mode 100644 index 000000000..32baf2eb5 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/mock-server.d.ts @@ -0,0 +1,4 @@ +import { type DefaultBodyType, type HttpResponseResolver, type PathParams } from 'msw'; +export declare const server: import("msw/node").SetupServerApi; +export declare function validateHeaders(resolver: HttpResponseResolver): HttpResponseResolver>; +//# sourceMappingURL=mock-server.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/mock-server.d.ts.map b/backend/node_modules/@clerk/backend/dist/mock-server.d.ts.map new file mode 100644 index 000000000..72c3edcef --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/mock-server.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"mock-server.d.ts","sourceRoot":"","sources":["../src/mock-server.ts"],"names":[],"mappings":"AAAA,OAAO,EAAE,KAAK,eAAe,EAAgB,KAAK,oBAAoB,EAAE,KAAK,UAAU,EAAE,MAAM,KAAK,CAAC;AAKrG,eAAO,MAAM,MAAM,mCAAiC,CAAC;AAGrD,wBAAgB,eAAe,CAC7B,MAAM,SAAS,UAAU,EACzB,eAAe,SAAS,eAAe,EACvC,gBAAgB,SAAS,eAAe,EAExC,QAAQ,EAAE,oBAAoB,CAAC,MAAM,EAAE,eAAe,EAAE,gBAAgB,CAAC,GACxE,oBAAoB,CAAC,MAAM,EAAE,eAAe,EAAE,gBAAgB,GAAG,MAAM,CAAC,MAAM,EAAE,MAAM,CAAC,CAAC,CAgC1F"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/runtime.d.ts b/backend/node_modules/@clerk/backend/dist/runtime.d.ts new file mode 100644 index 000000000..b187f6d79 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/runtime.d.ts @@ -0,0 +1,26 @@ +/** + * This file exports APIs that vary across runtimes (i.e. Node & Browser - V8 isolates) + * as a singleton object. + * + * Runtime polyfills are written in VanillaJS for now to avoid TS complication. Moreover, + * due to this issue https://github.com/microsoft/TypeScript/issues/44848, there is not a good way + * to tell Typescript which conditional import to use during build type. + * + * The Runtime type definition ensures type safety for now. + * Runtime js modules are copied into dist folder with bash script. + * + * TODO: Support TS runtime modules + */ +type Runtime = { + crypto: Crypto; + fetch: typeof globalThis.fetch; + AbortController: typeof globalThis.AbortController; + Blob: typeof globalThis.Blob; + FormData: typeof globalThis.FormData; + Headers: typeof globalThis.Headers; + Request: typeof globalThis.Request; + Response: typeof globalThis.Response; +}; +export declare const runtime: Runtime; +export {}; +//# sourceMappingURL=runtime.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/runtime.d.ts.map b/backend/node_modules/@clerk/backend/dist/runtime.d.ts.map new file mode 100644 index 000000000..15147ef08 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/runtime.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"runtime.d.ts","sourceRoot":"","sources":["../src/runtime.ts"],"names":[],"mappings":"AAAA;;;;;;;;;;;;GAYG;AAKH,KAAK,OAAO,GAAG;IACb,MAAM,EAAE,MAAM,CAAC;IACf,KAAK,EAAE,OAAO,UAAU,CAAC,KAAK,CAAC;IAC/B,eAAe,EAAE,OAAO,UAAU,CAAC,eAAe,CAAC;IACnD,IAAI,EAAE,OAAO,UAAU,CAAC,IAAI,CAAC;IAC7B,QAAQ,EAAE,OAAO,UAAU,CAAC,QAAQ,CAAC;IACrC,OAAO,EAAE,OAAO,UAAU,CAAC,OAAO,CAAC;IACnC,OAAO,EAAE,OAAO,UAAU,CAAC,OAAO,CAAC;IACnC,QAAQ,EAAE,OAAO,UAAU,CAAC,QAAQ,CAAC;CACtC,CAAC;AAUF,eAAO,MAAM,OAAO,EAAE,OAYrB,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/runtime/browser/crypto.mjs b/backend/node_modules/@clerk/backend/dist/runtime/browser/crypto.mjs new file mode 100644 index 000000000..558f375dd --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/runtime/browser/crypto.mjs @@ -0,0 +1 @@ +export const webcrypto = crypto; diff --git a/backend/node_modules/@clerk/backend/dist/runtime/node/crypto.js b/backend/node_modules/@clerk/backend/dist/runtime/node/crypto.js new file mode 100644 index 000000000..dc45bca82 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/runtime/node/crypto.js @@ -0,0 +1 @@ +module.exports.webcrypto = require('node:crypto').webcrypto; diff --git a/backend/node_modules/@clerk/backend/dist/runtime/node/crypto.mjs b/backend/node_modules/@clerk/backend/dist/runtime/node/crypto.mjs new file mode 100644 index 000000000..d509c88ff --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/runtime/node/crypto.mjs @@ -0,0 +1 @@ +export { webcrypto } from 'node:crypto'; diff --git a/backend/node_modules/@clerk/backend/dist/tokens/authObjects.d.ts b/backend/node_modules/@clerk/backend/dist/tokens/authObjects.d.ts new file mode 100644 index 000000000..0df94ac6b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/authObjects.d.ts @@ -0,0 +1,78 @@ +import type { ActClaim, CheckAuthorizationFromSessionClaims, JwtPayload, OrganizationCustomPermissionKey, OrganizationCustomRoleKey, ServerGetToken } from '@clerk/types'; +import type { CreateBackendApiOptions } from '../api'; +import type { AuthenticateContext } from './authenticateContext'; +type AuthObjectDebugData = Record; +type AuthObjectDebug = () => AuthObjectDebugData; +/** + * @internal + */ +export type SignedInAuthObjectOptions = CreateBackendApiOptions & { + token: string; +}; +/** + * @internal + */ +export type SignedInAuthObject = { + sessionClaims: JwtPayload; + sessionId: string; + actor: ActClaim | undefined; + userId: string; + orgId: string | undefined; + orgRole: OrganizationCustomRoleKey | undefined; + orgSlug: string | undefined; + orgPermissions: OrganizationCustomPermissionKey[] | undefined; + /** + * Factor Verification Age + * Each item represents the minutes that have passed since the last time a first or second factor were verified. + * [fistFactorAge, secondFactorAge] + */ + factorVerificationAge: [firstFactorAge: number, secondFactorAge: number] | null; + getToken: ServerGetToken; + has: CheckAuthorizationFromSessionClaims; + debug: AuthObjectDebug; +}; +/** + * @internal + */ +export type SignedOutAuthObject = { + sessionClaims: null; + sessionId: null; + actor: null; + userId: null; + orgId: null; + orgRole: null; + orgSlug: null; + orgPermissions: null; + /** + * Factor Verification Age + * Each item represents the minutes that have passed since the last time a first or second factor were verified. + * [fistFactorAge, secondFactorAge] + */ + factorVerificationAge: null; + getToken: ServerGetToken; + has: CheckAuthorizationFromSessionClaims; + debug: AuthObjectDebug; +}; +/** + * @internal + */ +export type AuthObject = SignedInAuthObject | SignedOutAuthObject; +/** + * @internal + */ +export declare function signedInAuthObject(authenticateContext: AuthenticateContext, sessionToken: string, sessionClaims: JwtPayload): SignedInAuthObject; +/** + * @internal + */ +export declare function signedOutAuthObject(debugData?: AuthObjectDebugData): SignedOutAuthObject; +/** + * Auth objects moving through the server -> client boundary need to be serializable + * as we need to ensure that they can be transferred via the network as pure strings. + * Some frameworks like Remix or Next (/pages dir only) handle this serialization by simply + * ignoring any non-serializable keys, however Nextjs /app directory is stricter and + * throws an error if a non-serializable value is found. + * @internal + */ +export declare const makeAuthObjectSerializable: >(obj: T) => T; +export {}; +//# sourceMappingURL=authObjects.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/authObjects.d.ts.map b/backend/node_modules/@clerk/backend/dist/tokens/authObjects.d.ts.map new file mode 100644 index 000000000..889dcf143 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/authObjects.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"authObjects.d.ts","sourceRoot":"","sources":["../../src/tokens/authObjects.ts"],"names":[],"mappings":"AACA,OAAO,KAAK,EACV,QAAQ,EACR,mCAAmC,EACnC,UAAU,EACV,+BAA+B,EAC/B,yBAAyB,EACzB,cAAc,EAEf,MAAM,cAAc,CAAC;AAEtB,OAAO,KAAK,EAAE,uBAAuB,EAAE,MAAM,QAAQ,CAAC;AAEtD,OAAO,KAAK,EAAE,mBAAmB,EAAE,MAAM,uBAAuB,CAAC;AAEjE,KAAK,mBAAmB,GAAG,MAAM,CAAC,MAAM,EAAE,GAAG,CAAC,CAAC;AAC/C,KAAK,eAAe,GAAG,MAAM,mBAAmB,CAAC;AAEjD;;GAEG;AACH,MAAM,MAAM,yBAAyB,GAAG,uBAAuB,GAAG;IAChE,KAAK,EAAE,MAAM,CAAC;CACf,CAAC;AAEF;;GAEG;AACH,MAAM,MAAM,kBAAkB,GAAG;IAC/B,aAAa,EAAE,UAAU,CAAC;IAC1B,SAAS,EAAE,MAAM,CAAC;IAClB,KAAK,EAAE,QAAQ,GAAG,SAAS,CAAC;IAC5B,MAAM,EAAE,MAAM,CAAC;IACf,KAAK,EAAE,MAAM,GAAG,SAAS,CAAC;IAC1B,OAAO,EAAE,yBAAyB,GAAG,SAAS,CAAC;IAC/C,OAAO,EAAE,MAAM,GAAG,SAAS,CAAC;IAC5B,cAAc,EAAE,+BAA+B,EAAE,GAAG,SAAS,CAAC;IAC9D;;;;OAIG;IACH,qBAAqB,EAAE,CAAC,cAAc,EAAE,MAAM,EAAE,eAAe,EAAE,MAAM,CAAC,GAAG,IAAI,CAAC;IAChF,QAAQ,EAAE,cAAc,CAAC;IACzB,GAAG,EAAE,mCAAmC,CAAC;IACzC,KAAK,EAAE,eAAe,CAAC;CACxB,CAAC;AAEF;;GAEG;AACH,MAAM,MAAM,mBAAmB,GAAG;IAChC,aAAa,EAAE,IAAI,CAAC;IACpB,SAAS,EAAE,IAAI,CAAC;IAChB,KAAK,EAAE,IAAI,CAAC;IACZ,MAAM,EAAE,IAAI,CAAC;IACb,KAAK,EAAE,IAAI,CAAC;IACZ,OAAO,EAAE,IAAI,CAAC;IACd,OAAO,EAAE,IAAI,CAAC;IACd,cAAc,EAAE,IAAI,CAAC;IACrB;;;;OAIG;IACH,qBAAqB,EAAE,IAAI,CAAC;IAC5B,QAAQ,EAAE,cAAc,CAAC;IACzB,GAAG,EAAE,mCAAmC,CAAC;IACzC,KAAK,EAAE,eAAe,CAAC;CACxB,CAAC;AAEF;;GAEG;AACH,MAAM,MAAM,UAAU,GAAG,kBAAkB,GAAG,mBAAmB,CAAC;AAWlE;;GAEG;AACH,wBAAgB,kBAAkB,CAChC,mBAAmB,EAAE,mBAAmB,EACxC,YAAY,EAAE,MAAM,EACpB,aAAa,EAAE,UAAU,GACxB,kBAAkB,CAmCpB;AAED;;GAEG;AACH,wBAAgB,mBAAmB,CAAC,SAAS,CAAC,EAAE,mBAAmB,GAAG,mBAAmB,CAexF;AAED;;;;;;;GAOG;AACH,eAAO,MAAM,0BAA0B,GAAI,CAAC,SAAS,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,OAAO,CAAC,KAAG,CAKtF,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/authStatus.d.ts b/backend/node_modules/@clerk/backend/dist/tokens/authStatus.d.ts new file mode 100644 index 000000000..dbeed6e5b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/authStatus.d.ts @@ -0,0 +1,72 @@ +import type { JwtPayload } from '@clerk/types'; +import type { TokenVerificationErrorReason } from '../errors'; +import type { AuthenticateContext } from './authenticateContext'; +import type { SignedInAuthObject, SignedOutAuthObject } from './authObjects'; +export declare const AuthStatus: { + readonly SignedIn: "signed-in"; + readonly SignedOut: "signed-out"; + readonly Handshake: "handshake"; +}; +export type AuthStatus = (typeof AuthStatus)[keyof typeof AuthStatus]; +export type SignedInState = { + status: typeof AuthStatus.SignedIn; + reason: null; + message: null; + proxyUrl?: string; + publishableKey: string; + isSatellite: boolean; + domain: string; + signInUrl: string; + signUpUrl: string; + afterSignInUrl: string; + afterSignUpUrl: string; + isSignedIn: true; + toAuth: () => SignedInAuthObject; + headers: Headers; + token: string; +}; +export type SignedOutState = { + status: typeof AuthStatus.SignedOut; + message: string; + reason: AuthReason; + proxyUrl?: string; + publishableKey: string; + isSatellite: boolean; + domain: string; + signInUrl: string; + signUpUrl: string; + afterSignInUrl: string; + afterSignUpUrl: string; + isSignedIn: false; + toAuth: () => SignedOutAuthObject; + headers: Headers; + token: null; +}; +export type HandshakeState = Omit & { + status: typeof AuthStatus.Handshake; + headers: Headers; + toAuth: () => null; +}; +export declare const AuthErrorReason: { + readonly ClientUATWithoutSessionToken: "client-uat-but-no-session-token"; + readonly DevBrowserMissing: "dev-browser-missing"; + readonly DevBrowserSync: "dev-browser-sync"; + readonly PrimaryRespondsToSyncing: "primary-responds-to-syncing"; + readonly SatelliteCookieNeedsSyncing: "satellite-needs-syncing"; + readonly SessionTokenAndUATMissing: "session-token-and-uat-missing"; + readonly SessionTokenMissing: "session-token-missing"; + readonly SessionTokenExpired: "session-token-expired"; + readonly SessionTokenIATBeforeClientUAT: "session-token-iat-before-client-uat"; + readonly SessionTokenNBF: "session-token-nbf"; + readonly SessionTokenIatInTheFuture: "session-token-iat-in-the-future"; + readonly SessionTokenWithoutClientUAT: "session-token-but-no-client-uat"; + readonly ActiveOrganizationMismatch: "active-organization-mismatch"; + readonly UnexpectedError: "unexpected-error"; +}; +export type AuthErrorReason = (typeof AuthErrorReason)[keyof typeof AuthErrorReason]; +export type AuthReason = AuthErrorReason | TokenVerificationErrorReason; +export type RequestState = SignedInState | SignedOutState | HandshakeState; +export declare function signedIn(authenticateContext: AuthenticateContext, sessionClaims: JwtPayload, headers: Headers | undefined, token: string): SignedInState; +export declare function signedOut(authenticateContext: AuthenticateContext, reason: AuthReason, message?: string, headers?: Headers): SignedOutState; +export declare function handshake(authenticateContext: AuthenticateContext, reason: AuthReason, message: string | undefined, headers: Headers): HandshakeState; +//# sourceMappingURL=authStatus.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/authStatus.d.ts.map b/backend/node_modules/@clerk/backend/dist/tokens/authStatus.d.ts.map new file mode 100644 index 000000000..f9a97b021 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/authStatus.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"authStatus.d.ts","sourceRoot":"","sources":["../../src/tokens/authStatus.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,UAAU,EAAE,MAAM,cAAc,CAAC;AAG/C,OAAO,KAAK,EAAE,4BAA4B,EAAE,MAAM,WAAW,CAAC;AAC9D,OAAO,KAAK,EAAE,mBAAmB,EAAE,MAAM,uBAAuB,CAAC;AACjE,OAAO,KAAK,EAAE,kBAAkB,EAAE,mBAAmB,EAAE,MAAM,eAAe,CAAC;AAG7E,eAAO,MAAM,UAAU;;;;CAIb,CAAC;AAEX,MAAM,MAAM,UAAU,GAAG,CAAC,OAAO,UAAU,CAAC,CAAC,MAAM,OAAO,UAAU,CAAC,CAAC;AAEtE,MAAM,MAAM,aAAa,GAAG;IAC1B,MAAM,EAAE,OAAO,UAAU,CAAC,QAAQ,CAAC;IACnC,MAAM,EAAE,IAAI,CAAC;IACb,OAAO,EAAE,IAAI,CAAC;IACd,QAAQ,CAAC,EAAE,MAAM,CAAC;IAClB,cAAc,EAAE,MAAM,CAAC;IACvB,WAAW,EAAE,OAAO,CAAC;IACrB,MAAM,EAAE,MAAM,CAAC;IACf,SAAS,EAAE,MAAM,CAAC;IAClB,SAAS,EAAE,MAAM,CAAC;IAClB,cAAc,EAAE,MAAM,CAAC;IACvB,cAAc,EAAE,MAAM,CAAC;IACvB,UAAU,EAAE,IAAI,CAAC;IACjB,MAAM,EAAE,MAAM,kBAAkB,CAAC;IACjC,OAAO,EAAE,OAAO,CAAC;IACjB,KAAK,EAAE,MAAM,CAAC;CACf,CAAC;AAEF,MAAM,MAAM,cAAc,GAAG;IAC3B,MAAM,EAAE,OAAO,UAAU,CAAC,SAAS,CAAC;IACpC,OAAO,EAAE,MAAM,CAAC;IAChB,MAAM,EAAE,UAAU,CAAC;IACnB,QAAQ,CAAC,EAAE,MAAM,CAAC;IAClB,cAAc,EAAE,MAAM,CAAC;IACvB,WAAW,EAAE,OAAO,CAAC;IACrB,MAAM,EAAE,MAAM,CAAC;IACf,SAAS,EAAE,MAAM,CAAC;IAClB,SAAS,EAAE,MAAM,CAAC;IAClB,cAAc,EAAE,MAAM,CAAC;IACvB,cAAc,EAAE,MAAM,CAAC;IACvB,UAAU,EAAE,KAAK,CAAC;IAClB,MAAM,EAAE,MAAM,mBAAmB,CAAC;IAClC,OAAO,EAAE,OAAO,CAAC;IACjB,KAAK,EAAE,IAAI,CAAC;CACb,CAAC;AAEF,MAAM,MAAM,cAAc,GAAG,IAAI,CAAC,cAAc,EAAE,QAAQ,GAAG,QAAQ,CAAC,GAAG;IACvE,MAAM,EAAE,OAAO,UAAU,CAAC,SAAS,CAAC;IACpC,OAAO,EAAE,OAAO,CAAC;IACjB,MAAM,EAAE,MAAM,IAAI,CAAC;CACpB,CAAC;AAEF,eAAO,MAAM,eAAe;;;;;;;;;;;;;;;CAelB,CAAC;AAEX,MAAM,MAAM,eAAe,GAAG,CAAC,OAAO,eAAe,CAAC,CAAC,MAAM,OAAO,eAAe,CAAC,CAAC;AAErF,MAAM,MAAM,UAAU,GAAG,eAAe,GAAG,4BAA4B,CAAC;AAExE,MAAM,MAAM,YAAY,GAAG,aAAa,GAAG,cAAc,GAAG,cAAc,CAAC;AAE3E,wBAAgB,QAAQ,CACtB,mBAAmB,EAAE,mBAAmB,EACxC,aAAa,EAAE,UAAU,EACzB,OAAO,EAAE,OAAO,YAAgB,EAChC,KAAK,EAAE,MAAM,GACZ,aAAa,CAmBf;AAED,wBAAgB,SAAS,CACvB,mBAAmB,EAAE,mBAAmB,EACxC,MAAM,EAAE,UAAU,EAClB,OAAO,SAAK,EACZ,OAAO,GAAE,OAAuB,GAC/B,cAAc,CAkBhB;AAED,wBAAgB,SAAS,CACvB,mBAAmB,EAAE,mBAAmB,EACxC,MAAM,EAAE,UAAU,EAClB,OAAO,oBAAK,EACZ,OAAO,EAAE,OAAO,GACf,cAAc,CAkBhB"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/authenticateContext.d.ts b/backend/node_modules/@clerk/backend/dist/tokens/authenticateContext.d.ts new file mode 100644 index 000000000..792d2f94d --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/authenticateContext.d.ts @@ -0,0 +1,57 @@ +import type { ClerkRequest } from './clerkRequest'; +import type { AuthenticateRequestOptions } from './types'; +interface AuthenticateContext extends AuthenticateRequestOptions { + sessionTokenInHeader: string | undefined; + origin: string | undefined; + host: string | undefined; + forwardedHost: string | undefined; + forwardedProto: string | undefined; + referrer: string | undefined; + userAgent: string | undefined; + secFetchDest: string | undefined; + accept: string | undefined; + sessionTokenInCookie: string | undefined; + refreshTokenInCookie: string | undefined; + clientUat: number; + devBrowserToken: string | undefined; + handshakeToken: string | undefined; + handshakeRedirectLoopCounter: number; + clerkUrl: URL; + publishableKey: string; + instanceType: string; + frontendApi: string; +} +/** + * All data required to authenticate a request. + * This is the data we use to decide whether a request + * is in a signed in or signed out state or if we need + * to perform a handshake. + */ +declare class AuthenticateContext implements AuthenticateContext { + private cookieSuffix; + private clerkRequest; + /** + * Retrieves the session token from either the cookie or the header. + * + * @returns {string | undefined} The session token if available, otherwise undefined. + */ + get sessionToken(): string | undefined; + constructor(cookieSuffix: string, clerkRequest: ClerkRequest, options: AuthenticateRequestOptions); + usesSuffixedCookies(): boolean; + private initPublishableKeyValues; + private initHeaderValues; + private initCookieValues; + private initHandshakeValues; + private stripAuthorizationHeader; + private getQueryParam; + private getHeader; + private getCookie; + private getSuffixedCookie; + private getSuffixedOrUnSuffixedCookie; + private tokenHasIssuer; + private tokenBelongsToInstance; + private sessionExpired; +} +export type { AuthenticateContext }; +export declare const createAuthenticateContext: (clerkRequest: ClerkRequest, options: AuthenticateRequestOptions) => Promise; +//# sourceMappingURL=authenticateContext.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/authenticateContext.d.ts.map b/backend/node_modules/@clerk/backend/dist/tokens/authenticateContext.d.ts.map new file mode 100644 index 000000000..9ced2be98 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/authenticateContext.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"authenticateContext.d.ts","sourceRoot":"","sources":["../../src/tokens/authenticateContext.ts"],"names":[],"mappings":"AAOA,OAAO,KAAK,EAAE,YAAY,EAAE,MAAM,gBAAgB,CAAC;AACnD,OAAO,KAAK,EAAE,0BAA0B,EAAE,MAAM,SAAS,CAAC;AAE1D,UAAU,mBAAoB,SAAQ,0BAA0B;IAE9D,oBAAoB,EAAE,MAAM,GAAG,SAAS,CAAC;IACzC,MAAM,EAAE,MAAM,GAAG,SAAS,CAAC;IAC3B,IAAI,EAAE,MAAM,GAAG,SAAS,CAAC;IACzB,aAAa,EAAE,MAAM,GAAG,SAAS,CAAC;IAClC,cAAc,EAAE,MAAM,GAAG,SAAS,CAAC;IACnC,QAAQ,EAAE,MAAM,GAAG,SAAS,CAAC;IAC7B,SAAS,EAAE,MAAM,GAAG,SAAS,CAAC;IAC9B,YAAY,EAAE,MAAM,GAAG,SAAS,CAAC;IACjC,MAAM,EAAE,MAAM,GAAG,SAAS,CAAC;IAE3B,oBAAoB,EAAE,MAAM,GAAG,SAAS,CAAC;IACzC,oBAAoB,EAAE,MAAM,GAAG,SAAS,CAAC;IACzC,SAAS,EAAE,MAAM,CAAC;IAElB,eAAe,EAAE,MAAM,GAAG,SAAS,CAAC;IACpC,cAAc,EAAE,MAAM,GAAG,SAAS,CAAC;IACnC,4BAA4B,EAAE,MAAM,CAAC;IAErC,QAAQ,EAAE,GAAG,CAAC;IAEd,cAAc,EAAE,MAAM,CAAC;IACvB,YAAY,EAAE,MAAM,CAAC;IACrB,WAAW,EAAE,MAAM,CAAC;CACrB;AAED;;;;;GAKG;AACH,cAAM,mBAAoB,YAAW,mBAAmB;IAWpD,OAAO,CAAC,YAAY;IACpB,OAAO,CAAC,YAAY;IAXtB;;;;OAIG;IACH,IAAW,YAAY,IAAI,MAAM,GAAG,SAAS,CAE5C;gBAGS,YAAY,EAAE,MAAM,EACpB,YAAY,EAAE,YAAY,EAClC,OAAO,EAAE,0BAA0B;IAc9B,mBAAmB,IAAI,OAAO;IAyFrC,OAAO,CAAC,wBAAwB;IAahC,OAAO,CAAC,gBAAgB;IAaxB,OAAO,CAAC,gBAAgB;IAOxB,OAAO,CAAC,mBAAmB;IAU3B,OAAO,CAAC,wBAAwB;IAIhC,OAAO,CAAC,aAAa;IAIrB,OAAO,CAAC,SAAS;IAIjB,OAAO,CAAC,SAAS;IAIjB,OAAO,CAAC,iBAAiB;IAIzB,OAAO,CAAC,6BAA6B;IAOrC,OAAO,CAAC,cAAc;IAQtB,OAAO,CAAC,sBAAsB;IAa9B,OAAO,CAAC,cAAc;CAGvB;AAED,YAAY,EAAE,mBAAmB,EAAE,CAAC;AAEpC,eAAO,MAAM,yBAAyB,iBACtB,YAAY,WACjB,0BAA0B,KAClC,OAAO,CAAC,mBAAmB,CAK7B,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/clerkRequest.d.ts b/backend/node_modules/@clerk/backend/dist/tokens/clerkRequest.d.ts new file mode 100644 index 000000000..cdb1a753f --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/clerkRequest.d.ts @@ -0,0 +1,29 @@ +import type { ClerkUrl } from './clerkUrl'; +/** + * A class that extends the native Request class, + * adds cookies helpers and a normalised clerkUrl that is constructed by using the values found + * in req.headers so it is able to work reliably when the app is running behind a proxy server. + */ +declare class ClerkRequest extends Request { + readonly clerkUrl: ClerkUrl; + readonly cookies: Map; + constructor(input: ClerkRequest | Request | RequestInfo, init?: RequestInit); + toJSON(): { + url: string; + method: string; + headers: string; + clerkUrl: string; + cookies: string; + }; + /** + * Used to fix request.url using the x-forwarded-* headers + * TODO add detailed description of the issues this solves + */ + private deriveUrlFromHeaders; + private getFirstValueFromHeader; + private parseCookies; + private decodeCookieValue; +} +export declare const createClerkRequest: (input: RequestInfo | ClerkRequest, init?: RequestInit | undefined) => ClerkRequest; +export type { ClerkRequest }; +//# sourceMappingURL=clerkRequest.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/clerkRequest.d.ts.map b/backend/node_modules/@clerk/backend/dist/tokens/clerkRequest.d.ts.map new file mode 100644 index 000000000..fa0ee3559 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/clerkRequest.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"clerkRequest.d.ts","sourceRoot":"","sources":["../../src/tokens/clerkRequest.ts"],"names":[],"mappings":"AAGA,OAAO,KAAK,EAAE,QAAQ,EAAE,MAAM,YAAY,CAAC;AAG3C;;;;GAIG;AACH,cAAM,YAAa,SAAQ,OAAO;IAChC,QAAQ,CAAC,QAAQ,EAAE,QAAQ,CAAC;IAC5B,QAAQ,CAAC,OAAO,EAAE,GAAG,CAAC,MAAM,EAAE,MAAM,GAAG,SAAS,CAAC,CAAC;gBAE/B,KAAK,EAAE,YAAY,GAAG,OAAO,GAAG,WAAW,EAAE,IAAI,CAAC,EAAE,WAAW;IAkB3E,MAAM;;;;;;;IAUb;;;OAGG;IACH,OAAO,CAAC,oBAAoB;IAiB5B,OAAO,CAAC,uBAAuB;IAI/B,OAAO,CAAC,YAAY;IAKpB,OAAO,CAAC,iBAAiB;CAG1B;AAED,eAAO,MAAM,kBAAkB,yEAA0D,YAExF,CAAC;AAEF,YAAY,EAAE,YAAY,EAAE,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/clerkUrl.d.ts b/backend/node_modules/@clerk/backend/dist/tokens/clerkUrl.d.ts new file mode 100644 index 000000000..1d10b4c3d --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/clerkUrl.d.ts @@ -0,0 +1,18 @@ +declare class ClerkUrl extends URL { + isCrossOrigin(other: URL | string): boolean; +} +export type WithClerkUrl = T & { + /** + * When a NextJs app is hosted on a platform different from Vercel + * or inside a container (Netlify, Fly.io, AWS Amplify, docker etc), + * req.url is always set to `localhost:3000` instead of the actual host of the app. + * + * The `authMiddleware` uses the value of the available req.headers in order to construct + * and use the correct url internally. This url is then exposed as `experimental_clerkUrl`, + * intended to be used within `beforeAuth` and `afterAuth` if needed. + */ + clerkUrl: ClerkUrl; +}; +export declare const createClerkUrl: (url: string | URL, base?: string | URL | undefined) => ClerkUrl; +export type { ClerkUrl }; +//# sourceMappingURL=clerkUrl.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/clerkUrl.d.ts.map b/backend/node_modules/@clerk/backend/dist/tokens/clerkUrl.d.ts.map new file mode 100644 index 000000000..dee212bc5 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/clerkUrl.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"clerkUrl.d.ts","sourceRoot":"","sources":["../../src/tokens/clerkUrl.ts"],"names":[],"mappings":"AAAA,cAAM,QAAS,SAAQ,GAAG;IACjB,aAAa,CAAC,KAAK,EAAE,GAAG,GAAG,MAAM;CAGzC;AAED,MAAM,MAAM,YAAY,CAAC,CAAC,IAAI,CAAC,GAAG;IAChC;;;;;;;;OAQG;IACH,QAAQ,EAAE,QAAQ,CAAC;CACpB,CAAC;AAEF,eAAO,MAAM,cAAc,0DAAsD,QAEhF,CAAC;AAEF,YAAY,EAAE,QAAQ,EAAE,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/cookie.d.ts b/backend/node_modules/@clerk/backend/dist/tokens/cookie.d.ts new file mode 100644 index 000000000..3eeb632d4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/cookie.d.ts @@ -0,0 +1,3 @@ +export declare const getCookieName: (cookieDirective: string) => string; +export declare const getCookieValue: (cookieDirective: string) => string; +//# sourceMappingURL=cookie.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/cookie.d.ts.map b/backend/node_modules/@clerk/backend/dist/tokens/cookie.d.ts.map new file mode 100644 index 000000000..2729dd0aa --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/cookie.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"cookie.d.ts","sourceRoot":"","sources":["../../src/tokens/cookie.ts"],"names":[],"mappings":"AAAA,eAAO,MAAM,aAAa,oBAAqB,MAAM,KAAG,MAEvD,CAAC;AAEF,eAAO,MAAM,cAAc,oBAAqB,MAAM,KAAG,MAExD,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/factory.d.ts b/backend/node_modules/@clerk/backend/dist/tokens/factory.d.ts new file mode 100644 index 000000000..438a15a87 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/factory.d.ts @@ -0,0 +1,28 @@ +import type { ApiClient } from '../api'; +import type { AuthenticateRequestOptions } from './types'; +type RunTimeOptions = Omit; +type BuildTimeOptions = Partial>; +/** + * @internal + */ +export type CreateAuthenticateRequestOptions = { + options: BuildTimeOptions; + apiClient: ApiClient; +}; +/** + * @internal + */ +export declare function createAuthenticateRequest(params: CreateAuthenticateRequestOptions): { + authenticateRequest: (request: Request, options?: RunTimeOptions) => Promise; + debugRequestState: (params: import("./authStatus").RequestState) => { + isSignedIn: boolean; + proxyUrl: string | undefined; + reason: string | null; + message: string | null; + publishableKey: string; + isSatellite: boolean; + domain: string; + }; +}; +export {}; +//# sourceMappingURL=factory.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/factory.d.ts.map b/backend/node_modules/@clerk/backend/dist/tokens/factory.d.ts.map new file mode 100644 index 000000000..126bdaa64 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/factory.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"factory.d.ts","sourceRoot":"","sources":["../../src/tokens/factory.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,SAAS,EAAE,MAAM,QAAQ,CAAC;AAGxC,OAAO,KAAK,EAAE,0BAA0B,EAAE,MAAM,SAAS,CAAC;AAE1D,KAAK,cAAc,GAAG,IAAI,CAAC,0BAA0B,EAAE,QAAQ,GAAG,YAAY,CAAC,CAAC;AAChF,KAAK,gBAAgB,GAAG,OAAO,CAC7B,IAAI,CACF,0BAA0B,EACxB,QAAQ,GACR,YAAY,GACZ,UAAU,GACV,QAAQ,GACR,aAAa,GACb,QAAQ,GACR,UAAU,GACV,gBAAgB,GAChB,WAAW,CACd,CACF,CAAC;AAcF;;GAEG;AACH,MAAM,MAAM,gCAAgC,GAAG;IAC7C,OAAO,EAAE,gBAAgB,CAAC;IAC1B,SAAS,EAAE,SAAS,CAAC;CACtB,CAAC;AAEF;;GAEG;AACH,wBAAgB,yBAAyB,CAAC,MAAM,EAAE,gCAAgC;mCAI1C,OAAO,YAAW,cAAc;;;;;;;;;;EAkBvE"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/handshake.d.ts b/backend/node_modules/@clerk/backend/dist/tokens/handshake.d.ts new file mode 100644 index 000000000..7644590ad --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/handshake.d.ts @@ -0,0 +1,9 @@ +import type { VerifyTokenOptions } from './verify'; +/** + * Similar to our verifyToken flow for Clerk-issued JWTs, but this verification flow is for our signed handshake payload. + * The handshake payload requires fewer verification steps. + */ +export declare function verifyHandshakeToken(token: string, options: VerifyTokenOptions): Promise<{ + handshake: string[]; +}>; +//# sourceMappingURL=handshake.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/handshake.d.ts.map b/backend/node_modules/@clerk/backend/dist/tokens/handshake.d.ts.map new file mode 100644 index 000000000..ffaf83e82 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/handshake.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"handshake.d.ts","sourceRoot":"","sources":["../../src/tokens/handshake.ts"],"names":[],"mappings":"AAKA,OAAO,KAAK,EAAE,kBAAkB,EAAE,MAAM,UAAU,CAAC;AAkCnD;;;GAGG;AACH,wBAAsB,oBAAoB,CACxC,KAAK,EAAE,MAAM,EACb,OAAO,EAAE,kBAAkB,GAC1B,OAAO,CAAC;IAAE,SAAS,EAAE,MAAM,EAAE,CAAA;CAAE,CAAC,CA4BlC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/keys.d.ts b/backend/node_modules/@clerk/backend/dist/tokens/keys.d.ts new file mode 100644 index 000000000..941928eb2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/keys.d.ts @@ -0,0 +1,48 @@ +/** + * + * Loads a local PEM key usually from process.env and transform it to JsonWebKey format. + * The result is also cached on the module level to avoid unnecessary computations in subsequent invocations. + * + * @param {string} localKey + * @returns {JsonWebKey} key + */ +export declare function loadClerkJWKFromLocal(localKey?: string): JsonWebKey; +export type LoadClerkJWKFromRemoteOptions = { + /** + * @internal + */ + kid: string; + /** + * @deprecated This cache TTL is deprecated and will be removed in the next major version. Specifying a cache TTL is now a no-op. + */ + jwksCacheTtlInMs?: number; + /** + * A flag to skip ignore cache and always fetch JWKS before each jwt verification. + */ + skipJwksCache?: boolean; + /** + * The Clerk Secret Key from the [**API keys**](https://dashboard.clerk.com/last-active?path=api-keys) page in the Clerk Dashboard. + */ + secretKey?: string; + /** + * The [Clerk Backend API](https://clerk.com/docs/reference/backend-api) endpoint. Defaults to `'https://api.clerk.com'`. + */ + apiUrl?: string; + /** + * The version passed to the Clerk API. Defaults to `'v1'`. + */ + apiVersion?: string; +}; +/** + * + * Loads a key from JWKS retrieved from the well-known Frontend API endpoint of the issuer. + * The result is also cached on the module level to avoid network requests in subsequent invocations. + * The cache lasts up to 5 minutes. + * + * @param {Object} options + * @param {string} options.kid - The id of the key that the JWT was signed with + * @param {string} options.alg - The algorithm of the JWT + * @returns {JsonWebKey} key + */ +export declare function loadClerkJWKFromRemote({ secretKey, apiUrl, apiVersion, kid, skipJwksCache, }: LoadClerkJWKFromRemoteOptions): Promise; +//# sourceMappingURL=keys.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/keys.d.ts.map b/backend/node_modules/@clerk/backend/dist/tokens/keys.d.ts.map new file mode 100644 index 000000000..471a374e1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/keys.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"keys.d.ts","sourceRoot":"","sources":["../../src/tokens/keys.ts"],"names":[],"mappings":"AA2CA;;;;;;;GAOG;AACH,wBAAgB,qBAAqB,CAAC,QAAQ,CAAC,EAAE,MAAM,GAAG,UAAU,CAiCnE;AAED,MAAM,MAAM,6BAA6B,GAAG;IAC1C;;OAEG;IACH,GAAG,EAAE,MAAM,CAAC;IACZ;;OAEG;IACH,gBAAgB,CAAC,EAAE,MAAM,CAAC;IAC1B;;OAEG;IACH,aAAa,CAAC,EAAE,OAAO,CAAC;IACxB;;OAEG;IACH,SAAS,CAAC,EAAE,MAAM,CAAC;IACnB;;OAEG;IACH,MAAM,CAAC,EAAE,MAAM,CAAC;IAChB;;OAEG;IACH,UAAU,CAAC,EAAE,MAAM,CAAC;CACrB,CAAC;AAEF;;;;;;;;;;GAUG;AACH,wBAAsB,sBAAsB,CAAC,EAC3C,SAAS,EACT,MAAgB,EAChB,UAAwB,EACxB,GAAG,EACH,aAAa,GACd,EAAE,6BAA6B,GAAG,OAAO,CAAC,UAAU,CAAC,CAwCrD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/request.d.ts b/backend/node_modules/@clerk/backend/dist/tokens/request.d.ts new file mode 100644 index 000000000..3ee5b45e6 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/request.d.ts @@ -0,0 +1,59 @@ +import type { MatchFunction } from '@clerk/shared/pathToRegexp'; +import type { RequestState } from './authStatus'; +import type { AuthenticateRequestOptions, OrganizationSyncOptions } from './types'; +export declare const RefreshTokenErrorReason: { + readonly NonEligibleNoCookie: "non-eligible-no-refresh-cookie"; + readonly NonEligibleNonGet: "non-eligible-non-get"; + readonly InvalidSessionToken: "invalid-session-token"; + readonly MissingApiClient: "missing-api-client"; + readonly MissingSessionToken: "missing-session-token"; + readonly MissingRefreshToken: "missing-refresh-token"; + readonly ExpiredSessionTokenDecodeFailed: "expired-session-token-decode-failed"; + readonly ExpiredSessionTokenMissingSidClaim: "expired-session-token-missing-sid-claim"; + readonly FetchError: "fetch-error"; + readonly UnexpectedSDKError: "unexpected-sdk-error"; + readonly UnexpectedBAPIError: "unexpected-bapi-error"; +}; +export declare function authenticateRequest(request: Request, options: AuthenticateRequestOptions): Promise; +/** + * @internal + */ +export declare const debugRequestState: (params: RequestState) => { + isSignedIn: boolean; + proxyUrl: string | undefined; + reason: string | null; + message: string | null; + publishableKey: string; + isSatellite: boolean; + domain: string; +}; +type OrganizationSyncTargetMatchers = { + OrganizationMatcher: MatchFunction>> | null; + PersonalAccountMatcher: MatchFunction>> | null; +}; +/** + * Computes regex-based matchers from the given organization sync options. + */ +export declare function computeOrganizationSyncTargetMatchers(options: OrganizationSyncOptions | undefined): OrganizationSyncTargetMatchers; +/** + * Determines if the given URL and settings indicate a desire to activate a specific + * organization or personal account. + * + * @param url - The URL of the original request. + * @param options - The organization sync options. + * @param matchers - The matchers for the organization and personal account patterns, as generated by `computeOrganizationSyncTargetMatchers`. + */ +export declare function getOrganizationSyncTarget(url: URL, options: OrganizationSyncOptions | undefined, matchers: OrganizationSyncTargetMatchers): OrganizationSyncTarget | null; +/** + * Represents an organization or a personal account - e.g. an + * entity that can be activated by the handshake API. + */ +export type OrganizationSyncTarget = { + type: 'personalAccount'; +} | { + type: 'organization'; + organizationId?: string; + organizationSlug?: string; +}; +export {}; +//# sourceMappingURL=request.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/request.d.ts.map b/backend/node_modules/@clerk/backend/dist/tokens/request.d.ts.map new file mode 100644 index 000000000..6ffd3e614 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/request.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"request.d.ts","sourceRoot":"","sources":["../../src/tokens/request.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAS,aAAa,EAAE,MAAM,4BAA4B,CAAC;AAavE,OAAO,KAAK,EAAkB,YAAY,EAAiC,MAAM,cAAc,CAAC;AAKhG,OAAO,KAAK,EAAE,0BAA0B,EAAE,uBAAuB,EAAE,MAAM,SAAS,CAAC;AAGnF,eAAO,MAAM,uBAAuB;;;;;;;;;;;;CAY1B,CAAC;AA2DX,wBAAsB,mBAAmB,CACvC,OAAO,EAAE,OAAO,EAChB,OAAO,EAAE,0BAA0B,GAClC,OAAO,CAAC,YAAY,CAAC,CAolBvB;AAED;;GAEG;AACH,eAAO,MAAM,iBAAiB,WAAY,YAAY;;;;;;;;CAGrD,CAAC;AAEF,KAAK,8BAA8B,GAAG;IACpC,mBAAmB,EAAE,aAAa,CAAC,OAAO,CAAC,MAAM,CAAC,MAAM,EAAE,MAAM,GAAG,MAAM,EAAE,CAAC,CAAC,CAAC,GAAG,IAAI,CAAC;IACtF,sBAAsB,EAAE,aAAa,CAAC,OAAO,CAAC,MAAM,CAAC,MAAM,EAAE,MAAM,GAAG,MAAM,EAAE,CAAC,CAAC,CAAC,GAAG,IAAI,CAAC;CAC1F,CAAC;AAEF;;GAEG;AACH,wBAAgB,qCAAqC,CACnD,OAAO,EAAE,uBAAuB,GAAG,SAAS,GAC3C,8BAA8B,CAyBhC;AAED;;;;;;;GAOG;AACH,wBAAgB,yBAAyB,CACvC,GAAG,EAAE,GAAG,EACR,OAAO,EAAE,uBAAuB,GAAG,SAAS,EAC5C,QAAQ,EAAE,8BAA8B,GACvC,sBAAsB,GAAG,IAAI,CA+C/B;AAED;;;GAGG;AACH,MAAM,MAAM,sBAAsB,GAC9B;IAAE,IAAI,EAAE,iBAAiB,CAAA;CAAE,GAC3B;IAAE,IAAI,EAAE,cAAc,CAAC;IAAC,cAAc,CAAC,EAAE,MAAM,CAAC;IAAC,gBAAgB,CAAC,EAAE,MAAM,CAAA;CAAE,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/types.d.ts b/backend/node_modules/@clerk/backend/dist/tokens/types.d.ts new file mode 100644 index 000000000..496fb7a05 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/types.d.ts @@ -0,0 +1,113 @@ +import type { ApiClient } from '../api'; +import type { VerifyTokenOptions } from './verify'; +export type AuthenticateRequestOptions = { + /** + * The Clerk Publishable Key from the [**API keys**](https://dashboard.clerk.com/last-active?path=api-keys) page in the Clerk Dashboard. + */ + publishableKey?: string; + /** + * The domain of a [satellite application](https://clerk.com/docs/advanced-usage/satellite-domains) in a multi-domain setup. + */ + domain?: string; + /** + * Whether the instance is a satellite domain in a multi-domain setup. Defaults to `false`. + */ + isSatellite?: boolean; + /** + * The proxy URL from a multi-domain setup. + */ + proxyUrl?: string; + /** + * The sign-in URL from a multi-domain setup. + */ + signInUrl?: string; + /** + * The sign-up URL from a multi-domain setup. + */ + signUpUrl?: string; + /** + * Full URL or path to navigate to after successful sign in. Defaults to `/`. + */ + afterSignInUrl?: string; + /** + * Full URL or path to navigate to after successful sign up. Defaults to `/`. + */ + afterSignUpUrl?: string; + /** + * Used to activate a specific [organization](https://clerk.com/docs/organizations/overview) or [personal account](https://clerk.com/docs/organizations/organization-workspaces#organization-workspaces-in-the-clerk-dashboard:~:text=Personal%20account) based on URL path parameters. If there's a mismatch between the active organization in the session (e.g., as reported by `auth()`) and the organization indicated by the URL, an attempt to activate the organization specified in the URL will be made. + * + * If the activation can't be performed, either because an organization doesn't exist or the user lacks access, the active organization in the session won't be changed. Ultimately, it's the responsibility of the page to verify that the resources are appropriate to render given the URL and handle mismatches appropriately (e.g., by returning a 404). + */ + organizationSyncOptions?: OrganizationSyncOptions; + /** + * @internal + */ + apiClient?: ApiClient; +} & VerifyTokenOptions; +/** + * @expand + */ +export type OrganizationSyncOptions = { + /** + * Specifies URL patterns that are organization-specific, containing an organization ID or slug as a path parameter. If a request matches this path, the organization identifier will be used to set that org as active. + * + * If the route also matches the `personalAccountPatterns` prop, this prop takes precedence. + * + * Patterns must have a path parameter named either `:id` (to match a Clerk organization ID) or `:slug` (to match a Clerk organization slug). + * + * @warning + * If the organization can't be activated—either because it doesn't exist or the user lacks access—the previously active organization will remain unchanged. Components must detect this case and provide an appropriate error and/or resolution pathway, such as calling `notFound()` or displaying an [``](https://clerk.com/docs/components/organization/organization-switcher). + * + * @example + * ["/orgs/:slug", "/orgs/:slug/(.*)"] + * @example + * ["/orgs/:id", "/orgs/:id/(.*)"] + * @example + * ["/app/:any/orgs/:slug", "/app/:any/orgs/:slug/(.*)"] + */ + organizationPatterns?: Pattern[]; + /** + * URL patterns for resources that exist within the context of a [Clerk Personal Account](https://clerk.com/docs/organizations/organization-workspaces#organization-workspaces-in-the-clerk-dashboard:~:text=Personal%20account) (user-specific, outside any organization). + * + * If the route also matches the `organizationPattern` prop, the `organizationPattern` prop takes precedence. + * + * @example + * ["/user", "/user/(.*)"] + * @example + * ["/user/:any", "/user/:any/(.*)"] + */ + personalAccountPatterns?: Pattern[]; +}; +/** + * A `Pattern` is a `string` that represents the structure of a URL path. In addition to any valid URL, it may include: + * - Named path parameters prefixed with a colon (e.g., `:id`, `:slug`, `:any`). + * - Wildcard token, `(.*)`, which matches the remainder of the path. + * + * @example + * /orgs/:slug + * + * ```ts + * '/orgs/acmecorp' // matches (`:slug` value: acmecorp) + * '/orgs' // does not match + * '/orgs/acmecorp/settings' // does not match + * ``` + * + * @example + * /app/:any/orgs/:id + * + * ```ts + * '/app/petstore/orgs/org_123' // matches (`:id` value: org_123) + * '/app/dogstore/v2/orgs/org_123' // does not match + * ``` + * + * @example + * /personal-account/(.*) + * + * ```ts + * '/personal-account/settings' // matches + * '/personal-account' // does not match + * ``` + */ +type Pattern = string; +export {}; +//# sourceMappingURL=types.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/types.d.ts.map b/backend/node_modules/@clerk/backend/dist/tokens/types.d.ts.map new file mode 100644 index 000000000..372af4831 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/types.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"types.d.ts","sourceRoot":"","sources":["../../src/tokens/types.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,SAAS,EAAE,MAAM,QAAQ,CAAC;AACxC,OAAO,KAAK,EAAE,kBAAkB,EAAE,MAAM,UAAU,CAAC;AAEnD,MAAM,MAAM,0BAA0B,GAAG;IACvC;;OAEG;IACH,cAAc,CAAC,EAAE,MAAM,CAAC;IACxB;;OAEG;IACH,MAAM,CAAC,EAAE,MAAM,CAAC;IAChB;;OAEG;IACH,WAAW,CAAC,EAAE,OAAO,CAAC;IACtB;;OAEG;IACH,QAAQ,CAAC,EAAE,MAAM,CAAC;IAClB;;OAEG;IACH,SAAS,CAAC,EAAE,MAAM,CAAC;IACnB;;OAEG;IACH,SAAS,CAAC,EAAE,MAAM,CAAC;IACnB;;OAEG;IACH,cAAc,CAAC,EAAE,MAAM,CAAC;IACxB;;OAEG;IACH,cAAc,CAAC,EAAE,MAAM,CAAC;IACxB;;;;OAIG;IACH,uBAAuB,CAAC,EAAE,uBAAuB,CAAC;IAClD;;OAEG;IACH,SAAS,CAAC,EAAE,SAAS,CAAC;CACvB,GAAG,kBAAkB,CAAC;AAEvB;;GAEG;AACH,MAAM,MAAM,uBAAuB,GAAG;IACpC;;;;;;;;;;;;;;;;OAgBG;IACH,oBAAoB,CAAC,EAAE,OAAO,EAAE,CAAC;IAEjC;;;;;;;;;OASG;IACH,uBAAuB,CAAC,EAAE,OAAO,EAAE,CAAC;CACrC,CAAC;AAEF;;;;;;;;;;;;;;;;;;;;;;;;;;;;;GA6BG;AACH,KAAK,OAAO,GAAG,MAAM,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/verify.d.ts b/backend/node_modules/@clerk/backend/dist/tokens/verify.d.ts new file mode 100644 index 000000000..4ee5bd47b --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/verify.d.ts @@ -0,0 +1,13 @@ +import type { JwtPayload } from '@clerk/types'; +import { TokenVerificationError } from '../errors'; +import type { VerifyJwtOptions } from '../jwt'; +import type { JwtReturnType } from '../jwt/types'; +import type { LoadClerkJWKFromRemoteOptions } from './keys'; +export type VerifyTokenOptions = Omit & Omit & { + /** + * Used to verify the session token in a networkless manner. Supply the PEM public key from the **[**API keys**](https://dashboard.clerk.com/last-active?path=api-keys) page -> Show JWT public key -> PEM Public Key** section in the Clerk Dashboard. **It's recommended to use [the environment variable](https://clerk.com/docs/deployments/clerk-environment-variables) instead.** For more information, refer to [Manual JWT verification](https://clerk.com/docs/backend-requests/handling/manual-jwt). + */ + jwtKey?: string; +}; +export declare function verifyToken(token: string, options: VerifyTokenOptions): Promise>; +//# sourceMappingURL=verify.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/tokens/verify.d.ts.map b/backend/node_modules/@clerk/backend/dist/tokens/verify.d.ts.map new file mode 100644 index 000000000..b48254e76 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/tokens/verify.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"verify.d.ts","sourceRoot":"","sources":["../../src/tokens/verify.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,UAAU,EAAE,MAAM,cAAc,CAAC;AAE/C,OAAO,EAAE,sBAAsB,EAA8D,MAAM,WAAW,CAAC;AAC/G,OAAO,KAAK,EAAE,gBAAgB,EAAE,MAAM,QAAQ,CAAC;AAC/C,OAAO,KAAK,EAAE,aAAa,EAAE,MAAM,cAAc,CAAC;AAElD,OAAO,KAAK,EAAE,6BAA6B,EAAE,MAAM,QAAQ,CAAC;AAG5D,MAAM,MAAM,kBAAkB,GAAG,IAAI,CAAC,gBAAgB,EAAE,KAAK,CAAC,GAC5D,IAAI,CAAC,6BAA6B,EAAE,KAAK,CAAC,GAAG;IAC3C;;OAEG;IACH,MAAM,CAAC,EAAE,MAAM,CAAC;CACjB,CAAC;AAEJ,wBAAsB,WAAW,CAC/B,KAAK,EAAE,MAAM,EACb,OAAO,EAAE,kBAAkB,GAC1B,OAAO,CAAC,aAAa,CAAC,UAAU,EAAE,sBAAsB,CAAC,CAAC,CAiC5D"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/util/decorateObjectWithResources.d.ts b/backend/node_modules/@clerk/backend/dist/util/decorateObjectWithResources.d.ts new file mode 100644 index 000000000..0a8a438ea --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/util/decorateObjectWithResources.d.ts @@ -0,0 +1,22 @@ +import type { CreateBackendApiOptions, Organization, Session, User } from '../api'; +import type { AuthObject } from '../tokens/authObjects'; +type DecorateAuthWithResourcesOptions = { + loadSession?: boolean; + loadUser?: boolean; + loadOrganization?: boolean; +}; +type WithResources = T & { + session?: Session | null; + user?: User | null; + organization?: Organization | null; +}; +/** + * @internal + */ +export declare const decorateObjectWithResources: (obj: T, authObj: AuthObject, opts: CreateBackendApiOptions & DecorateAuthWithResourcesOptions) => Promise>; +/** + * @internal + */ +export declare function stripPrivateDataFromObject>(authObject: T): T; +export {}; +//# sourceMappingURL=decorateObjectWithResources.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/util/decorateObjectWithResources.d.ts.map b/backend/node_modules/@clerk/backend/dist/util/decorateObjectWithResources.d.ts.map new file mode 100644 index 000000000..1365ab2d1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/util/decorateObjectWithResources.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"decorateObjectWithResources.d.ts","sourceRoot":"","sources":["../../src/util/decorateObjectWithResources.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,uBAAuB,EAAE,YAAY,EAAE,OAAO,EAAE,IAAI,EAAE,MAAM,QAAQ,CAAC;AAEnF,OAAO,KAAK,EAAE,UAAU,EAAE,MAAM,uBAAuB,CAAC;AAExD,KAAK,gCAAgC,GAAG;IACtC,WAAW,CAAC,EAAE,OAAO,CAAC;IACtB,QAAQ,CAAC,EAAE,OAAO,CAAC;IACnB,gBAAgB,CAAC,EAAE,OAAO,CAAC;CAC5B,CAAC;AAEF,KAAK,aAAa,CAAC,CAAC,IAAI,CAAC,GAAG;IAC1B,OAAO,CAAC,EAAE,OAAO,GAAG,IAAI,CAAC;IACzB,IAAI,CAAC,EAAE,IAAI,GAAG,IAAI,CAAC;IACnB,YAAY,CAAC,EAAE,YAAY,GAAG,IAAI,CAAC;CACpC,CAAC;AAEF;;GAEG;AACH,eAAO,MAAM,2BAA2B,GAAU,CAAC,SAAS,MAAM,OAC3D,CAAC,WACG,UAAU,QACb,uBAAuB,GAAG,gCAAgC,KAC/D,OAAO,CAAC,aAAa,CAAC,CAAC,CAAC,CAkB1B,CAAC;AAEF;;GAEG;AACH,wBAAgB,0BAA0B,CAAC,CAAC,SAAS,aAAa,CAAC,MAAM,CAAC,EAAE,UAAU,EAAE,CAAC,GAAG,CAAC,CAM5F"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/util/mergePreDefinedOptions.d.ts b/backend/node_modules/@clerk/backend/dist/util/mergePreDefinedOptions.d.ts new file mode 100644 index 000000000..01025d8d6 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/util/mergePreDefinedOptions.d.ts @@ -0,0 +1,2 @@ +export declare function mergePreDefinedOptions>(preDefinedOptions: T, options: Partial): T; +//# sourceMappingURL=mergePreDefinedOptions.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/util/mergePreDefinedOptions.d.ts.map b/backend/node_modules/@clerk/backend/dist/util/mergePreDefinedOptions.d.ts.map new file mode 100644 index 000000000..81dd2e53e --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/util/mergePreDefinedOptions.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"mergePreDefinedOptions.d.ts","sourceRoot":"","sources":["../../src/util/mergePreDefinedOptions.ts"],"names":[],"mappings":"AAAA,wBAAgB,sBAAsB,CAAC,CAAC,SAAS,MAAM,CAAC,MAAM,EAAE,GAAG,CAAC,EAAE,iBAAiB,EAAE,CAAC,EAAE,OAAO,EAAE,OAAO,CAAC,CAAC,CAAC,GAAG,CAAC,CAOlH"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/util/optionsAssertions.d.ts b/backend/node_modules/@clerk/backend/dist/util/optionsAssertions.d.ts new file mode 100644 index 000000000..0d0d05606 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/util/optionsAssertions.d.ts @@ -0,0 +1,3 @@ +export declare function assertValidSecretKey(val: unknown): asserts val is string; +export declare function assertValidPublishableKey(val: unknown): asserts val is string; +//# sourceMappingURL=optionsAssertions.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/util/optionsAssertions.d.ts.map b/backend/node_modules/@clerk/backend/dist/util/optionsAssertions.d.ts.map new file mode 100644 index 000000000..a66869572 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/util/optionsAssertions.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"optionsAssertions.d.ts","sourceRoot":"","sources":["../../src/util/optionsAssertions.ts"],"names":[],"mappings":"AAEA,wBAAgB,oBAAoB,CAAC,GAAG,EAAE,OAAO,GAAG,OAAO,CAAC,GAAG,IAAI,MAAM,CAMxE;AAED,wBAAgB,yBAAyB,CAAC,GAAG,EAAE,OAAO,GAAG,OAAO,CAAC,GAAG,IAAI,MAAM,CAE7E"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/util/path.d.ts b/backend/node_modules/@clerk/backend/dist/util/path.d.ts new file mode 100644 index 000000000..c45c13ce4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/util/path.d.ts @@ -0,0 +1,4 @@ +type PathString = string | null | undefined; +export declare function joinPaths(...args: PathString[]): string; +export {}; +//# sourceMappingURL=path.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/util/path.d.ts.map b/backend/node_modules/@clerk/backend/dist/util/path.d.ts.map new file mode 100644 index 000000000..786848d29 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/util/path.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"path.d.ts","sourceRoot":"","sources":["../../src/util/path.ts"],"names":[],"mappings":"AAGA,KAAK,UAAU,GAAG,MAAM,GAAG,IAAI,GAAG,SAAS,CAAC;AAE5C,wBAAgB,SAAS,CAAC,GAAG,IAAI,EAAE,UAAU,EAAE,GAAG,MAAM,CAKvD"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/util/rfc4648.d.ts b/backend/node_modules/@clerk/backend/dist/util/rfc4648.d.ts new file mode 100644 index 000000000..e02995270 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/util/rfc4648.d.ts @@ -0,0 +1,26 @@ +/** + * The base64url helper was extracted from the rfc4648 package + * in order to resolve CSJ/ESM interoperability issues + * + * https://github.com/swansontec/rfc4648.js + * + * For more context please refer to: + * - https://github.com/evanw/esbuild/issues/1719 + * - https://github.com/evanw/esbuild/issues/532 + * - https://github.com/swansontec/rollup-plugin-mjs-entry + */ +export declare const base64url: { + parse(string: string, opts?: ParseOptions): Uint8Array; + stringify(data: ArrayLike, opts?: StringifyOptions): string; +}; +interface ParseOptions { + loose?: boolean; + out?: new (size: number) => { + [index: number]: number; + }; +} +interface StringifyOptions { + pad?: boolean; +} +export {}; +//# sourceMappingURL=rfc4648.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/util/rfc4648.d.ts.map b/backend/node_modules/@clerk/backend/dist/util/rfc4648.d.ts.map new file mode 100644 index 000000000..5bef9ff27 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/util/rfc4648.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"rfc4648.d.ts","sourceRoot":"","sources":["../../src/util/rfc4648.ts"],"names":[],"mappings":"AAAA;;;;;;;;;;GAUG;AACH,eAAO,MAAM,SAAS;kBACN,MAAM,SAAS,YAAY,GAAG,UAAU;oBAItC,SAAS,CAAC,MAAM,CAAC,SAAS,gBAAgB,GAAG,MAAM;CAGpE,CAAC;AAaF,UAAU,YAAY;IACpB,KAAK,CAAC,EAAE,OAAO,CAAC;IAChB,GAAG,CAAC,EAAE,KAAK,IAAI,EAAE,MAAM,KAAK;QAAE,CAAC,KAAK,EAAE,MAAM,GAAG,MAAM,CAAA;KAAE,CAAC;CACzD;AAED,UAAU,gBAAgB;IACxB,GAAG,CAAC,EAAE,OAAO,CAAC;CACf"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/util/shared.d.ts b/backend/node_modules/@clerk/backend/dist/util/shared.d.ts new file mode 100644 index 000000000..7c39948c3 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/util/shared.d.ts @@ -0,0 +1,7 @@ +export { addClerkPrefix, getScriptUrl, getClerkJsMajorVersionOrTag } from '@clerk/shared/url'; +export { retry } from '@clerk/shared/retry'; +export { isDevelopmentFromSecretKey, isProductionFromSecretKey, parsePublishableKey, getCookieSuffix, getSuffixedCookieName, } from '@clerk/shared/keys'; +export { deprecated, deprecatedProperty } from '@clerk/shared/deprecated'; +export declare const errorThrower: import("@clerk/shared/error").ErrorThrower; +export declare const isDevOrStagingUrl: (url: string | URL) => boolean; +//# sourceMappingURL=shared.d.ts.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/dist/util/shared.d.ts.map b/backend/node_modules/@clerk/backend/dist/util/shared.d.ts.map new file mode 100644 index 000000000..02d9d1bd3 --- /dev/null +++ b/backend/node_modules/@clerk/backend/dist/util/shared.d.ts.map @@ -0,0 +1 @@ +{"version":3,"file":"shared.d.ts","sourceRoot":"","sources":["../../src/util/shared.ts"],"names":[],"mappings":"AAAA,OAAO,EAAE,cAAc,EAAE,YAAY,EAAE,2BAA2B,EAAE,MAAM,mBAAmB,CAAC;AAC9F,OAAO,EAAE,KAAK,EAAE,MAAM,qBAAqB,CAAC;AAC5C,OAAO,EACL,0BAA0B,EAC1B,yBAAyB,EACzB,mBAAmB,EACnB,eAAe,EACf,qBAAqB,GACtB,MAAM,oBAAoB,CAAC;AAC5B,OAAO,EAAE,UAAU,EAAE,kBAAkB,EAAE,MAAM,0BAA0B,CAAC;AAK1E,eAAO,MAAM,YAAY,4CAAuD,CAAC;AAEjF,eAAO,MAAQ,iBAAiB,gCAAiC,CAAC"} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/errors/package.json b/backend/node_modules/@clerk/backend/errors/package.json new file mode 100644 index 000000000..61ac22953 --- /dev/null +++ b/backend/node_modules/@clerk/backend/errors/package.json @@ -0,0 +1,5 @@ +{ + "main": "../dist/errors.js", + "module": "../dist/errors.mjs", + "types": "../dist/errors.d.ts" +} diff --git a/backend/node_modules/@clerk/backend/internal/package.json b/backend/node_modules/@clerk/backend/internal/package.json new file mode 100644 index 000000000..9dacb15eb --- /dev/null +++ b/backend/node_modules/@clerk/backend/internal/package.json @@ -0,0 +1,5 @@ +{ + "main": "../dist/internal.js", + "module": "../dist/internal.mjs", + "types": "../dist/internal.d.ts" +} diff --git a/backend/node_modules/@clerk/backend/jwt/package.json b/backend/node_modules/@clerk/backend/jwt/package.json new file mode 100644 index 000000000..1375b2569 --- /dev/null +++ b/backend/node_modules/@clerk/backend/jwt/package.json @@ -0,0 +1,5 @@ +{ + "main": "../dist/jwt/index.js", + "module": "../dist/jwt/index.mjs", + "types": "../dist/jwt/index.d.ts" +} diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/LICENSE b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/LICENSE new file mode 100644 index 000000000..012593b8e --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/LICENSE @@ -0,0 +1,21 @@ +MIT License + +Copyright (c) 2022 Clerk Inc + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/README.md b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/README.md new file mode 100644 index 000000000..e0dddaca1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/README.md @@ -0,0 +1,3 @@ +# @clerk/shared + +Utilities used in `@clerk` packages diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/apiUrlFromPublishableKey/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/apiUrlFromPublishableKey/package.json new file mode 100644 index 000000000..6e2ad888f --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/apiUrlFromPublishableKey/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/apiUrlFromPublishableKey.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/authorization-errors/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/authorization-errors/package.json new file mode 100644 index 000000000..bc0eeab70 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/authorization-errors/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/authorization-errors.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/authorization/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/authorization/package.json new file mode 100644 index 000000000..61b032c3d --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/authorization/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/authorization.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/browser/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/browser/package.json new file mode 100644 index 000000000..a4f008259 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/browser/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/browser.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/color/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/color/package.json new file mode 100644 index 000000000..b01f6fa07 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/color/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/color.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/constants/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/constants/package.json new file mode 100644 index 000000000..2a9a6f626 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/constants/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/constants.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/cookie/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/cookie/package.json new file mode 100644 index 000000000..02d21fbb5 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/cookie/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/cookie.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/date/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/date/package.json new file mode 100644 index 000000000..b20939750 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/date/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/date.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/deprecated/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/deprecated/package.json new file mode 100644 index 000000000..362eda88c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/deprecated/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/deprecated.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/deriveState/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/deriveState/package.json new file mode 100644 index 000000000..f627cc01f --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/deriveState/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/deriveState.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/devBrowser/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/devBrowser/package.json new file mode 100644 index 000000000..3f22aea55 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/devBrowser/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/devBrowser.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.d.mts new file mode 100644 index 000000000..2d50f9625 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.d.mts @@ -0,0 +1,3 @@ +declare const apiUrlFromPublishableKey: (publishableKey: string) => "https://api.clerk.com" | "https://api.lclclerk.com" | "https://api.clerkstage.dev"; + +export { apiUrlFromPublishableKey }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.d.ts new file mode 100644 index 000000000..2d50f9625 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.d.ts @@ -0,0 +1,3 @@ +declare const apiUrlFromPublishableKey: (publishableKey: string) => "https://api.clerk.com" | "https://api.lclclerk.com" | "https://api.clerkstage.dev"; + +export { apiUrlFromPublishableKey }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.js new file mode 100644 index 000000000..3c6db5be1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.js @@ -0,0 +1,102 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/apiUrlFromPublishableKey.ts +var apiUrlFromPublishableKey_exports = {}; +__export(apiUrlFromPublishableKey_exports, { + apiUrlFromPublishableKey: () => apiUrlFromPublishableKey +}); +module.exports = __toCommonJS(apiUrlFromPublishableKey_exports); + +// src/constants.ts +var LEGACY_DEV_INSTANCE_SUFFIXES = [".lcl.dev", ".lclstage.dev", ".lclclerk.com"]; +var LOCAL_ENV_SUFFIXES = [".lcl.dev", "lclstage.dev", ".lclclerk.com", ".accounts.lclclerk.com"]; +var STAGING_ENV_SUFFIXES = [".accountsstage.dev"]; +var LOCAL_API_URL = "https://api.lclclerk.com"; +var STAGING_API_URL = "https://api.clerkstage.dev"; +var PROD_API_URL = "https://api.clerk.com"; + +// src/isomorphicAtob.ts +var isomorphicAtob = (data) => { + if (typeof atob !== "undefined" && typeof atob === "function") { + return atob(data); + } else if (typeof global !== "undefined" && global.Buffer) { + return new global.Buffer(data, "base64").toString(); + } + return data; +}; + +// src/keys.ts +var PUBLISHABLE_KEY_LIVE_PREFIX = "pk_live_"; +var PUBLISHABLE_KEY_TEST_PREFIX = "pk_test_"; +function parsePublishableKey(key, options = {}) { + key = key || ""; + if (!key || !isPublishableKey(key)) { + if (options.fatal && !key) { + throw new Error( + "Publishable key is missing. Ensure that your publishable key is correctly configured. Double-check your environment configuration for your keys, or access them here: https://dashboard.clerk.com/last-active?path=api-keys" + ); + } + if (options.fatal && !isPublishableKey(key)) { + throw new Error("Publishable key not valid."); + } + return null; + } + const instanceType = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) ? "production" : "development"; + let frontendApi = isomorphicAtob(key.split("_")[2]); + frontendApi = frontendApi.slice(0, -1); + if (options.proxyUrl) { + frontendApi = options.proxyUrl; + } else if (instanceType !== "development" && options.domain) { + frontendApi = `clerk.${options.domain}`; + } + return { + instanceType, + frontendApi + }; +} +function isPublishableKey(key = "") { + try { + const hasValidPrefix = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) || key.startsWith(PUBLISHABLE_KEY_TEST_PREFIX); + const hasValidFrontendApiPostfix = isomorphicAtob(key.split("_")[2] || "").endsWith("$"); + return hasValidPrefix && hasValidFrontendApiPostfix; + } catch { + return false; + } +} + +// src/apiUrlFromPublishableKey.ts +var apiUrlFromPublishableKey = (publishableKey) => { + const frontendApi = parsePublishableKey(publishableKey)?.frontendApi; + if (frontendApi?.startsWith("clerk.") && LEGACY_DEV_INSTANCE_SUFFIXES.some((suffix) => frontendApi?.endsWith(suffix))) { + return PROD_API_URL; + } + if (LOCAL_ENV_SUFFIXES.some((suffix) => frontendApi?.endsWith(suffix))) { + return LOCAL_API_URL; + } + if (STAGING_ENV_SUFFIXES.some((suffix) => frontendApi?.endsWith(suffix))) { + return STAGING_API_URL; + } + return PROD_API_URL; +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + apiUrlFromPublishableKey +}); +//# sourceMappingURL=apiUrlFromPublishableKey.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.js.map new file mode 100644 index 000000000..705deae43 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/apiUrlFromPublishableKey.ts","../src/constants.ts","../src/isomorphicAtob.ts","../src/keys.ts"],"sourcesContent":["import {\n LEGACY_DEV_INSTANCE_SUFFIXES,\n LOCAL_API_URL,\n LOCAL_ENV_SUFFIXES,\n PROD_API_URL,\n STAGING_API_URL,\n STAGING_ENV_SUFFIXES,\n} from './constants';\nimport { parsePublishableKey } from './keys';\n\nexport const apiUrlFromPublishableKey = (publishableKey: string) => {\n const frontendApi = parsePublishableKey(publishableKey)?.frontendApi;\n\n if (frontendApi?.startsWith('clerk.') && LEGACY_DEV_INSTANCE_SUFFIXES.some(suffix => frontendApi?.endsWith(suffix))) {\n return PROD_API_URL;\n }\n\n if (LOCAL_ENV_SUFFIXES.some(suffix => frontendApi?.endsWith(suffix))) {\n return LOCAL_API_URL;\n }\n if (STAGING_ENV_SUFFIXES.some(suffix => frontendApi?.endsWith(suffix))) {\n return STAGING_API_URL;\n }\n return PROD_API_URL;\n};\n","export const LEGACY_DEV_INSTANCE_SUFFIXES = ['.lcl.dev', '.lclstage.dev', '.lclclerk.com'];\nexport const CURRENT_DEV_INSTANCE_SUFFIXES = ['.accounts.dev', '.accountsstage.dev', '.accounts.lclclerk.com'];\nexport const DEV_OR_STAGING_SUFFIXES = [\n '.lcl.dev',\n '.stg.dev',\n '.lclstage.dev',\n '.stgstage.dev',\n '.dev.lclclerk.com',\n '.stg.lclclerk.com',\n '.accounts.lclclerk.com',\n 'accountsstage.dev',\n 'accounts.dev',\n];\nexport const LOCAL_ENV_SUFFIXES = ['.lcl.dev', 'lclstage.dev', '.lclclerk.com', '.accounts.lclclerk.com'];\nexport const STAGING_ENV_SUFFIXES = ['.accountsstage.dev'];\nexport const LOCAL_API_URL = 'https://api.lclclerk.com';\nexport const STAGING_API_URL = 'https://api.clerkstage.dev';\nexport const PROD_API_URL = 'https://api.clerk.com';\n\n/**\n * Returns the URL for a static image\n * using the new img.clerk.com service\n */\nexport function iconImageUrl(id: string, format: 'svg' | 'jpeg' = 'svg'): string {\n return `https://img.clerk.com/static/${id}.${format}`;\n}\n","/**\n * A function that decodes a string of data which has been encoded using base-64 encoding.\n * Uses `atob` if available, otherwise uses `Buffer` from `global`. If neither are available, returns the data as-is.\n */\nexport const isomorphicAtob = (data: string) => {\n if (typeof atob !== 'undefined' && typeof atob === 'function') {\n return atob(data);\n } else if (typeof global !== 'undefined' && global.Buffer) {\n return new global.Buffer(data, 'base64').toString();\n }\n return data;\n};\n","import type { PublishableKey } from '@clerk/types';\n\nimport { DEV_OR_STAGING_SUFFIXES, LEGACY_DEV_INSTANCE_SUFFIXES } from './constants';\nimport { isomorphicAtob } from './isomorphicAtob';\nimport { isomorphicBtoa } from './isomorphicBtoa';\n\ntype ParsePublishableKeyOptions = {\n fatal?: boolean;\n domain?: string;\n proxyUrl?: string;\n};\n\nconst PUBLISHABLE_KEY_LIVE_PREFIX = 'pk_live_';\nconst PUBLISHABLE_KEY_TEST_PREFIX = 'pk_test_';\n\n// This regex matches the publishable like frontend API keys (e.g. foo-bar-13.clerk.accounts.dev)\nconst PUBLISHABLE_FRONTEND_API_DEV_REGEX = /^(([a-z]+)-){2}([0-9]{1,2})\\.clerk\\.accounts([a-z.]*)(dev|com)$/i;\n\nexport function buildPublishableKey(frontendApi: string): string {\n const isDevKey =\n PUBLISHABLE_FRONTEND_API_DEV_REGEX.test(frontendApi) ||\n (frontendApi.startsWith('clerk.') && LEGACY_DEV_INSTANCE_SUFFIXES.some(s => frontendApi.endsWith(s)));\n const keyPrefix = isDevKey ? PUBLISHABLE_KEY_TEST_PREFIX : PUBLISHABLE_KEY_LIVE_PREFIX;\n return `${keyPrefix}${isomorphicBtoa(`${frontendApi}$`)}`;\n}\n\nexport function parsePublishableKey(\n key: string | undefined,\n options: ParsePublishableKeyOptions & { fatal: true },\n): PublishableKey;\nexport function parsePublishableKey(\n key: string | undefined,\n options?: ParsePublishableKeyOptions,\n): PublishableKey | null;\nexport function parsePublishableKey(\n key: string | undefined,\n options: { fatal?: boolean; domain?: string; proxyUrl?: string } = {},\n): PublishableKey | null {\n key = key || '';\n\n if (!key || !isPublishableKey(key)) {\n if (options.fatal && !key) {\n throw new Error(\n 'Publishable key is missing. Ensure that your publishable key is correctly configured. Double-check your environment configuration for your keys, or access them here: https://dashboard.clerk.com/last-active?path=api-keys',\n );\n }\n if (options.fatal && !isPublishableKey(key)) {\n throw new Error('Publishable key not valid.');\n }\n return null;\n }\n\n const instanceType = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) ? 'production' : 'development';\n\n let frontendApi = isomorphicAtob(key.split('_')[2]);\n\n // TODO(@dimkl): validate packages/clerk-js/src/utils/instance.ts\n frontendApi = frontendApi.slice(0, -1);\n\n if (options.proxyUrl) {\n frontendApi = options.proxyUrl;\n } else if (instanceType !== 'development' && options.domain) {\n frontendApi = `clerk.${options.domain}`;\n }\n\n return {\n instanceType,\n frontendApi,\n };\n}\n\n/**\n * Checks if the provided key is a valid publishable key.\n *\n * @param key - The key to be checked. Defaults to an empty string if not provided.\n * @returns `true` if 'key' is a valid publishable key, `false` otherwise.\n */\nexport function isPublishableKey(key: string = '') {\n try {\n const hasValidPrefix = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) || key.startsWith(PUBLISHABLE_KEY_TEST_PREFIX);\n\n const hasValidFrontendApiPostfix = isomorphicAtob(key.split('_')[2] || '').endsWith('$');\n\n return hasValidPrefix && hasValidFrontendApiPostfix;\n } catch {\n return false;\n }\n}\n\nexport function createDevOrStagingUrlCache() {\n const devOrStagingUrlCache = new Map();\n\n return {\n isDevOrStagingUrl: (url: string | URL): boolean => {\n if (!url) {\n return false;\n }\n\n const hostname = typeof url === 'string' ? url : url.hostname;\n let res = devOrStagingUrlCache.get(hostname);\n if (res === undefined) {\n res = DEV_OR_STAGING_SUFFIXES.some(s => hostname.endsWith(s));\n devOrStagingUrlCache.set(hostname, res);\n }\n return res;\n },\n };\n}\n\nexport function isDevelopmentFromPublishableKey(apiKey: string): boolean {\n return apiKey.startsWith('test_') || apiKey.startsWith('pk_test_');\n}\n\nexport function isProductionFromPublishableKey(apiKey: string): boolean {\n return apiKey.startsWith('live_') || apiKey.startsWith('pk_live_');\n}\n\nexport function isDevelopmentFromSecretKey(apiKey: string): boolean {\n return apiKey.startsWith('test_') || apiKey.startsWith('sk_test_');\n}\n\nexport function isProductionFromSecretKey(apiKey: string): boolean {\n return apiKey.startsWith('live_') || apiKey.startsWith('sk_live_');\n}\n\nexport async function getCookieSuffix(\n publishableKey: string,\n subtle: SubtleCrypto = globalThis.crypto.subtle,\n): Promise {\n const data = new TextEncoder().encode(publishableKey);\n const digest = await subtle.digest('sha-1', data);\n const stringDigest = String.fromCharCode(...new Uint8Array(digest));\n // Base 64 Encoding with URL and Filename Safe Alphabet: https://datatracker.ietf.org/doc/html/rfc4648#section-5\n return isomorphicBtoa(stringDigest).replace(/\\+/gi, '-').replace(/\\//gi, '_').substring(0, 8);\n}\n\nexport const getSuffixedCookieName = (cookieName: string, cookieSuffix: string): string => {\n return `${cookieName}_${cookieSuffix}`;\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACAO,IAAM,+BAA+B,CAAC,YAAY,iBAAiB,eAAe;AAalF,IAAM,qBAAqB,CAAC,YAAY,gBAAgB,iBAAiB,wBAAwB;AACjG,IAAM,uBAAuB,CAAC,oBAAoB;AAClD,IAAM,gBAAgB;AACtB,IAAM,kBAAkB;AACxB,IAAM,eAAe;;;ACbrB,IAAM,iBAAiB,CAAC,SAAiB;AAC9C,MAAI,OAAO,SAAS,eAAe,OAAO,SAAS,YAAY;AAC7D,WAAO,KAAK,IAAI;AAAA,EAClB,WAAW,OAAO,WAAW,eAAe,OAAO,QAAQ;AACzD,WAAO,IAAI,OAAO,OAAO,MAAM,QAAQ,EAAE,SAAS;AAAA,EACpD;AACA,SAAO;AACT;;;ACCA,IAAM,8BAA8B;AACpC,IAAM,8BAA8B;AAqB7B,SAAS,oBACd,KACA,UAAmE,CAAC,GAC7C;AACvB,QAAM,OAAO;AAEb,MAAI,CAAC,OAAO,CAAC,iBAAiB,GAAG,GAAG;AAClC,QAAI,QAAQ,SAAS,CAAC,KAAK;AACzB,YAAM,IAAI;AAAA,QACR;AAAA,MACF;AAAA,IACF;AACA,QAAI,QAAQ,SAAS,CAAC,iBAAiB,GAAG,GAAG;AAC3C,YAAM,IAAI,MAAM,4BAA4B;AAAA,IAC9C;AACA,WAAO;AAAA,EACT;AAEA,QAAM,eAAe,IAAI,WAAW,2BAA2B,IAAI,eAAe;AAElF,MAAI,cAAc,eAAe,IAAI,MAAM,GAAG,EAAE,CAAC,CAAC;AAGlD,gBAAc,YAAY,MAAM,GAAG,EAAE;AAErC,MAAI,QAAQ,UAAU;AACpB,kBAAc,QAAQ;AAAA,EACxB,WAAW,iBAAiB,iBAAiB,QAAQ,QAAQ;AAC3D,kBAAc,SAAS,QAAQ,MAAM;AAAA,EACvC;AAEA,SAAO;AAAA,IACL;AAAA,IACA;AAAA,EACF;AACF;AAQO,SAAS,iBAAiB,MAAc,IAAI;AACjD,MAAI;AACF,UAAM,iBAAiB,IAAI,WAAW,2BAA2B,KAAK,IAAI,WAAW,2BAA2B;AAEhH,UAAM,6BAA6B,eAAe,IAAI,MAAM,GAAG,EAAE,CAAC,KAAK,EAAE,EAAE,SAAS,GAAG;AAEvF,WAAO,kBAAkB;AAAA,EAC3B,QAAQ;AACN,WAAO;AAAA,EACT;AACF;;;AH7EO,IAAM,2BAA2B,CAAC,mBAA2B;AAClE,QAAM,cAAc,oBAAoB,cAAc,GAAG;AAEzD,MAAI,aAAa,WAAW,QAAQ,KAAK,6BAA6B,KAAK,YAAU,aAAa,SAAS,MAAM,CAAC,GAAG;AACnH,WAAO;AAAA,EACT;AAEA,MAAI,mBAAmB,KAAK,YAAU,aAAa,SAAS,MAAM,CAAC,GAAG;AACpE,WAAO;AAAA,EACT;AACA,MAAI,qBAAqB,KAAK,YAAU,aAAa,SAAS,MAAM,CAAC,GAAG;AACtE,WAAO;AAAA,EACT;AACA,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.mjs new file mode 100644 index 000000000..31d6acfad --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.mjs @@ -0,0 +1,12 @@ +import { + apiUrlFromPublishableKey +} from "./chunk-NNO3XJ5E.mjs"; +import "./chunk-G3VP5PJE.mjs"; +import "./chunk-TETGTEI2.mjs"; +import "./chunk-KOH7GTJO.mjs"; +import "./chunk-I6MTSTOF.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + apiUrlFromPublishableKey +}; +//# sourceMappingURL=apiUrlFromPublishableKey.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/apiUrlFromPublishableKey.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.d.mts new file mode 100644 index 000000000..f7c56ffb7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.d.mts @@ -0,0 +1,23 @@ +import { ReverificationConfig } from '@clerk/types'; + +type ClerkError = { + clerk_error: T; +}; +declare const REVERIFICATION_REASON = "reverification-error"; +type ReverificationError = ClerkError<{ + type: 'forbidden'; + reason: typeof REVERIFICATION_REASON; +} & M>; +declare const reverificationError: (missingConfig?: MC) => ReverificationError<{ + metadata?: { + reverification?: MC; + }; +}>; +declare const reverificationErrorResponse: (missingConfig?: ReverificationConfig | undefined) => Response; +declare const isReverificationHint: (result: any) => result is ReturnType; + +export { isReverificationHint, reverificationError, reverificationErrorResponse }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.d.ts new file mode 100644 index 000000000..f7c56ffb7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.d.ts @@ -0,0 +1,23 @@ +import { ReverificationConfig } from '@clerk/types'; + +type ClerkError = { + clerk_error: T; +}; +declare const REVERIFICATION_REASON = "reverification-error"; +type ReverificationError = ClerkError<{ + type: 'forbidden'; + reason: typeof REVERIFICATION_REASON; +} & M>; +declare const reverificationError: (missingConfig?: MC) => ReverificationError<{ + metadata?: { + reverification?: MC; + }; +}>; +declare const reverificationErrorResponse: (missingConfig?: ReverificationConfig | undefined) => Response; +declare const isReverificationHint: (result: any) => result is ReturnType; + +export { isReverificationHint, reverificationError, reverificationErrorResponse }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.js new file mode 100644 index 000000000..a8373baf9 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.js @@ -0,0 +1,50 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/authorization-errors.ts +var authorization_errors_exports = {}; +__export(authorization_errors_exports, { + isReverificationHint: () => isReverificationHint, + reverificationError: () => reverificationError, + reverificationErrorResponse: () => reverificationErrorResponse +}); +module.exports = __toCommonJS(authorization_errors_exports); +var REVERIFICATION_REASON = "reverification-error"; +var reverificationError = (missingConfig) => ({ + clerk_error: { + type: "forbidden", + reason: REVERIFICATION_REASON, + metadata: { + reverification: missingConfig + } + } +}); +var reverificationErrorResponse = (...args) => new Response(JSON.stringify(reverificationError(...args)), { + status: 403 +}); +var isReverificationHint = (result) => { + return result && typeof result === "object" && "clerk_error" in result && result.clerk_error?.type === "forbidden" && result.clerk_error?.reason === REVERIFICATION_REASON; +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + isReverificationHint, + reverificationError, + reverificationErrorResponse +}); +//# sourceMappingURL=authorization-errors.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.js.map new file mode 100644 index 000000000..03293f295 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/authorization-errors.ts"],"sourcesContent":["import type { ReverificationConfig } from '@clerk/types';\n\ntype ClerkError = {\n clerk_error: T;\n};\n\nconst REVERIFICATION_REASON = 'reverification-error';\n\ntype ReverificationError = ClerkError<\n {\n type: 'forbidden';\n reason: typeof REVERIFICATION_REASON;\n } & M\n>;\n\nconst reverificationError = (\n missingConfig?: MC,\n): ReverificationError<{\n metadata?: {\n reverification?: MC;\n };\n}> => ({\n clerk_error: {\n type: 'forbidden',\n reason: REVERIFICATION_REASON,\n metadata: {\n reverification: missingConfig,\n },\n },\n});\n\nconst reverificationErrorResponse = (...args: Parameters) =>\n new Response(JSON.stringify(reverificationError(...args)), {\n status: 403,\n });\n\nconst isReverificationHint = (result: any): result is ReturnType => {\n return (\n result &&\n typeof result === 'object' &&\n 'clerk_error' in result &&\n result.clerk_error?.type === 'forbidden' &&\n result.clerk_error?.reason === REVERIFICATION_REASON\n );\n};\n\nexport { reverificationError, reverificationErrorResponse, isReverificationHint };\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAMA,IAAM,wBAAwB;AAS9B,IAAM,sBAAsB,CAC1B,mBAKK;AAAA,EACL,aAAa;AAAA,IACX,MAAM;AAAA,IACN,QAAQ;AAAA,IACR,UAAU;AAAA,MACR,gBAAgB;AAAA,IAClB;AAAA,EACF;AACF;AAEA,IAAM,8BAA8B,IAAI,SACtC,IAAI,SAAS,KAAK,UAAU,oBAAoB,GAAG,IAAI,CAAC,GAAG;AAAA,EACzD,QAAQ;AACV,CAAC;AAEH,IAAM,uBAAuB,CAAC,WAAkE;AAC9F,SACE,UACA,OAAO,WAAW,YAClB,iBAAiB,UACjB,OAAO,aAAa,SAAS,eAC7B,OAAO,aAAa,WAAW;AAEnC;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.mjs new file mode 100644 index 000000000..2772ffcf5 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.mjs @@ -0,0 +1,12 @@ +import { + isReverificationHint, + reverificationError, + reverificationErrorResponse +} from "./chunk-43A5F2IE.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + isReverificationHint, + reverificationError, + reverificationErrorResponse +}; +//# sourceMappingURL=authorization-errors.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization-errors.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.d.mts new file mode 100644 index 000000000..1e1be442b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.d.mts @@ -0,0 +1,23 @@ +import * as _clerk_types from '@clerk/types'; +import { ReverificationConfig, SessionVerificationLevel, CheckAuthorizationWithCustomPermissions } from '@clerk/types'; + +type AuthorizationOptions = { + userId: string | null | undefined; + orgId: string | null | undefined; + orgRole: string | null | undefined; + orgPermissions: string[] | null | undefined; + factorVerificationAge: [number, number] | null; +}; +declare const validateReverificationConfig: (config: ReverificationConfig | undefined | null) => false | (() => { + level: SessionVerificationLevel; + afterMinutes: _clerk_types.SessionVerificationAfterMinutes; +}); +/** + * Creates a function for comprehensive user authorization checks. + * Combines organization-level and step-up authentication checks. + * The returned function authorizes if both checks pass, or if at least one passes + * when the other is indeterminate. Fails if userId is missing. + */ +declare const createCheckAuthorization: (options: AuthorizationOptions) => CheckAuthorizationWithCustomPermissions; + +export { createCheckAuthorization, validateReverificationConfig }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.d.ts new file mode 100644 index 000000000..1e1be442b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.d.ts @@ -0,0 +1,23 @@ +import * as _clerk_types from '@clerk/types'; +import { ReverificationConfig, SessionVerificationLevel, CheckAuthorizationWithCustomPermissions } from '@clerk/types'; + +type AuthorizationOptions = { + userId: string | null | undefined; + orgId: string | null | undefined; + orgRole: string | null | undefined; + orgPermissions: string[] | null | undefined; + factorVerificationAge: [number, number] | null; +}; +declare const validateReverificationConfig: (config: ReverificationConfig | undefined | null) => false | (() => { + level: SessionVerificationLevel; + afterMinutes: _clerk_types.SessionVerificationAfterMinutes; +}); +/** + * Creates a function for comprehensive user authorization checks. + * Combines organization-level and step-up authentication checks. + * The returned function authorizes if both checks pass, or if at least one passes + * when the other is indeterminate. Fails if userId is missing. + */ +declare const createCheckAuthorization: (options: AuthorizationOptions) => CheckAuthorizationWithCustomPermissions; + +export { createCheckAuthorization, validateReverificationConfig }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.js new file mode 100644 index 000000000..f71293ae7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.js @@ -0,0 +1,122 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/authorization.ts +var authorization_exports = {}; +__export(authorization_exports, { + createCheckAuthorization: () => createCheckAuthorization, + validateReverificationConfig: () => validateReverificationConfig +}); +module.exports = __toCommonJS(authorization_exports); +var TYPES_TO_OBJECTS = { + strict_mfa: { + afterMinutes: 10, + level: "multi_factor" + }, + strict: { + afterMinutes: 10, + level: "second_factor" + }, + moderate: { + afterMinutes: 60, + level: "second_factor" + }, + lax: { + afterMinutes: 1440, + level: "second_factor" + } +}; +var ALLOWED_LEVELS = /* @__PURE__ */ new Set(["first_factor", "second_factor", "multi_factor"]); +var ALLOWED_TYPES = /* @__PURE__ */ new Set(["strict_mfa", "strict", "moderate", "lax"]); +var isValidMaxAge = (maxAge) => typeof maxAge === "number" && maxAge > 0; +var isValidLevel = (level) => ALLOWED_LEVELS.has(level); +var isValidVerificationType = (type) => ALLOWED_TYPES.has(type); +var checkOrgAuthorization = (params, options) => { + const { orgId, orgRole, orgPermissions } = options; + if (!params.role && !params.permission) { + return null; + } + if (!orgId || !orgRole || !orgPermissions) { + return null; + } + if (params.permission) { + return orgPermissions.includes(params.permission); + } + if (params.role) { + return orgRole === params.role; + } + return null; +}; +var validateReverificationConfig = (config) => { + if (!config) { + return false; + } + const convertConfigToObject = (config2) => { + if (typeof config2 === "string") { + return TYPES_TO_OBJECTS[config2]; + } + return config2; + }; + const isValidStringValue = typeof config === "string" && isValidVerificationType(config); + const isValidObjectValue = typeof config === "object" && isValidLevel(config.level) && isValidMaxAge(config.afterMinutes); + if (isValidStringValue || isValidObjectValue) { + return convertConfigToObject.bind(null, config); + } + return false; +}; +var checkStepUpAuthorization = (params, { factorVerificationAge }) => { + if (!params.reverification || !factorVerificationAge) { + return null; + } + const isValidReverification = validateReverificationConfig(params.reverification); + if (!isValidReverification) { + return null; + } + const { level, afterMinutes } = isValidReverification(); + const [factor1Age, factor2Age] = factorVerificationAge; + const isValidFactor1 = factor1Age !== -1 ? afterMinutes > factor1Age : null; + const isValidFactor2 = factor2Age !== -1 ? afterMinutes > factor2Age : null; + switch (level) { + case "first_factor": + return isValidFactor1; + case "second_factor": + return factor2Age !== -1 ? isValidFactor2 : isValidFactor1; + case "multi_factor": + return factor2Age === -1 ? isValidFactor1 : isValidFactor1 && isValidFactor2; + } +}; +var createCheckAuthorization = (options) => { + return (params) => { + if (!options.userId) { + return false; + } + const orgAuthorization = checkOrgAuthorization(params, options); + const stepUpAuthorization = checkStepUpAuthorization(params, options); + if ([orgAuthorization, stepUpAuthorization].some((a) => a === null)) { + return [orgAuthorization, stepUpAuthorization].some((a) => a === true); + } + return [orgAuthorization, stepUpAuthorization].every((a) => a === true); + }; +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + createCheckAuthorization, + validateReverificationConfig +}); +//# sourceMappingURL=authorization.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.js.map new file mode 100644 index 000000000..c6545c756 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/authorization.ts"],"sourcesContent":["import type {\n CheckAuthorizationWithCustomPermissions,\n OrganizationCustomPermissionKey,\n OrganizationCustomRoleKey,\n ReverificationConfig,\n SessionVerificationLevel,\n SessionVerificationTypes,\n} from '@clerk/types';\n\ntype TypesToConfig = Record>;\ntype AuthorizationOptions = {\n userId: string | null | undefined;\n orgId: string | null | undefined;\n orgRole: string | null | undefined;\n orgPermissions: string[] | null | undefined;\n factorVerificationAge: [number, number] | null;\n};\n\ntype CheckOrgAuthorization = (\n params: { role?: OrganizationCustomRoleKey; permission?: OrganizationCustomPermissionKey },\n { orgId, orgRole, orgPermissions }: AuthorizationOptions,\n) => boolean | null;\n\ntype CheckStepUpAuthorization = (\n params: {\n reverification?: ReverificationConfig;\n },\n { factorVerificationAge }: AuthorizationOptions,\n) => boolean | null;\n\nconst TYPES_TO_OBJECTS: TypesToConfig = {\n strict_mfa: {\n afterMinutes: 10,\n level: 'multi_factor',\n },\n strict: {\n afterMinutes: 10,\n level: 'second_factor',\n },\n moderate: {\n afterMinutes: 60,\n level: 'second_factor',\n },\n lax: {\n afterMinutes: 1_440,\n level: 'second_factor',\n },\n};\n\nconst ALLOWED_LEVELS = new Set(['first_factor', 'second_factor', 'multi_factor']);\n\nconst ALLOWED_TYPES = new Set(['strict_mfa', 'strict', 'moderate', 'lax']);\n\n// Helper functions\nconst isValidMaxAge = (maxAge: any) => typeof maxAge === 'number' && maxAge > 0;\nconst isValidLevel = (level: any) => ALLOWED_LEVELS.has(level);\nconst isValidVerificationType = (type: any) => ALLOWED_TYPES.has(type);\n\n/**\n * Checks if a user has the required organization-level authorization.\n * Verifies if the user has the specified role or permission within their organization.\n * @returns null, if unable to determine due to missing data or unspecified role/permission.\n */\nconst checkOrgAuthorization: CheckOrgAuthorization = (params, options) => {\n const { orgId, orgRole, orgPermissions } = options;\n if (!params.role && !params.permission) {\n return null;\n }\n if (!orgId || !orgRole || !orgPermissions) {\n return null;\n }\n\n if (params.permission) {\n return orgPermissions.includes(params.permission);\n }\n if (params.role) {\n return orgRole === params.role;\n }\n return null;\n};\n\nconst validateReverificationConfig = (config: ReverificationConfig | undefined | null) => {\n if (!config) {\n return false;\n }\n\n const convertConfigToObject = (config: ReverificationConfig) => {\n if (typeof config === 'string') {\n return TYPES_TO_OBJECTS[config];\n }\n return config;\n };\n\n const isValidStringValue = typeof config === 'string' && isValidVerificationType(config);\n const isValidObjectValue =\n typeof config === 'object' && isValidLevel(config.level) && isValidMaxAge(config.afterMinutes);\n\n if (isValidStringValue || isValidObjectValue) {\n return convertConfigToObject.bind(null, config);\n }\n\n return false;\n};\n\n/**\n * Evaluates if the user meets step-up authentication requirements.\n * Compares the user's factor verification ages against the specified maxAge.\n * Handles different verification levels (first factor, second factor, multi-factor).\n * @returns null, if requirements or verification data are missing.\n */\nconst checkStepUpAuthorization: CheckStepUpAuthorization = (params, { factorVerificationAge }) => {\n if (!params.reverification || !factorVerificationAge) {\n return null;\n }\n\n const isValidReverification = validateReverificationConfig(params.reverification);\n if (!isValidReverification) {\n return null;\n }\n\n const { level, afterMinutes } = isValidReverification();\n const [factor1Age, factor2Age] = factorVerificationAge;\n\n // -1 indicates the factor group (1fa,2fa) is not enabled\n // -1 for 1fa is not a valid scenario, but we need to make sure we handle it properly\n const isValidFactor1 = factor1Age !== -1 ? afterMinutes > factor1Age : null;\n const isValidFactor2 = factor2Age !== -1 ? afterMinutes > factor2Age : null;\n\n switch (level) {\n case 'first_factor':\n return isValidFactor1;\n case 'second_factor':\n return factor2Age !== -1 ? isValidFactor2 : isValidFactor1;\n case 'multi_factor':\n return factor2Age === -1 ? isValidFactor1 : isValidFactor1 && isValidFactor2;\n }\n};\n\n/**\n * Creates a function for comprehensive user authorization checks.\n * Combines organization-level and step-up authentication checks.\n * The returned function authorizes if both checks pass, or if at least one passes\n * when the other is indeterminate. Fails if userId is missing.\n */\nconst createCheckAuthorization = (options: AuthorizationOptions): CheckAuthorizationWithCustomPermissions => {\n return (params): boolean => {\n if (!options.userId) {\n return false;\n }\n\n const orgAuthorization = checkOrgAuthorization(params, options);\n const stepUpAuthorization = checkStepUpAuthorization(params, options);\n\n if ([orgAuthorization, stepUpAuthorization].some(a => a === null)) {\n return [orgAuthorization, stepUpAuthorization].some(a => a === true);\n }\n\n return [orgAuthorization, stepUpAuthorization].every(a => a === true);\n };\n};\n\nexport { createCheckAuthorization, validateReverificationConfig };\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AA8BA,IAAM,mBAAkC;AAAA,EACtC,YAAY;AAAA,IACV,cAAc;AAAA,IACd,OAAO;AAAA,EACT;AAAA,EACA,QAAQ;AAAA,IACN,cAAc;AAAA,IACd,OAAO;AAAA,EACT;AAAA,EACA,UAAU;AAAA,IACR,cAAc;AAAA,IACd,OAAO;AAAA,EACT;AAAA,EACA,KAAK;AAAA,IACH,cAAc;AAAA,IACd,OAAO;AAAA,EACT;AACF;AAEA,IAAM,iBAAiB,oBAAI,IAA8B,CAAC,gBAAgB,iBAAiB,cAAc,CAAC;AAE1G,IAAM,gBAAgB,oBAAI,IAA8B,CAAC,cAAc,UAAU,YAAY,KAAK,CAAC;AAGnG,IAAM,gBAAgB,CAAC,WAAgB,OAAO,WAAW,YAAY,SAAS;AAC9E,IAAM,eAAe,CAAC,UAAe,eAAe,IAAI,KAAK;AAC7D,IAAM,0BAA0B,CAAC,SAAc,cAAc,IAAI,IAAI;AAOrE,IAAM,wBAA+C,CAAC,QAAQ,YAAY;AACxE,QAAM,EAAE,OAAO,SAAS,eAAe,IAAI;AAC3C,MAAI,CAAC,OAAO,QAAQ,CAAC,OAAO,YAAY;AACtC,WAAO;AAAA,EACT;AACA,MAAI,CAAC,SAAS,CAAC,WAAW,CAAC,gBAAgB;AACzC,WAAO;AAAA,EACT;AAEA,MAAI,OAAO,YAAY;AACrB,WAAO,eAAe,SAAS,OAAO,UAAU;AAAA,EAClD;AACA,MAAI,OAAO,MAAM;AACf,WAAO,YAAY,OAAO;AAAA,EAC5B;AACA,SAAO;AACT;AAEA,IAAM,+BAA+B,CAAC,WAAoD;AACxF,MAAI,CAAC,QAAQ;AACX,WAAO;AAAA,EACT;AAEA,QAAM,wBAAwB,CAACA,YAAiC;AAC9D,QAAI,OAAOA,YAAW,UAAU;AAC9B,aAAO,iBAAiBA,OAAM;AAAA,IAChC;AACA,WAAOA;AAAA,EACT;AAEA,QAAM,qBAAqB,OAAO,WAAW,YAAY,wBAAwB,MAAM;AACvF,QAAM,qBACJ,OAAO,WAAW,YAAY,aAAa,OAAO,KAAK,KAAK,cAAc,OAAO,YAAY;AAE/F,MAAI,sBAAsB,oBAAoB;AAC5C,WAAO,sBAAsB,KAAK,MAAM,MAAM;AAAA,EAChD;AAEA,SAAO;AACT;AAQA,IAAM,2BAAqD,CAAC,QAAQ,EAAE,sBAAsB,MAAM;AAChG,MAAI,CAAC,OAAO,kBAAkB,CAAC,uBAAuB;AACpD,WAAO;AAAA,EACT;AAEA,QAAM,wBAAwB,6BAA6B,OAAO,cAAc;AAChF,MAAI,CAAC,uBAAuB;AAC1B,WAAO;AAAA,EACT;AAEA,QAAM,EAAE,OAAO,aAAa,IAAI,sBAAsB;AACtD,QAAM,CAAC,YAAY,UAAU,IAAI;AAIjC,QAAM,iBAAiB,eAAe,KAAK,eAAe,aAAa;AACvE,QAAM,iBAAiB,eAAe,KAAK,eAAe,aAAa;AAEvE,UAAQ,OAAO;AAAA,IACb,KAAK;AACH,aAAO;AAAA,IACT,KAAK;AACH,aAAO,eAAe,KAAK,iBAAiB;AAAA,IAC9C,KAAK;AACH,aAAO,eAAe,KAAK,iBAAiB,kBAAkB;AAAA,EAClE;AACF;AAQA,IAAM,2BAA2B,CAAC,YAA2E;AAC3G,SAAO,CAAC,WAAoB;AAC1B,QAAI,CAAC,QAAQ,QAAQ;AACnB,aAAO;AAAA,IACT;AAEA,UAAM,mBAAmB,sBAAsB,QAAQ,OAAO;AAC9D,UAAM,sBAAsB,yBAAyB,QAAQ,OAAO;AAEpE,QAAI,CAAC,kBAAkB,mBAAmB,EAAE,KAAK,OAAK,MAAM,IAAI,GAAG;AACjE,aAAO,CAAC,kBAAkB,mBAAmB,EAAE,KAAK,OAAK,MAAM,IAAI;AAAA,IACrE;AAEA,WAAO,CAAC,kBAAkB,mBAAmB,EAAE,MAAM,OAAK,MAAM,IAAI;AAAA,EACtE;AACF;","names":["config"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.mjs new file mode 100644 index 000000000..a2387d239 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.mjs @@ -0,0 +1,10 @@ +import { + createCheckAuthorization, + validateReverificationConfig +} from "./chunk-X3VKQCBG.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + createCheckAuthorization, + validateReverificationConfig +}; +//# sourceMappingURL=authorization.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/authorization.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.d.mts new file mode 100644 index 000000000..6b38a900c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.d.mts @@ -0,0 +1,28 @@ +/** + * Checks if the window object is defined. You can also use this to check if something is happening on the client side. + * @returns {boolean} + */ +declare function inBrowser(): boolean; +/** + * Checks if the user agent is a bot. + * @param userAgent - Any user agent string + * @returns {boolean} + */ +declare function userAgentIsRobot(userAgent: string): boolean; +/** + * Checks if the current environment is a browser and the user agent is not a bot. + * @returns {boolean} + */ +declare function isValidBrowser(): boolean; +/** + * Checks if the current environment is a browser and if the navigator is online. + * @returns {boolean} + */ +declare function isBrowserOnline(): boolean; +/** + * Runs `isBrowserOnline` and `isValidBrowser` to check if the current environment is a valid browser and if the navigator is online. + * @returns {boolean} + */ +declare function isValidBrowserOnline(): boolean; + +export { inBrowser, isBrowserOnline, isValidBrowser, isValidBrowserOnline, userAgentIsRobot }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.d.ts new file mode 100644 index 000000000..6b38a900c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.d.ts @@ -0,0 +1,28 @@ +/** + * Checks if the window object is defined. You can also use this to check if something is happening on the client side. + * @returns {boolean} + */ +declare function inBrowser(): boolean; +/** + * Checks if the user agent is a bot. + * @param userAgent - Any user agent string + * @returns {boolean} + */ +declare function userAgentIsRobot(userAgent: string): boolean; +/** + * Checks if the current environment is a browser and the user agent is not a bot. + * @returns {boolean} + */ +declare function isValidBrowser(): boolean; +/** + * Checks if the current environment is a browser and if the navigator is online. + * @returns {boolean} + */ +declare function isBrowserOnline(): boolean; +/** + * Runs `isBrowserOnline` and `isValidBrowser` to check if the current environment is a valid browser and if the navigator is online. + * @returns {boolean} + */ +declare function isValidBrowserOnline(): boolean; + +export { inBrowser, isBrowserOnline, isValidBrowser, isValidBrowserOnline, userAgentIsRobot }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.js new file mode 100644 index 000000000..b89d84c09 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.js @@ -0,0 +1,94 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/browser.ts +var browser_exports = {}; +__export(browser_exports, { + inBrowser: () => inBrowser, + isBrowserOnline: () => isBrowserOnline, + isValidBrowser: () => isValidBrowser, + isValidBrowserOnline: () => isValidBrowserOnline, + userAgentIsRobot: () => userAgentIsRobot +}); +module.exports = __toCommonJS(browser_exports); +function inBrowser() { + return typeof window !== "undefined"; +} +var botAgents = [ + "bot", + "spider", + "crawl", + "APIs-Google", + "AdsBot", + "Googlebot", + "mediapartners", + "Google Favicon", + "FeedFetcher", + "Google-Read-Aloud", + "DuplexWeb-Google", + "googleweblight", + "bing", + "yandex", + "baidu", + "duckduck", + "yahoo", + "ecosia", + "ia_archiver", + "facebook", + "instagram", + "pinterest", + "reddit", + "slack", + "twitter", + "whatsapp", + "youtube", + "semrush" +]; +var botAgentRegex = new RegExp(botAgents.join("|"), "i"); +function userAgentIsRobot(userAgent) { + return !userAgent ? false : botAgentRegex.test(userAgent); +} +function isValidBrowser() { + const navigator = inBrowser() ? window?.navigator : null; + if (!navigator) { + return false; + } + return !userAgentIsRobot(navigator?.userAgent) && !navigator?.webdriver; +} +function isBrowserOnline() { + const navigator = inBrowser() ? window?.navigator : null; + if (!navigator) { + return false; + } + const isNavigatorOnline = navigator?.onLine; + const isExperimentalConnectionOnline = navigator?.connection?.rtt !== 0 && navigator?.connection?.downlink !== 0; + return isExperimentalConnectionOnline && isNavigatorOnline; +} +function isValidBrowserOnline() { + return isBrowserOnline() && isValidBrowser(); +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + inBrowser, + isBrowserOnline, + isValidBrowser, + isValidBrowserOnline, + userAgentIsRobot +}); +//# sourceMappingURL=browser.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.js.map new file mode 100644 index 000000000..cf0ab52e6 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/browser.ts"],"sourcesContent":["/**\n * Checks if the window object is defined. You can also use this to check if something is happening on the client side.\n * @returns {boolean}\n */\nexport function inBrowser(): boolean {\n return typeof window !== 'undefined';\n}\n\nconst botAgents = [\n 'bot',\n 'spider',\n 'crawl',\n 'APIs-Google',\n 'AdsBot',\n 'Googlebot',\n 'mediapartners',\n 'Google Favicon',\n 'FeedFetcher',\n 'Google-Read-Aloud',\n 'DuplexWeb-Google',\n 'googleweblight',\n 'bing',\n 'yandex',\n 'baidu',\n 'duckduck',\n 'yahoo',\n 'ecosia',\n 'ia_archiver',\n 'facebook',\n 'instagram',\n 'pinterest',\n 'reddit',\n 'slack',\n 'twitter',\n 'whatsapp',\n 'youtube',\n 'semrush',\n];\nconst botAgentRegex = new RegExp(botAgents.join('|'), 'i');\n\n/**\n * Checks if the user agent is a bot.\n * @param userAgent - Any user agent string\n * @returns {boolean}\n */\nexport function userAgentIsRobot(userAgent: string): boolean {\n return !userAgent ? false : botAgentRegex.test(userAgent);\n}\n\n/**\n * Checks if the current environment is a browser and the user agent is not a bot.\n * @returns {boolean}\n */\nexport function isValidBrowser(): boolean {\n const navigator = inBrowser() ? window?.navigator : null;\n if (!navigator) {\n return false;\n }\n return !userAgentIsRobot(navigator?.userAgent) && !navigator?.webdriver;\n}\n\n/**\n * Checks if the current environment is a browser and if the navigator is online.\n * @returns {boolean}\n */\nexport function isBrowserOnline(): boolean {\n const navigator = inBrowser() ? window?.navigator : null;\n if (!navigator) {\n return false;\n }\n\n const isNavigatorOnline = navigator?.onLine;\n\n // Being extra safe with the experimental `connection` property, as it is not defined in all browsers\n // https://developer.mozilla.org/en-US/docs/Web/API/Navigator/connection#browser_compatibility\n // @ts-ignore\n const isExperimentalConnectionOnline = navigator?.connection?.rtt !== 0 && navigator?.connection?.downlink !== 0;\n return isExperimentalConnectionOnline && isNavigatorOnline;\n}\n\n/**\n * Runs `isBrowserOnline` and `isValidBrowser` to check if the current environment is a valid browser and if the navigator is online.\n * @returns {boolean}\n */\nexport function isValidBrowserOnline(): boolean {\n return isBrowserOnline() && isValidBrowser();\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAIO,SAAS,YAAqB;AACnC,SAAO,OAAO,WAAW;AAC3B;AAEA,IAAM,YAAY;AAAA,EAChB;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AACF;AACA,IAAM,gBAAgB,IAAI,OAAO,UAAU,KAAK,GAAG,GAAG,GAAG;AAOlD,SAAS,iBAAiB,WAA4B;AAC3D,SAAO,CAAC,YAAY,QAAQ,cAAc,KAAK,SAAS;AAC1D;AAMO,SAAS,iBAA0B;AACxC,QAAM,YAAY,UAAU,IAAI,QAAQ,YAAY;AACpD,MAAI,CAAC,WAAW;AACd,WAAO;AAAA,EACT;AACA,SAAO,CAAC,iBAAiB,WAAW,SAAS,KAAK,CAAC,WAAW;AAChE;AAMO,SAAS,kBAA2B;AACzC,QAAM,YAAY,UAAU,IAAI,QAAQ,YAAY;AACpD,MAAI,CAAC,WAAW;AACd,WAAO;AAAA,EACT;AAEA,QAAM,oBAAoB,WAAW;AAKrC,QAAM,iCAAiC,WAAW,YAAY,QAAQ,KAAK,WAAW,YAAY,aAAa;AAC/G,SAAO,kCAAkC;AAC3C;AAMO,SAAS,uBAAgC;AAC9C,SAAO,gBAAgB,KAAK,eAAe;AAC7C;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.mjs new file mode 100644 index 000000000..587fecea1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.mjs @@ -0,0 +1,16 @@ +import { + inBrowser, + isBrowserOnline, + isValidBrowser, + isValidBrowserOnline, + userAgentIsRobot +} from "./chunk-JKSAJ6AV.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + inBrowser, + isBrowserOnline, + isValidBrowser, + isValidBrowserOnline, + userAgentIsRobot +}; +//# sourceMappingURL=browser.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/browser.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-2ZNADCNC.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-2ZNADCNC.mjs new file mode 100644 index 000000000..640fa385a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-2ZNADCNC.mjs @@ -0,0 +1,18 @@ +import { + pathToRegexp +} from "./chunk-JJHTUJGL.mjs"; + +// src/pathMatcher.ts +var precomputePathRegex = (patterns) => { + return patterns.map((pattern) => pattern instanceof RegExp ? pattern : pathToRegexp(pattern)); +}; +var createPathMatcher = (patterns) => { + const routePatterns = [patterns || ""].flat().filter(Boolean); + const matchers = precomputePathRegex(routePatterns); + return (pathname) => matchers.some((matcher) => matcher.test(pathname)); +}; + +export { + createPathMatcher +}; +//# sourceMappingURL=chunk-2ZNADCNC.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-2ZNADCNC.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-2ZNADCNC.mjs.map new file mode 100644 index 000000000..f030e1408 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-2ZNADCNC.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/pathMatcher.ts"],"sourcesContent":["import type { Autocomplete } from '@clerk/types';\n\nimport { pathToRegexp } from './pathToRegexp';\n\nexport type WithPathPatternWildcard = `${T & string}(.*)`;\nexport type PathPattern = Autocomplete;\nexport type PathMatcherParam = Array | RegExp | PathPattern;\n\nconst precomputePathRegex = (patterns: Array) => {\n return patterns.map(pattern => (pattern instanceof RegExp ? pattern : pathToRegexp(pattern)));\n};\n\n/**\n * Creates a function that matches paths against a set of patterns.\n *\n * @param patterns - A string, RegExp, or array of patterns to match against\n * @returns A function that takes a pathname and returns true if it matches any of the patterns\n */\nexport const createPathMatcher = (patterns: PathMatcherParam) => {\n const routePatterns = [patterns || ''].flat().filter(Boolean);\n const matchers = precomputePathRegex(routePatterns);\n return (pathname: string) => matchers.some(matcher => matcher.test(pathname));\n};\n"],"mappings":";;;;;AAQA,IAAM,sBAAsB,CAAC,aAAqC;AAChE,SAAO,SAAS,IAAI,aAAY,mBAAmB,SAAS,UAAU,aAAa,OAAO,CAAE;AAC9F;AAQO,IAAM,oBAAoB,CAAC,aAA+B;AAC/D,QAAM,gBAAgB,CAAC,YAAY,EAAE,EAAE,KAAK,EAAE,OAAO,OAAO;AAC5D,QAAM,WAAW,oBAAoB,aAAa;AAClD,SAAO,CAAC,aAAqB,SAAS,KAAK,aAAW,QAAQ,KAAK,QAAQ,CAAC;AAC9E;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-3QKZJFQO.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-3QKZJFQO.mjs new file mode 100644 index 000000000..19603569d --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-3QKZJFQO.mjs @@ -0,0 +1,49 @@ +import { + isDevelopmentEnvironment +} from "./chunk-7HPDNZ3R.mjs"; + +// src/utils/logErrorInDevMode.ts +var logErrorInDevMode = (message) => { + if (isDevelopmentEnvironment()) { + console.error(`Clerk: ${message}`); + } +}; + +// src/utils/fastDeepMerge.ts +var fastDeepMergeAndReplace = (source, target) => { + if (!source || !target) { + return; + } + for (const key in source) { + if (Object.prototype.hasOwnProperty.call(source, key) && source[key] !== null && typeof source[key] === `object`) { + if (target[key] === void 0) { + target[key] = new (Object.getPrototypeOf(source[key])).constructor(); + } + fastDeepMergeAndReplace(source[key], target[key]); + } else if (Object.prototype.hasOwnProperty.call(source, key)) { + target[key] = source[key]; + } + } +}; +var fastDeepMergeAndKeep = (source, target) => { + if (!source || !target) { + return; + } + for (const key in source) { + if (Object.prototype.hasOwnProperty.call(source, key) && source[key] !== null && typeof source[key] === `object`) { + if (target[key] === void 0) { + target[key] = new (Object.getPrototypeOf(source[key])).constructor(); + } + fastDeepMergeAndKeep(source[key], target[key]); + } else if (Object.prototype.hasOwnProperty.call(source, key) && target[key] === void 0) { + target[key] = source[key]; + } + } +}; + +export { + logErrorInDevMode, + fastDeepMergeAndReplace, + fastDeepMergeAndKeep +}; +//# sourceMappingURL=chunk-3QKZJFQO.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-3QKZJFQO.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-3QKZJFQO.mjs.map new file mode 100644 index 000000000..8783046a4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-3QKZJFQO.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/utils/logErrorInDevMode.ts","../src/utils/fastDeepMerge.ts"],"sourcesContent":["import { isDevelopmentEnvironment } from './runtimeEnvironment';\n\nexport const logErrorInDevMode = (message: string) => {\n if (isDevelopmentEnvironment()) {\n console.error(`Clerk: ${message}`);\n }\n};\n","/**\n * Merges 2 objects without creating new object references\n * The merged props will appear on the `target` object\n * If `target` already has a value for a given key it will not be overwritten\n */\nexport const fastDeepMergeAndReplace = (\n source: Record | undefined | null,\n target: Record | undefined | null,\n) => {\n if (!source || !target) {\n return;\n }\n\n for (const key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key) && source[key] !== null && typeof source[key] === `object`) {\n if (target[key] === undefined) {\n target[key] = new (Object.getPrototypeOf(source[key]).constructor)();\n }\n fastDeepMergeAndReplace(source[key], target[key]);\n } else if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n};\n\nexport const fastDeepMergeAndKeep = (\n source: Record | undefined | null,\n target: Record | undefined | null,\n) => {\n if (!source || !target) {\n return;\n }\n\n for (const key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key) && source[key] !== null && typeof source[key] === `object`) {\n if (target[key] === undefined) {\n target[key] = new (Object.getPrototypeOf(source[key]).constructor)();\n }\n fastDeepMergeAndKeep(source[key], target[key]);\n } else if (Object.prototype.hasOwnProperty.call(source, key) && target[key] === undefined) {\n target[key] = source[key];\n }\n }\n};\n"],"mappings":";;;;;AAEO,IAAM,oBAAoB,CAAC,YAAoB;AACpD,MAAI,yBAAyB,GAAG;AAC9B,YAAQ,MAAM,UAAU,OAAO,EAAE;AAAA,EACnC;AACF;;;ACDO,IAAM,0BAA0B,CACrC,QACA,WACG;AACH,MAAI,CAAC,UAAU,CAAC,QAAQ;AACtB;AAAA,EACF;AAEA,aAAW,OAAO,QAAQ;AACxB,QAAI,OAAO,UAAU,eAAe,KAAK,QAAQ,GAAG,KAAK,OAAO,GAAG,MAAM,QAAQ,OAAO,OAAO,GAAG,MAAM,UAAU;AAChH,UAAI,OAAO,GAAG,MAAM,QAAW;AAC7B,eAAO,GAAG,IAAI,KAAK,OAAO,eAAe,OAAO,GAAG,CAAC,GAAE,YAAa;AAAA,MACrE;AACA,8BAAwB,OAAO,GAAG,GAAG,OAAO,GAAG,CAAC;AAAA,IAClD,WAAW,OAAO,UAAU,eAAe,KAAK,QAAQ,GAAG,GAAG;AAC5D,aAAO,GAAG,IAAI,OAAO,GAAG;AAAA,IAC1B;AAAA,EACF;AACF;AAEO,IAAM,uBAAuB,CAClC,QACA,WACG;AACH,MAAI,CAAC,UAAU,CAAC,QAAQ;AACtB;AAAA,EACF;AAEA,aAAW,OAAO,QAAQ;AACxB,QAAI,OAAO,UAAU,eAAe,KAAK,QAAQ,GAAG,KAAK,OAAO,GAAG,MAAM,QAAQ,OAAO,OAAO,GAAG,MAAM,UAAU;AAChH,UAAI,OAAO,GAAG,MAAM,QAAW;AAC7B,eAAO,GAAG,IAAI,KAAK,OAAO,eAAe,OAAO,GAAG,CAAC,GAAE,YAAa;AAAA,MACrE;AACA,2BAAqB,OAAO,GAAG,GAAG,OAAO,GAAG,CAAC;AAAA,IAC/C,WAAW,OAAO,UAAU,eAAe,KAAK,QAAQ,GAAG,KAAK,OAAO,GAAG,MAAM,QAAW;AACzF,aAAO,GAAG,IAAI,OAAO,GAAG;AAAA,IAC1B;AAAA,EACF;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-3TMSNP4L.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-3TMSNP4L.mjs new file mode 100644 index 000000000..57c1a9812 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-3TMSNP4L.mjs @@ -0,0 +1,9 @@ +// src/utils/instance.ts +function isStaging(frontendApi) { + return frontendApi.endsWith(".lclstage.dev") || frontendApi.endsWith(".stgstage.dev") || frontendApi.endsWith(".clerkstage.dev") || frontendApi.endsWith(".accountsstage.dev"); +} + +export { + isStaging +}; +//# sourceMappingURL=chunk-3TMSNP4L.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-3TMSNP4L.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-3TMSNP4L.mjs.map new file mode 100644 index 000000000..40fc7f0cf --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-3TMSNP4L.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/utils/instance.ts"],"sourcesContent":["/**\n * Check if the frontendApi ends with a staging domain\n */\nexport function isStaging(frontendApi: string): boolean {\n return (\n frontendApi.endsWith('.lclstage.dev') ||\n frontendApi.endsWith('.stgstage.dev') ||\n frontendApi.endsWith('.clerkstage.dev') ||\n frontendApi.endsWith('.accountsstage.dev')\n );\n}\n"],"mappings":";AAGO,SAAS,UAAU,aAA8B;AACtD,SACE,YAAY,SAAS,eAAe,KACpC,YAAY,SAAS,eAAe,KACpC,YAAY,SAAS,iBAAiB,KACtC,YAAY,SAAS,oBAAoB;AAE7C;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-43A5F2IE.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-43A5F2IE.mjs new file mode 100644 index 000000000..661f4d607 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-43A5F2IE.mjs @@ -0,0 +1,24 @@ +// src/authorization-errors.ts +var REVERIFICATION_REASON = "reverification-error"; +var reverificationError = (missingConfig) => ({ + clerk_error: { + type: "forbidden", + reason: REVERIFICATION_REASON, + metadata: { + reverification: missingConfig + } + } +}); +var reverificationErrorResponse = (...args) => new Response(JSON.stringify(reverificationError(...args)), { + status: 403 +}); +var isReverificationHint = (result) => { + return result && typeof result === "object" && "clerk_error" in result && result.clerk_error?.type === "forbidden" && result.clerk_error?.reason === REVERIFICATION_REASON; +}; + +export { + reverificationError, + reverificationErrorResponse, + isReverificationHint +}; +//# sourceMappingURL=chunk-43A5F2IE.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-43A5F2IE.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-43A5F2IE.mjs.map new file mode 100644 index 000000000..3f726ef1c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-43A5F2IE.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/authorization-errors.ts"],"sourcesContent":["import type { ReverificationConfig } from '@clerk/types';\n\ntype ClerkError = {\n clerk_error: T;\n};\n\nconst REVERIFICATION_REASON = 'reverification-error';\n\ntype ReverificationError = ClerkError<\n {\n type: 'forbidden';\n reason: typeof REVERIFICATION_REASON;\n } & M\n>;\n\nconst reverificationError = (\n missingConfig?: MC,\n): ReverificationError<{\n metadata?: {\n reverification?: MC;\n };\n}> => ({\n clerk_error: {\n type: 'forbidden',\n reason: REVERIFICATION_REASON,\n metadata: {\n reverification: missingConfig,\n },\n },\n});\n\nconst reverificationErrorResponse = (...args: Parameters) =>\n new Response(JSON.stringify(reverificationError(...args)), {\n status: 403,\n });\n\nconst isReverificationHint = (result: any): result is ReturnType => {\n return (\n result &&\n typeof result === 'object' &&\n 'clerk_error' in result &&\n result.clerk_error?.type === 'forbidden' &&\n result.clerk_error?.reason === REVERIFICATION_REASON\n );\n};\n\nexport { reverificationError, reverificationErrorResponse, isReverificationHint };\n"],"mappings":";AAMA,IAAM,wBAAwB;AAS9B,IAAM,sBAAsB,CAC1B,mBAKK;AAAA,EACL,aAAa;AAAA,IACX,MAAM;AAAA,IACN,QAAQ;AAAA,IACR,UAAU;AAAA,MACR,gBAAgB;AAAA,IAClB;AAAA,EACF;AACF;AAEA,IAAM,8BAA8B,IAAI,SACtC,IAAI,SAAS,KAAK,UAAU,oBAAoB,GAAG,IAAI,CAAC,GAAG;AAAA,EACzD,QAAQ;AACV,CAAC;AAEH,IAAM,uBAAuB,CAAC,WAAkE;AAC9F,SACE,UACA,OAAO,WAAW,YAClB,iBAAiB,UACjB,OAAO,aAAa,SAAS,eAC7B,OAAO,aAAa,WAAW;AAEnC;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-5JU2E5TY.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-5JU2E5TY.mjs new file mode 100644 index 000000000..0a1677f50 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-5JU2E5TY.mjs @@ -0,0 +1,29 @@ +// src/file.ts +function readJSONFile(file) { + return new Promise((resolve, reject) => { + const reader = new FileReader(); + reader.addEventListener("load", function() { + const result = JSON.parse(reader.result); + resolve(result); + }); + reader.addEventListener("error", reject); + reader.readAsText(file); + }); +} +var MimeTypeToExtensionMap = Object.freeze({ + "image/png": "png", + "image/jpeg": "jpg", + "image/gif": "gif", + "image/webp": "webp", + "image/x-icon": "ico", + "image/vnd.microsoft.icon": "ico" +}); +var extension = (mimeType) => { + return MimeTypeToExtensionMap[mimeType]; +}; + +export { + readJSONFile, + extension +}; +//# sourceMappingURL=chunk-5JU2E5TY.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-5JU2E5TY.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-5JU2E5TY.mjs.map new file mode 100644 index 000000000..61a1db81b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-5JU2E5TY.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/file.ts"],"sourcesContent":["/**\n * Read an expected JSON type File.\n *\n * Probably paired with:\n * \n */\nexport function readJSONFile(file: File): Promise {\n return new Promise((resolve, reject) => {\n const reader = new FileReader();\n reader.addEventListener('load', function () {\n const result = JSON.parse(reader.result as string);\n resolve(result);\n });\n\n reader.addEventListener('error', reject);\n reader.readAsText(file);\n });\n}\n\nconst MimeTypeToExtensionMap = Object.freeze({\n 'image/png': 'png',\n 'image/jpeg': 'jpg',\n 'image/gif': 'gif',\n 'image/webp': 'webp',\n 'image/x-icon': 'ico',\n 'image/vnd.microsoft.icon': 'ico',\n} as const);\n\nexport type SupportedMimeType = keyof typeof MimeTypeToExtensionMap;\n\nexport const extension = (mimeType: SupportedMimeType): string => {\n return MimeTypeToExtensionMap[mimeType];\n};\n"],"mappings":";AAMO,SAAS,aAAa,MAA8B;AACzD,SAAO,IAAI,QAAQ,CAAC,SAAS,WAAW;AACtC,UAAM,SAAS,IAAI,WAAW;AAC9B,WAAO,iBAAiB,QAAQ,WAAY;AAC1C,YAAM,SAAS,KAAK,MAAM,OAAO,MAAgB;AACjD,cAAQ,MAAM;AAAA,IAChB,CAAC;AAED,WAAO,iBAAiB,SAAS,MAAM;AACvC,WAAO,WAAW,IAAI;AAAA,EACxB,CAAC;AACH;AAEA,IAAM,yBAAyB,OAAO,OAAO;AAAA,EAC3C,aAAa;AAAA,EACb,cAAc;AAAA,EACd,aAAa;AAAA,EACb,cAAc;AAAA,EACd,gBAAgB;AAAA,EAChB,4BAA4B;AAC9B,CAAU;AAIH,IAAM,YAAY,CAAC,aAAwC;AAChE,SAAO,uBAAuB,QAAQ;AACxC;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-6NDGN2IU.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-6NDGN2IU.mjs new file mode 100644 index 000000000..1f69d1852 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-6NDGN2IU.mjs @@ -0,0 +1,27 @@ +// src/proxy.ts +function isValidProxyUrl(key) { + if (!key) { + return true; + } + return isHttpOrHttps(key) || isProxyUrlRelative(key); +} +function isHttpOrHttps(key) { + return /^http(s)?:\/\//.test(key || ""); +} +function isProxyUrlRelative(key) { + return key.startsWith("/"); +} +function proxyUrlToAbsoluteURL(url) { + if (!url) { + return ""; + } + return isProxyUrlRelative(url) ? new URL(url, window.location.origin).toString() : url; +} + +export { + isValidProxyUrl, + isHttpOrHttps, + isProxyUrlRelative, + proxyUrlToAbsoluteURL +}; +//# sourceMappingURL=chunk-6NDGN2IU.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-6NDGN2IU.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-6NDGN2IU.mjs.map new file mode 100644 index 000000000..7c4b3e1ca --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-6NDGN2IU.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/proxy.ts"],"sourcesContent":["export function isValidProxyUrl(key: string | undefined) {\n if (!key) {\n return true;\n }\n\n return isHttpOrHttps(key) || isProxyUrlRelative(key);\n}\n\nexport function isHttpOrHttps(key: string | undefined) {\n return /^http(s)?:\\/\\//.test(key || '');\n}\n\nexport function isProxyUrlRelative(key: string) {\n return key.startsWith('/');\n}\n\nexport function proxyUrlToAbsoluteURL(url: string | undefined): string {\n if (!url) {\n return '';\n }\n return isProxyUrlRelative(url) ? new URL(url, window.location.origin).toString() : url;\n}\n"],"mappings":";AAAO,SAAS,gBAAgB,KAAyB;AACvD,MAAI,CAAC,KAAK;AACR,WAAO;AAAA,EACT;AAEA,SAAO,cAAc,GAAG,KAAK,mBAAmB,GAAG;AACrD;AAEO,SAAS,cAAc,KAAyB;AACrD,SAAO,iBAAiB,KAAK,OAAO,EAAE;AACxC;AAEO,SAAS,mBAAmB,KAAa;AAC9C,SAAO,IAAI,WAAW,GAAG;AAC3B;AAEO,SAAS,sBAAsB,KAAiC;AACrE,MAAI,CAAC,KAAK;AACR,WAAO;AAAA,EACT;AACA,SAAO,mBAAmB,GAAG,IAAI,IAAI,IAAI,KAAK,OAAO,SAAS,MAAM,EAAE,SAAS,IAAI;AACrF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7ELT755Q.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7ELT755Q.mjs new file mode 100644 index 000000000..121ea0e08 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7ELT755Q.mjs @@ -0,0 +1,35 @@ +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __typeError = (msg) => { + throw TypeError(msg); +}; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __reExport = (target, mod, secondTarget) => (__copyProps(target, mod, "default"), secondTarget && __copyProps(secondTarget, mod, "default")); +var __accessCheck = (obj, member, msg) => member.has(obj) || __typeError("Cannot " + msg); +var __privateGet = (obj, member, getter) => (__accessCheck(obj, member, "read from private field"), getter ? getter.call(obj) : member.get(obj)); +var __privateAdd = (obj, member, value) => member.has(obj) ? __typeError("Cannot add the same private member more than once") : member instanceof WeakSet ? member.add(obj) : member.set(obj, value); +var __privateSet = (obj, member, value, setter) => (__accessCheck(obj, member, "write to private field"), setter ? setter.call(obj, value) : member.set(obj, value), value); +var __privateMethod = (obj, member, method) => (__accessCheck(obj, member, "access private method"), method); + +export { + __export, + __reExport, + __privateGet, + __privateAdd, + __privateSet, + __privateMethod +}; +//# sourceMappingURL=chunk-7ELT755Q.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7ELT755Q.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7ELT755Q.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7ELT755Q.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7FNX7RWY.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7FNX7RWY.mjs new file mode 100644 index 000000000..c2d770904 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7FNX7RWY.mjs @@ -0,0 +1,8 @@ +// src/utils/noop.ts +var noop = (..._args) => { +}; + +export { + noop +}; +//# sourceMappingURL=chunk-7FNX7RWY.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7FNX7RWY.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7FNX7RWY.mjs.map new file mode 100644 index 000000000..7a4b47e24 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7FNX7RWY.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/utils/noop.ts"],"sourcesContent":["export const noop = (..._args: any[]): void => {\n // do nothing.\n};\n"],"mappings":";AAAO,IAAM,OAAO,IAAI,UAAuB;AAE/C;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7HPDNZ3R.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7HPDNZ3R.mjs new file mode 100644 index 000000000..018f74f74 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7HPDNZ3R.mjs @@ -0,0 +1,29 @@ +// src/utils/runtimeEnvironment.ts +var isDevelopmentEnvironment = () => { + try { + return process.env.NODE_ENV === "development"; + } catch { + } + return false; +}; +var isTestEnvironment = () => { + try { + return process.env.NODE_ENV === "test"; + } catch { + } + return false; +}; +var isProductionEnvironment = () => { + try { + return process.env.NODE_ENV === "production"; + } catch { + } + return false; +}; + +export { + isDevelopmentEnvironment, + isTestEnvironment, + isProductionEnvironment +}; +//# sourceMappingURL=chunk-7HPDNZ3R.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7HPDNZ3R.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7HPDNZ3R.mjs.map new file mode 100644 index 000000000..6f7e1449c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-7HPDNZ3R.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/utils/runtimeEnvironment.ts"],"sourcesContent":["export const isDevelopmentEnvironment = (): boolean => {\n try {\n return process.env.NODE_ENV === 'development';\n // eslint-disable-next-line no-empty\n } catch {}\n\n // TODO: add support for import.meta.env.DEV that is being used by vite\n\n return false;\n};\n\nexport const isTestEnvironment = (): boolean => {\n try {\n return process.env.NODE_ENV === 'test';\n // eslint-disable-next-line no-empty\n } catch {}\n\n // TODO: add support for import.meta.env.DEV that is being used by vite\n return false;\n};\n\nexport const isProductionEnvironment = (): boolean => {\n try {\n return process.env.NODE_ENV === 'production';\n // eslint-disable-next-line no-empty\n } catch {}\n\n // TODO: add support for import.meta.env.DEV that is being used by vite\n return false;\n};\n"],"mappings":";AAAO,IAAM,2BAA2B,MAAe;AACrD,MAAI;AACF,WAAO,QAAQ,IAAI,aAAa;AAAA,EAElC,QAAQ;AAAA,EAAC;AAIT,SAAO;AACT;AAEO,IAAM,oBAAoB,MAAe;AAC9C,MAAI;AACF,WAAO,QAAQ,IAAI,aAAa;AAAA,EAElC,QAAQ;AAAA,EAAC;AAGT,SAAO;AACT;AAEO,IAAM,0BAA0B,MAAe;AACpD,MAAI;AACF,WAAO,QAAQ,IAAI,aAAa;AAAA,EAElC,QAAQ;AAAA,EAAC;AAGT,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-BS4QFUKM.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-BS4QFUKM.mjs new file mode 100644 index 000000000..bb2676f30 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-BS4QFUKM.mjs @@ -0,0 +1,19 @@ +import { + noop +} from "./chunk-7FNX7RWY.mjs"; + +// src/utils/createDeferredPromise.ts +var createDeferredPromise = () => { + let resolve = noop; + let reject = noop; + const promise = new Promise((res, rej) => { + resolve = res; + reject = rej; + }); + return { promise, resolve, reject }; +}; + +export { + createDeferredPromise +}; +//# sourceMappingURL=chunk-BS4QFUKM.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-BS4QFUKM.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-BS4QFUKM.mjs.map new file mode 100644 index 000000000..cbab7bc53 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-BS4QFUKM.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/utils/createDeferredPromise.ts"],"sourcesContent":["import { noop } from './noop';\n\ntype Callback = (val?: any) => void;\n\n/**\n * Create a promise that can be resolved or rejected from\n * outside the Promise constructor callback\n */\nexport const createDeferredPromise = () => {\n let resolve: Callback = noop;\n let reject: Callback = noop;\n const promise = new Promise((res, rej) => {\n resolve = res;\n reject = rej;\n });\n return { promise, resolve, reject };\n};\n"],"mappings":";;;;;AAQO,IAAM,wBAAwB,MAAM;AACzC,MAAI,UAAoB;AACxB,MAAI,SAAmB;AACvB,QAAM,UAAU,IAAI,QAAQ,CAAC,KAAK,QAAQ;AACxC,cAAU;AACV,aAAS;AAAA,EACX,CAAC;AACD,SAAO,EAAE,SAAS,SAAS,OAAO;AACpC;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-BUNBAIZO.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-BUNBAIZO.mjs new file mode 100644 index 000000000..1354dd20b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-BUNBAIZO.mjs @@ -0,0 +1,61 @@ +// src/retry.ts +var defaultOptions = { + initialDelay: 125, + maxDelayBetweenRetries: 0, + factor: 2, + shouldRetry: (_, iteration) => iteration < 5, + retryImmediately: true, + jitter: true +}; +var RETRY_IMMEDIATELY_DELAY = 100; +var sleep = async (ms) => new Promise((s) => setTimeout(s, ms)); +var applyJitter = (delay, jitter) => { + return jitter ? delay * (1 + Math.random()) : delay; +}; +var createExponentialDelayAsyncFn = (opts) => { + let timesCalled = 0; + const calculateDelayInMs = () => { + const constant = opts.initialDelay; + const base = opts.factor; + let delay = constant * Math.pow(base, timesCalled); + delay = applyJitter(delay, opts.jitter); + return Math.min(opts.maxDelayBetweenRetries || delay, delay); + }; + return async () => { + await sleep(calculateDelayInMs()); + timesCalled++; + }; +}; +var retry = async (callback, options = {}) => { + let iterations = 0; + const { shouldRetry, initialDelay, maxDelayBetweenRetries, factor, retryImmediately, jitter } = { + ...defaultOptions, + ...options + }; + const delay = createExponentialDelayAsyncFn({ + initialDelay, + maxDelayBetweenRetries, + factor, + jitter + }); + while (true) { + try { + return await callback(); + } catch (e) { + iterations++; + if (!shouldRetry(e, iterations)) { + throw e; + } + if (retryImmediately && iterations === 1) { + await sleep(applyJitter(RETRY_IMMEDIATELY_DELAY, jitter)); + } else { + await delay(); + } + } + } +}; + +export { + retry +}; +//# sourceMappingURL=chunk-BUNBAIZO.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-BUNBAIZO.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-BUNBAIZO.mjs.map new file mode 100644 index 000000000..d76d4f4aa --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-BUNBAIZO.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/retry.ts"],"sourcesContent":["type Milliseconds = number;\n\ntype RetryOptions = Partial<{\n /**\n * The initial delay before the first retry.\n * @default 125\n */\n initialDelay: Milliseconds;\n /**\n * The maximum delay between retries.\n * The delay between retries will never exceed this value.\n * If set to 0, the delay will increase indefinitely.\n * @default 0\n */\n maxDelayBetweenRetries: Milliseconds;\n /**\n * The multiplier for the exponential backoff.\n * @default 2\n */\n factor: number;\n /**\n * A function to determine if the operation should be retried.\n * The callback accepts the error that was thrown and the number of iterations.\n * The iterations variable references the number of retries AFTER attempt\n * that caused the error and starts at 1 (as in, this is the 1st, 2nd, nth retry).\n * @default (error, iterations) => iterations < 5\n */\n shouldRetry: (error: unknown, iterations: number) => boolean;\n /**\n * Controls whether the helper should retry the operation immediately once before applying exponential backoff.\n * The delay for the immediate retry is 100ms.\n * @default true\n */\n retryImmediately: boolean;\n /**\n * If true, the intervals will be multiplied by a factor in the range of [1,2].\n * @default true\n */\n jitter: boolean;\n}>;\n\nconst defaultOptions: Required = {\n initialDelay: 125,\n maxDelayBetweenRetries: 0,\n factor: 2,\n shouldRetry: (_: unknown, iteration: number) => iteration < 5,\n retryImmediately: true,\n jitter: true,\n};\n\nconst RETRY_IMMEDIATELY_DELAY = 100;\n\nconst sleep = async (ms: Milliseconds) => new Promise(s => setTimeout(s, ms));\n\nconst applyJitter = (delay: Milliseconds, jitter: boolean) => {\n return jitter ? delay * (1 + Math.random()) : delay;\n};\n\nconst createExponentialDelayAsyncFn = (\n opts: Required>,\n) => {\n let timesCalled = 0;\n\n const calculateDelayInMs = () => {\n const constant = opts.initialDelay;\n const base = opts.factor;\n let delay = constant * Math.pow(base, timesCalled);\n delay = applyJitter(delay, opts.jitter);\n return Math.min(opts.maxDelayBetweenRetries || delay, delay);\n };\n\n return async (): Promise => {\n await sleep(calculateDelayInMs());\n timesCalled++;\n };\n};\n\n/**\n * Retries a callback until it succeeds or the shouldRetry function returns false.\n * See {@link RetryOptions} for the available options.\n */\nexport const retry = async (callback: () => T | Promise, options: RetryOptions = {}): Promise => {\n let iterations = 0;\n const { shouldRetry, initialDelay, maxDelayBetweenRetries, factor, retryImmediately, jitter } = {\n ...defaultOptions,\n ...options,\n };\n\n const delay = createExponentialDelayAsyncFn({\n initialDelay,\n maxDelayBetweenRetries,\n factor,\n jitter,\n });\n\n while (true) {\n try {\n return await callback();\n } catch (e) {\n iterations++;\n if (!shouldRetry(e, iterations)) {\n throw e;\n }\n if (retryImmediately && iterations === 1) {\n await sleep(applyJitter(RETRY_IMMEDIATELY_DELAY, jitter));\n } else {\n await delay();\n }\n }\n }\n};\n"],"mappings":";AAyCA,IAAM,iBAAyC;AAAA,EAC7C,cAAc;AAAA,EACd,wBAAwB;AAAA,EACxB,QAAQ;AAAA,EACR,aAAa,CAAC,GAAY,cAAsB,YAAY;AAAA,EAC5D,kBAAkB;AAAA,EAClB,QAAQ;AACV;AAEA,IAAM,0BAA0B;AAEhC,IAAM,QAAQ,OAAO,OAAqB,IAAI,QAAQ,OAAK,WAAW,GAAG,EAAE,CAAC;AAE5E,IAAM,cAAc,CAAC,OAAqB,WAAoB;AAC5D,SAAO,SAAS,SAAS,IAAI,KAAK,OAAO,KAAK;AAChD;AAEA,IAAM,gCAAgC,CACpC,SACG;AACH,MAAI,cAAc;AAElB,QAAM,qBAAqB,MAAM;AAC/B,UAAM,WAAW,KAAK;AACtB,UAAM,OAAO,KAAK;AAClB,QAAI,QAAQ,WAAW,KAAK,IAAI,MAAM,WAAW;AACjD,YAAQ,YAAY,OAAO,KAAK,MAAM;AACtC,WAAO,KAAK,IAAI,KAAK,0BAA0B,OAAO,KAAK;AAAA,EAC7D;AAEA,SAAO,YAA2B;AAChC,UAAM,MAAM,mBAAmB,CAAC;AAChC;AAAA,EACF;AACF;AAMO,IAAM,QAAQ,OAAU,UAAgC,UAAwB,CAAC,MAAkB;AACxG,MAAI,aAAa;AACjB,QAAM,EAAE,aAAa,cAAc,wBAAwB,QAAQ,kBAAkB,OAAO,IAAI;AAAA,IAC9F,GAAG;AAAA,IACH,GAAG;AAAA,EACL;AAEA,QAAM,QAAQ,8BAA8B;AAAA,IAC1C;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF,CAAC;AAED,SAAO,MAAM;AACX,QAAI;AACF,aAAO,MAAM,SAAS;AAAA,IACxB,SAAS,GAAG;AACV;AACA,UAAI,CAAC,YAAY,GAAG,UAAU,GAAG;AAC/B,cAAM;AAAA,MACR;AACA,UAAI,oBAAoB,eAAe,GAAG;AACxC,cAAM,MAAM,YAAY,yBAAyB,MAAM,CAAC;AAAA,MAC1D,OAAO;AACL,cAAM,MAAM;AAAA,MACd;AAAA,IACF;AAAA,EACF;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-CFXQSUF6.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-CFXQSUF6.mjs new file mode 100644 index 000000000..6eea68cb4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-CFXQSUF6.mjs @@ -0,0 +1,40 @@ +// src/object.ts +var without = (obj, ...props) => { + const copy = { ...obj }; + for (const prop of props) { + delete copy[prop]; + } + return copy; +}; +var removeUndefined = (obj) => { + return Object.entries(obj).reduce((acc, [key, value]) => { + if (value !== void 0 && value !== null) { + acc[key] = value; + } + return acc; + }, {}); +}; +var applyFunctionToObj = (obj, fn) => { + const result = {}; + for (const key in obj) { + result[key] = fn(obj[key], key); + } + return result; +}; +var filterProps = (obj, filter) => { + const result = {}; + for (const key in obj) { + if (obj[key] && filter(obj[key])) { + result[key] = obj[key]; + } + } + return result; +}; + +export { + without, + removeUndefined, + applyFunctionToObj, + filterProps +}; +//# sourceMappingURL=chunk-CFXQSUF6.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-CFXQSUF6.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-CFXQSUF6.mjs.map new file mode 100644 index 000000000..a30e22cf7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-CFXQSUF6.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/object.ts"],"sourcesContent":["export const without = (obj: T, ...props: P[]): Omit => {\n const copy = { ...obj };\n for (const prop of props) {\n delete copy[prop];\n }\n return copy;\n};\n\nexport const removeUndefined = (obj: T): Partial => {\n return Object.entries(obj).reduce((acc, [key, value]) => {\n if (value !== undefined && value !== null) {\n acc[key as keyof T] = value;\n }\n return acc;\n }, {} as Partial);\n};\n\nexport const applyFunctionToObj = , R>(\n obj: T,\n fn: (val: any, key: string) => R,\n): Record => {\n const result = {} as Record;\n for (const key in obj) {\n result[key] = fn(obj[key], key);\n }\n return result;\n};\n\nexport const filterProps = >(obj: T, filter: (a: any) => boolean): T => {\n const result = {} as T;\n for (const key in obj) {\n if (obj[key] && filter(obj[key])) {\n result[key] = obj[key];\n }\n }\n return result;\n};\n"],"mappings":";AAAO,IAAM,UAAU,CAAsC,QAAW,UAA2B;AACjG,QAAM,OAAO,EAAE,GAAG,IAAI;AACtB,aAAW,QAAQ,OAAO;AACxB,WAAO,KAAK,IAAI;AAAA,EAClB;AACA,SAAO;AACT;AAEO,IAAM,kBAAkB,CAAmB,QAAuB;AACvE,SAAO,OAAO,QAAQ,GAAG,EAAE,OAAO,CAAC,KAAK,CAAC,KAAK,KAAK,MAAM;AACvD,QAAI,UAAU,UAAa,UAAU,MAAM;AACzC,UAAI,GAAc,IAAI;AAAA,IACxB;AACA,WAAO;AAAA,EACT,GAAG,CAAC,CAAe;AACrB;AAEO,IAAM,qBAAqB,CAChC,KACA,OACsB;AACtB,QAAM,SAAS,CAAC;AAChB,aAAW,OAAO,KAAK;AACrB,WAAO,GAAG,IAAI,GAAG,IAAI,GAAG,GAAG,GAAG;AAAA,EAChC;AACA,SAAO;AACT;AAEO,IAAM,cAAc,CAAgC,KAAQ,WAAmC;AACpG,QAAM,SAAS,CAAC;AAChB,aAAW,OAAO,KAAK;AACrB,QAAI,IAAI,GAAG,KAAK,OAAO,IAAI,GAAG,CAAC,GAAG;AAChC,aAAO,GAAG,IAAI,IAAI,GAAG;AAAA,IACvB;AAAA,EACF;AACA,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-CYDR2ZSA.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-CYDR2ZSA.mjs new file mode 100644 index 000000000..dd4d8f720 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-CYDR2ZSA.mjs @@ -0,0 +1,27 @@ +// src/logger.ts +var loggedMessages = /* @__PURE__ */ new Set(); +var logger = { + /** + * A custom logger that ensures messages are logged only once. + * Reduces noise and duplicated messages when logs are in a hot codepath. + */ + warnOnce: (msg) => { + if (loggedMessages.has(msg)) { + return; + } + loggedMessages.add(msg); + console.warn(msg); + }, + logOnce: (msg) => { + if (loggedMessages.has(msg)) { + return; + } + console.log(msg); + loggedMessages.add(msg); + } +}; + +export { + logger +}; +//# sourceMappingURL=chunk-CYDR2ZSA.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-CYDR2ZSA.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-CYDR2ZSA.mjs.map new file mode 100644 index 000000000..ec8a98968 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-CYDR2ZSA.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/logger.ts"],"sourcesContent":["const loggedMessages: Set = new Set();\n\nexport const logger = {\n /**\n * A custom logger that ensures messages are logged only once.\n * Reduces noise and duplicated messages when logs are in a hot codepath.\n */\n warnOnce: (msg: string) => {\n if (loggedMessages.has(msg)) {\n return;\n }\n\n loggedMessages.add(msg);\n console.warn(msg);\n },\n logOnce: (msg: string) => {\n if (loggedMessages.has(msg)) {\n return;\n }\n\n console.log(msg);\n loggedMessages.add(msg);\n },\n};\n"],"mappings":";AAAA,IAAM,iBAA8B,oBAAI,IAAI;AAErC,IAAM,SAAS;AAAA;AAAA;AAAA;AAAA;AAAA,EAKpB,UAAU,CAAC,QAAgB;AACzB,QAAI,eAAe,IAAI,GAAG,GAAG;AAC3B;AAAA,IACF;AAEA,mBAAe,IAAI,GAAG;AACtB,YAAQ,KAAK,GAAG;AAAA,EAClB;AAAA,EACA,SAAS,CAAC,QAAgB;AACxB,QAAI,eAAe,IAAI,GAAG,GAAG;AAC3B;AAAA,IACF;AAEA,YAAQ,IAAI,GAAG;AACf,mBAAe,IAAI,GAAG;AAAA,EACxB;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-G3VP5PJE.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-G3VP5PJE.mjs new file mode 100644 index 000000000..7de0bb8a9 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-G3VP5PJE.mjs @@ -0,0 +1,107 @@ +import { + isomorphicAtob +} from "./chunk-TETGTEI2.mjs"; +import { + isomorphicBtoa +} from "./chunk-KOH7GTJO.mjs"; +import { + DEV_OR_STAGING_SUFFIXES, + LEGACY_DEV_INSTANCE_SUFFIXES +} from "./chunk-I6MTSTOF.mjs"; + +// src/keys.ts +var PUBLISHABLE_KEY_LIVE_PREFIX = "pk_live_"; +var PUBLISHABLE_KEY_TEST_PREFIX = "pk_test_"; +var PUBLISHABLE_FRONTEND_API_DEV_REGEX = /^(([a-z]+)-){2}([0-9]{1,2})\.clerk\.accounts([a-z.]*)(dev|com)$/i; +function buildPublishableKey(frontendApi) { + const isDevKey = PUBLISHABLE_FRONTEND_API_DEV_REGEX.test(frontendApi) || frontendApi.startsWith("clerk.") && LEGACY_DEV_INSTANCE_SUFFIXES.some((s) => frontendApi.endsWith(s)); + const keyPrefix = isDevKey ? PUBLISHABLE_KEY_TEST_PREFIX : PUBLISHABLE_KEY_LIVE_PREFIX; + return `${keyPrefix}${isomorphicBtoa(`${frontendApi}$`)}`; +} +function parsePublishableKey(key, options = {}) { + key = key || ""; + if (!key || !isPublishableKey(key)) { + if (options.fatal && !key) { + throw new Error( + "Publishable key is missing. Ensure that your publishable key is correctly configured. Double-check your environment configuration for your keys, or access them here: https://dashboard.clerk.com/last-active?path=api-keys" + ); + } + if (options.fatal && !isPublishableKey(key)) { + throw new Error("Publishable key not valid."); + } + return null; + } + const instanceType = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) ? "production" : "development"; + let frontendApi = isomorphicAtob(key.split("_")[2]); + frontendApi = frontendApi.slice(0, -1); + if (options.proxyUrl) { + frontendApi = options.proxyUrl; + } else if (instanceType !== "development" && options.domain) { + frontendApi = `clerk.${options.domain}`; + } + return { + instanceType, + frontendApi + }; +} +function isPublishableKey(key = "") { + try { + const hasValidPrefix = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) || key.startsWith(PUBLISHABLE_KEY_TEST_PREFIX); + const hasValidFrontendApiPostfix = isomorphicAtob(key.split("_")[2] || "").endsWith("$"); + return hasValidPrefix && hasValidFrontendApiPostfix; + } catch { + return false; + } +} +function createDevOrStagingUrlCache() { + const devOrStagingUrlCache = /* @__PURE__ */ new Map(); + return { + isDevOrStagingUrl: (url) => { + if (!url) { + return false; + } + const hostname = typeof url === "string" ? url : url.hostname; + let res = devOrStagingUrlCache.get(hostname); + if (res === void 0) { + res = DEV_OR_STAGING_SUFFIXES.some((s) => hostname.endsWith(s)); + devOrStagingUrlCache.set(hostname, res); + } + return res; + } + }; +} +function isDevelopmentFromPublishableKey(apiKey) { + return apiKey.startsWith("test_") || apiKey.startsWith("pk_test_"); +} +function isProductionFromPublishableKey(apiKey) { + return apiKey.startsWith("live_") || apiKey.startsWith("pk_live_"); +} +function isDevelopmentFromSecretKey(apiKey) { + return apiKey.startsWith("test_") || apiKey.startsWith("sk_test_"); +} +function isProductionFromSecretKey(apiKey) { + return apiKey.startsWith("live_") || apiKey.startsWith("sk_live_"); +} +async function getCookieSuffix(publishableKey, subtle = globalThis.crypto.subtle) { + const data = new TextEncoder().encode(publishableKey); + const digest = await subtle.digest("sha-1", data); + const stringDigest = String.fromCharCode(...new Uint8Array(digest)); + return isomorphicBtoa(stringDigest).replace(/\+/gi, "-").replace(/\//gi, "_").substring(0, 8); +} +var getSuffixedCookieName = (cookieName, cookieSuffix) => { + return `${cookieName}_${cookieSuffix}`; +}; + +export { + buildPublishableKey, + parsePublishableKey, + isPublishableKey, + createDevOrStagingUrlCache, + isDevelopmentFromPublishableKey, + isProductionFromPublishableKey, + isDevelopmentFromSecretKey, + isProductionFromSecretKey, + getCookieSuffix, + getSuffixedCookieName +}; +//# sourceMappingURL=chunk-G3VP5PJE.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-G3VP5PJE.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-G3VP5PJE.mjs.map new file mode 100644 index 000000000..e6dbf69ef --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-G3VP5PJE.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/keys.ts"],"sourcesContent":["import type { PublishableKey } from '@clerk/types';\n\nimport { DEV_OR_STAGING_SUFFIXES, LEGACY_DEV_INSTANCE_SUFFIXES } from './constants';\nimport { isomorphicAtob } from './isomorphicAtob';\nimport { isomorphicBtoa } from './isomorphicBtoa';\n\ntype ParsePublishableKeyOptions = {\n fatal?: boolean;\n domain?: string;\n proxyUrl?: string;\n};\n\nconst PUBLISHABLE_KEY_LIVE_PREFIX = 'pk_live_';\nconst PUBLISHABLE_KEY_TEST_PREFIX = 'pk_test_';\n\n// This regex matches the publishable like frontend API keys (e.g. foo-bar-13.clerk.accounts.dev)\nconst PUBLISHABLE_FRONTEND_API_DEV_REGEX = /^(([a-z]+)-){2}([0-9]{1,2})\\.clerk\\.accounts([a-z.]*)(dev|com)$/i;\n\nexport function buildPublishableKey(frontendApi: string): string {\n const isDevKey =\n PUBLISHABLE_FRONTEND_API_DEV_REGEX.test(frontendApi) ||\n (frontendApi.startsWith('clerk.') && LEGACY_DEV_INSTANCE_SUFFIXES.some(s => frontendApi.endsWith(s)));\n const keyPrefix = isDevKey ? PUBLISHABLE_KEY_TEST_PREFIX : PUBLISHABLE_KEY_LIVE_PREFIX;\n return `${keyPrefix}${isomorphicBtoa(`${frontendApi}$`)}`;\n}\n\nexport function parsePublishableKey(\n key: string | undefined,\n options: ParsePublishableKeyOptions & { fatal: true },\n): PublishableKey;\nexport function parsePublishableKey(\n key: string | undefined,\n options?: ParsePublishableKeyOptions,\n): PublishableKey | null;\nexport function parsePublishableKey(\n key: string | undefined,\n options: { fatal?: boolean; domain?: string; proxyUrl?: string } = {},\n): PublishableKey | null {\n key = key || '';\n\n if (!key || !isPublishableKey(key)) {\n if (options.fatal && !key) {\n throw new Error(\n 'Publishable key is missing. Ensure that your publishable key is correctly configured. Double-check your environment configuration for your keys, or access them here: https://dashboard.clerk.com/last-active?path=api-keys',\n );\n }\n if (options.fatal && !isPublishableKey(key)) {\n throw new Error('Publishable key not valid.');\n }\n return null;\n }\n\n const instanceType = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) ? 'production' : 'development';\n\n let frontendApi = isomorphicAtob(key.split('_')[2]);\n\n // TODO(@dimkl): validate packages/clerk-js/src/utils/instance.ts\n frontendApi = frontendApi.slice(0, -1);\n\n if (options.proxyUrl) {\n frontendApi = options.proxyUrl;\n } else if (instanceType !== 'development' && options.domain) {\n frontendApi = `clerk.${options.domain}`;\n }\n\n return {\n instanceType,\n frontendApi,\n };\n}\n\n/**\n * Checks if the provided key is a valid publishable key.\n *\n * @param key - The key to be checked. Defaults to an empty string if not provided.\n * @returns `true` if 'key' is a valid publishable key, `false` otherwise.\n */\nexport function isPublishableKey(key: string = '') {\n try {\n const hasValidPrefix = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) || key.startsWith(PUBLISHABLE_KEY_TEST_PREFIX);\n\n const hasValidFrontendApiPostfix = isomorphicAtob(key.split('_')[2] || '').endsWith('$');\n\n return hasValidPrefix && hasValidFrontendApiPostfix;\n } catch {\n return false;\n }\n}\n\nexport function createDevOrStagingUrlCache() {\n const devOrStagingUrlCache = new Map();\n\n return {\n isDevOrStagingUrl: (url: string | URL): boolean => {\n if (!url) {\n return false;\n }\n\n const hostname = typeof url === 'string' ? url : url.hostname;\n let res = devOrStagingUrlCache.get(hostname);\n if (res === undefined) {\n res = DEV_OR_STAGING_SUFFIXES.some(s => hostname.endsWith(s));\n devOrStagingUrlCache.set(hostname, res);\n }\n return res;\n },\n };\n}\n\nexport function isDevelopmentFromPublishableKey(apiKey: string): boolean {\n return apiKey.startsWith('test_') || apiKey.startsWith('pk_test_');\n}\n\nexport function isProductionFromPublishableKey(apiKey: string): boolean {\n return apiKey.startsWith('live_') || apiKey.startsWith('pk_live_');\n}\n\nexport function isDevelopmentFromSecretKey(apiKey: string): boolean {\n return apiKey.startsWith('test_') || apiKey.startsWith('sk_test_');\n}\n\nexport function isProductionFromSecretKey(apiKey: string): boolean {\n return apiKey.startsWith('live_') || apiKey.startsWith('sk_live_');\n}\n\nexport async function getCookieSuffix(\n publishableKey: string,\n subtle: SubtleCrypto = globalThis.crypto.subtle,\n): Promise {\n const data = new TextEncoder().encode(publishableKey);\n const digest = await subtle.digest('sha-1', data);\n const stringDigest = String.fromCharCode(...new Uint8Array(digest));\n // Base 64 Encoding with URL and Filename Safe Alphabet: https://datatracker.ietf.org/doc/html/rfc4648#section-5\n return isomorphicBtoa(stringDigest).replace(/\\+/gi, '-').replace(/\\//gi, '_').substring(0, 8);\n}\n\nexport const getSuffixedCookieName = (cookieName: string, cookieSuffix: string): string => {\n return `${cookieName}_${cookieSuffix}`;\n};\n"],"mappings":";;;;;;;;;;;;AAYA,IAAM,8BAA8B;AACpC,IAAM,8BAA8B;AAGpC,IAAM,qCAAqC;AAEpC,SAAS,oBAAoB,aAA6B;AAC/D,QAAM,WACJ,mCAAmC,KAAK,WAAW,KAClD,YAAY,WAAW,QAAQ,KAAK,6BAA6B,KAAK,OAAK,YAAY,SAAS,CAAC,CAAC;AACrG,QAAM,YAAY,WAAW,8BAA8B;AAC3D,SAAO,GAAG,SAAS,GAAG,eAAe,GAAG,WAAW,GAAG,CAAC;AACzD;AAUO,SAAS,oBACd,KACA,UAAmE,CAAC,GAC7C;AACvB,QAAM,OAAO;AAEb,MAAI,CAAC,OAAO,CAAC,iBAAiB,GAAG,GAAG;AAClC,QAAI,QAAQ,SAAS,CAAC,KAAK;AACzB,YAAM,IAAI;AAAA,QACR;AAAA,MACF;AAAA,IACF;AACA,QAAI,QAAQ,SAAS,CAAC,iBAAiB,GAAG,GAAG;AAC3C,YAAM,IAAI,MAAM,4BAA4B;AAAA,IAC9C;AACA,WAAO;AAAA,EACT;AAEA,QAAM,eAAe,IAAI,WAAW,2BAA2B,IAAI,eAAe;AAElF,MAAI,cAAc,eAAe,IAAI,MAAM,GAAG,EAAE,CAAC,CAAC;AAGlD,gBAAc,YAAY,MAAM,GAAG,EAAE;AAErC,MAAI,QAAQ,UAAU;AACpB,kBAAc,QAAQ;AAAA,EACxB,WAAW,iBAAiB,iBAAiB,QAAQ,QAAQ;AAC3D,kBAAc,SAAS,QAAQ,MAAM;AAAA,EACvC;AAEA,SAAO;AAAA,IACL;AAAA,IACA;AAAA,EACF;AACF;AAQO,SAAS,iBAAiB,MAAc,IAAI;AACjD,MAAI;AACF,UAAM,iBAAiB,IAAI,WAAW,2BAA2B,KAAK,IAAI,WAAW,2BAA2B;AAEhH,UAAM,6BAA6B,eAAe,IAAI,MAAM,GAAG,EAAE,CAAC,KAAK,EAAE,EAAE,SAAS,GAAG;AAEvF,WAAO,kBAAkB;AAAA,EAC3B,QAAQ;AACN,WAAO;AAAA,EACT;AACF;AAEO,SAAS,6BAA6B;AAC3C,QAAM,uBAAuB,oBAAI,IAAqB;AAEtD,SAAO;AAAA,IACL,mBAAmB,CAAC,QAA+B;AACjD,UAAI,CAAC,KAAK;AACR,eAAO;AAAA,MACT;AAEA,YAAM,WAAW,OAAO,QAAQ,WAAW,MAAM,IAAI;AACrD,UAAI,MAAM,qBAAqB,IAAI,QAAQ;AAC3C,UAAI,QAAQ,QAAW;AACrB,cAAM,wBAAwB,KAAK,OAAK,SAAS,SAAS,CAAC,CAAC;AAC5D,6BAAqB,IAAI,UAAU,GAAG;AAAA,MACxC;AACA,aAAO;AAAA,IACT;AAAA,EACF;AACF;AAEO,SAAS,gCAAgC,QAAyB;AACvE,SAAO,OAAO,WAAW,OAAO,KAAK,OAAO,WAAW,UAAU;AACnE;AAEO,SAAS,+BAA+B,QAAyB;AACtE,SAAO,OAAO,WAAW,OAAO,KAAK,OAAO,WAAW,UAAU;AACnE;AAEO,SAAS,2BAA2B,QAAyB;AAClE,SAAO,OAAO,WAAW,OAAO,KAAK,OAAO,WAAW,UAAU;AACnE;AAEO,SAAS,0BAA0B,QAAyB;AACjE,SAAO,OAAO,WAAW,OAAO,KAAK,OAAO,WAAW,UAAU;AACnE;AAEA,eAAsB,gBACpB,gBACA,SAAuB,WAAW,OAAO,QACxB;AACjB,QAAM,OAAO,IAAI,YAAY,EAAE,OAAO,cAAc;AACpD,QAAM,SAAS,MAAM,OAAO,OAAO,SAAS,IAAI;AAChD,QAAM,eAAe,OAAO,aAAa,GAAG,IAAI,WAAW,MAAM,CAAC;AAElE,SAAO,eAAe,YAAY,EAAE,QAAQ,QAAQ,GAAG,EAAE,QAAQ,QAAQ,GAAG,EAAE,UAAU,GAAG,CAAC;AAC9F;AAEO,IAAM,wBAAwB,CAAC,YAAoB,iBAAiC;AACzF,SAAO,GAAG,UAAU,IAAI,YAAY;AACtC;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-I6MTSTOF.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-I6MTSTOF.mjs new file mode 100644 index 000000000..8501683ce --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-I6MTSTOF.mjs @@ -0,0 +1,35 @@ +// src/constants.ts +var LEGACY_DEV_INSTANCE_SUFFIXES = [".lcl.dev", ".lclstage.dev", ".lclclerk.com"]; +var CURRENT_DEV_INSTANCE_SUFFIXES = [".accounts.dev", ".accountsstage.dev", ".accounts.lclclerk.com"]; +var DEV_OR_STAGING_SUFFIXES = [ + ".lcl.dev", + ".stg.dev", + ".lclstage.dev", + ".stgstage.dev", + ".dev.lclclerk.com", + ".stg.lclclerk.com", + ".accounts.lclclerk.com", + "accountsstage.dev", + "accounts.dev" +]; +var LOCAL_ENV_SUFFIXES = [".lcl.dev", "lclstage.dev", ".lclclerk.com", ".accounts.lclclerk.com"]; +var STAGING_ENV_SUFFIXES = [".accountsstage.dev"]; +var LOCAL_API_URL = "https://api.lclclerk.com"; +var STAGING_API_URL = "https://api.clerkstage.dev"; +var PROD_API_URL = "https://api.clerk.com"; +function iconImageUrl(id, format = "svg") { + return `https://img.clerk.com/static/${id}.${format}`; +} + +export { + LEGACY_DEV_INSTANCE_SUFFIXES, + CURRENT_DEV_INSTANCE_SUFFIXES, + DEV_OR_STAGING_SUFFIXES, + LOCAL_ENV_SUFFIXES, + STAGING_ENV_SUFFIXES, + LOCAL_API_URL, + STAGING_API_URL, + PROD_API_URL, + iconImageUrl +}; +//# sourceMappingURL=chunk-I6MTSTOF.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-I6MTSTOF.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-I6MTSTOF.mjs.map new file mode 100644 index 000000000..3d0426a1c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-I6MTSTOF.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/constants.ts"],"sourcesContent":["export const LEGACY_DEV_INSTANCE_SUFFIXES = ['.lcl.dev', '.lclstage.dev', '.lclclerk.com'];\nexport const CURRENT_DEV_INSTANCE_SUFFIXES = ['.accounts.dev', '.accountsstage.dev', '.accounts.lclclerk.com'];\nexport const DEV_OR_STAGING_SUFFIXES = [\n '.lcl.dev',\n '.stg.dev',\n '.lclstage.dev',\n '.stgstage.dev',\n '.dev.lclclerk.com',\n '.stg.lclclerk.com',\n '.accounts.lclclerk.com',\n 'accountsstage.dev',\n 'accounts.dev',\n];\nexport const LOCAL_ENV_SUFFIXES = ['.lcl.dev', 'lclstage.dev', '.lclclerk.com', '.accounts.lclclerk.com'];\nexport const STAGING_ENV_SUFFIXES = ['.accountsstage.dev'];\nexport const LOCAL_API_URL = 'https://api.lclclerk.com';\nexport const STAGING_API_URL = 'https://api.clerkstage.dev';\nexport const PROD_API_URL = 'https://api.clerk.com';\n\n/**\n * Returns the URL for a static image\n * using the new img.clerk.com service\n */\nexport function iconImageUrl(id: string, format: 'svg' | 'jpeg' = 'svg'): string {\n return `https://img.clerk.com/static/${id}.${format}`;\n}\n"],"mappings":";AAAO,IAAM,+BAA+B,CAAC,YAAY,iBAAiB,eAAe;AAClF,IAAM,gCAAgC,CAAC,iBAAiB,sBAAsB,wBAAwB;AACtG,IAAM,0BAA0B;AAAA,EACrC;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AACF;AACO,IAAM,qBAAqB,CAAC,YAAY,gBAAgB,iBAAiB,wBAAwB;AACjG,IAAM,uBAAuB,CAAC,oBAAoB;AAClD,IAAM,gBAAgB;AACtB,IAAM,kBAAkB;AACxB,IAAM,eAAe;AAMrB,SAAS,aAAa,IAAY,SAAyB,OAAe;AAC/E,SAAO,gCAAgC,EAAE,IAAI,MAAM;AACrD;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-IBXKDGSZ.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-IBXKDGSZ.mjs new file mode 100644 index 000000000..95388bbe2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-IBXKDGSZ.mjs @@ -0,0 +1,11 @@ +// src/organization.ts +function getCurrentOrganizationMembership(organizationMemberships, organizationId) { + return organizationMemberships.find( + (organizationMembership) => organizationMembership.organization.id === organizationId + ); +} + +export { + getCurrentOrganizationMembership +}; +//# sourceMappingURL=chunk-IBXKDGSZ.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-IBXKDGSZ.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-IBXKDGSZ.mjs.map new file mode 100644 index 000000000..ce88c97b8 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-IBXKDGSZ.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/organization.ts"],"sourcesContent":["import type { OrganizationMembershipResource } from '@clerk/types';\n\n/**\n * Finds the organization membership for a given organization ID from a list of memberships\n * @param organizationMemberships - Array of organization memberships to search through\n * @param organizationId - ID of the organization to find the membership for\n * @returns The matching organization membership or undefined if not found\n */\nexport function getCurrentOrganizationMembership(\n organizationMemberships: OrganizationMembershipResource[],\n organizationId: string,\n) {\n return organizationMemberships.find(\n organizationMembership => organizationMembership.organization.id === organizationId,\n );\n}\n"],"mappings":";AAQO,SAAS,iCACd,yBACA,gBACA;AACA,SAAO,wBAAwB;AAAA,IAC7B,4BAA0B,uBAAuB,aAAa,OAAO;AAAA,EACvE;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-IFTVZ2LQ.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-IFTVZ2LQ.mjs new file mode 100644 index 000000000..0774cbef4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-IFTVZ2LQ.mjs @@ -0,0 +1,152 @@ +import { + isStaging +} from "./chunk-3TMSNP4L.mjs"; +import { + CURRENT_DEV_INSTANCE_SUFFIXES, + LEGACY_DEV_INSTANCE_SUFFIXES +} from "./chunk-I6MTSTOF.mjs"; + +// src/url.ts +function parseSearchParams(queryString = "") { + if (queryString.startsWith("?")) { + queryString = queryString.slice(1); + } + return new URLSearchParams(queryString); +} +function stripScheme(url = "") { + return (url || "").replace(/^.+:\/\//, ""); +} +function addClerkPrefix(str) { + if (!str) { + return ""; + } + let regex; + if (str.match(/^(clerk\.)+\w*$/)) { + regex = /(clerk\.)*(?=clerk\.)/; + } else if (str.match(/\.clerk.accounts/)) { + return str; + } else { + regex = /^(clerk\.)*/gi; + } + const stripped = str.replace(regex, ""); + return `clerk.${stripped}`; +} +var getClerkJsMajorVersionOrTag = (frontendApi, version) => { + if (!version && isStaging(frontendApi)) { + return "canary"; + } + if (!version) { + return "latest"; + } + return version.split(".")[0] || "latest"; +}; +var getScriptUrl = (frontendApi, { clerkJSVersion }) => { + const noSchemeFrontendApi = frontendApi.replace(/http(s)?:\/\//, ""); + const major = getClerkJsMajorVersionOrTag(frontendApi, clerkJSVersion); + return `https://${noSchemeFrontendApi}/npm/@clerk/clerk-js@${clerkJSVersion || major}/dist/clerk.browser.js`; +}; +function isLegacyDevAccountPortalOrigin(host) { + return LEGACY_DEV_INSTANCE_SUFFIXES.some((legacyDevSuffix) => { + return host.startsWith("accounts.") && host.endsWith(legacyDevSuffix); + }); +} +function isCurrentDevAccountPortalOrigin(host) { + return CURRENT_DEV_INSTANCE_SUFFIXES.some((currentDevSuffix) => { + return host.endsWith(currentDevSuffix) && !host.endsWith(".clerk" + currentDevSuffix); + }); +} +var TRAILING_SLASH_RE = /\/$|\/\?|\/#/; +function hasTrailingSlash(input = "", respectQueryAndFragment) { + if (!respectQueryAndFragment) { + return input.endsWith("/"); + } + return TRAILING_SLASH_RE.test(input); +} +function withTrailingSlash(input = "", respectQueryAndFragment) { + if (!respectQueryAndFragment) { + return input.endsWith("/") ? input : input + "/"; + } + if (hasTrailingSlash(input, true)) { + return input || "/"; + } + let path = input; + let fragment = ""; + const fragmentIndex = input.indexOf("#"); + if (fragmentIndex >= 0) { + path = input.slice(0, fragmentIndex); + fragment = input.slice(fragmentIndex); + if (!path) { + return fragment; + } + } + const [s0, ...s] = path.split("?"); + return s0 + "/" + (s.length > 0 ? `?${s.join("?")}` : "") + fragment; +} +function withoutTrailingSlash(input = "", respectQueryAndFragment) { + if (!respectQueryAndFragment) { + return (hasTrailingSlash(input) ? input.slice(0, -1) : input) || "/"; + } + if (!hasTrailingSlash(input, true)) { + return input || "/"; + } + let path = input; + let fragment = ""; + const fragmentIndex = input.indexOf("#"); + if (fragmentIndex >= 0) { + path = input.slice(0, fragmentIndex); + fragment = input.slice(fragmentIndex); + } + const [s0, ...s] = path.split("?"); + return (s0.slice(0, -1) || "/") + (s.length > 0 ? `?${s.join("?")}` : "") + fragment; +} +function hasLeadingSlash(input = "") { + return input.startsWith("/"); +} +function withoutLeadingSlash(input = "") { + return (hasLeadingSlash(input) ? input.slice(1) : input) || "/"; +} +function withLeadingSlash(input = "") { + return hasLeadingSlash(input) ? input : "/" + input; +} +function cleanDoubleSlashes(input = "") { + return input.split("://").map((string_) => string_.replace(/\/{2,}/g, "/")).join("://"); +} +function isNonEmptyURL(url) { + return url && url !== "/"; +} +var JOIN_LEADING_SLASH_RE = /^\.?\//; +function joinURL(base, ...input) { + let url = base || ""; + for (const segment of input.filter((url2) => isNonEmptyURL(url2))) { + if (url) { + const _segment = segment.replace(JOIN_LEADING_SLASH_RE, ""); + url = withTrailingSlash(url) + _segment; + } else { + url = segment; + } + } + return url; +} +var ABSOLUTE_URL_REGEX = /^[a-zA-Z][a-zA-Z\d+\-.]*?:/; +var isAbsoluteUrl = (url) => ABSOLUTE_URL_REGEX.test(url); + +export { + parseSearchParams, + stripScheme, + addClerkPrefix, + getClerkJsMajorVersionOrTag, + getScriptUrl, + isLegacyDevAccountPortalOrigin, + isCurrentDevAccountPortalOrigin, + hasTrailingSlash, + withTrailingSlash, + withoutTrailingSlash, + hasLeadingSlash, + withoutLeadingSlash, + withLeadingSlash, + cleanDoubleSlashes, + isNonEmptyURL, + joinURL, + isAbsoluteUrl +}; +//# sourceMappingURL=chunk-IFTVZ2LQ.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-IFTVZ2LQ.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-IFTVZ2LQ.mjs.map new file mode 100644 index 000000000..8394879fe --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-IFTVZ2LQ.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/url.ts"],"sourcesContent":["import { CURRENT_DEV_INSTANCE_SUFFIXES, LEGACY_DEV_INSTANCE_SUFFIXES } from './constants';\nimport { isStaging } from './utils/instance';\n\nexport function parseSearchParams(queryString = ''): URLSearchParams {\n if (queryString.startsWith('?')) {\n queryString = queryString.slice(1);\n }\n return new URLSearchParams(queryString);\n}\n\nexport function stripScheme(url = ''): string {\n return (url || '').replace(/^.+:\\/\\//, '');\n}\n\nexport function addClerkPrefix(str: string | undefined) {\n if (!str) {\n return '';\n }\n let regex;\n if (str.match(/^(clerk\\.)+\\w*$/)) {\n regex = /(clerk\\.)*(?=clerk\\.)/;\n } else if (str.match(/\\.clerk.accounts/)) {\n return str;\n } else {\n regex = /^(clerk\\.)*/gi;\n }\n\n const stripped = str.replace(regex, '');\n return `clerk.${stripped}`;\n}\n\n/**\n *\n * Retrieve the clerk-js major tag using the major version from the pkgVersion\n * param or use the frontendApi to determine if the canary tag should be used.\n * The default tag is `latest`.\n */\nexport const getClerkJsMajorVersionOrTag = (frontendApi: string, version?: string) => {\n if (!version && isStaging(frontendApi)) {\n return 'canary';\n }\n\n if (!version) {\n return 'latest';\n }\n\n return version.split('.')[0] || 'latest';\n};\n\n/**\n *\n * Retrieve the clerk-js script url from the frontendApi and the major tag\n * using the {@link getClerkJsMajorVersionOrTag} or a provided clerkJSVersion tag.\n */\nexport const getScriptUrl = (frontendApi: string, { clerkJSVersion }: { clerkJSVersion?: string }) => {\n const noSchemeFrontendApi = frontendApi.replace(/http(s)?:\\/\\//, '');\n const major = getClerkJsMajorVersionOrTag(frontendApi, clerkJSVersion);\n return `https://${noSchemeFrontendApi}/npm/@clerk/clerk-js@${clerkJSVersion || major}/dist/clerk.browser.js`;\n};\n\n// Returns true for hosts such as:\n// * accounts.foo.bar-13.lcl.dev\n// * accounts.foo.bar-13.lclstage.dev\n// * accounts.foo.bar-13.dev.lclclerk.com\nexport function isLegacyDevAccountPortalOrigin(host: string): boolean {\n return LEGACY_DEV_INSTANCE_SUFFIXES.some(legacyDevSuffix => {\n return host.startsWith('accounts.') && host.endsWith(legacyDevSuffix);\n });\n}\n\n// Returns true for hosts such as:\n// * foo-bar-13.accounts.dev\n// * foo-bar-13.accountsstage.dev\n// * foo-bar-13.accounts.lclclerk.com\n// But false for:\n// * foo-bar-13.clerk.accounts.lclclerk.com\nexport function isCurrentDevAccountPortalOrigin(host: string): boolean {\n return CURRENT_DEV_INSTANCE_SUFFIXES.some(currentDevSuffix => {\n return host.endsWith(currentDevSuffix) && !host.endsWith('.clerk' + currentDevSuffix);\n });\n}\n\n/* Functions below are taken from https://github.com/unjs/ufo/blob/main/src/utils.ts. LICENSE: MIT */\n\nconst TRAILING_SLASH_RE = /\\/$|\\/\\?|\\/#/;\n\nexport function hasTrailingSlash(input = '', respectQueryAndFragment?: boolean): boolean {\n if (!respectQueryAndFragment) {\n return input.endsWith('/');\n }\n return TRAILING_SLASH_RE.test(input);\n}\n\nexport function withTrailingSlash(input = '', respectQueryAndFragment?: boolean): string {\n if (!respectQueryAndFragment) {\n return input.endsWith('/') ? input : input + '/';\n }\n if (hasTrailingSlash(input, true)) {\n return input || '/';\n }\n let path = input;\n let fragment = '';\n const fragmentIndex = input.indexOf('#');\n if (fragmentIndex >= 0) {\n path = input.slice(0, fragmentIndex);\n fragment = input.slice(fragmentIndex);\n if (!path) {\n return fragment;\n }\n }\n const [s0, ...s] = path.split('?');\n return s0 + '/' + (s.length > 0 ? `?${s.join('?')}` : '') + fragment;\n}\n\nexport function withoutTrailingSlash(input = '', respectQueryAndFragment?: boolean): string {\n if (!respectQueryAndFragment) {\n return (hasTrailingSlash(input) ? input.slice(0, -1) : input) || '/';\n }\n if (!hasTrailingSlash(input, true)) {\n return input || '/';\n }\n let path = input;\n let fragment = '';\n const fragmentIndex = input.indexOf('#');\n if (fragmentIndex >= 0) {\n path = input.slice(0, fragmentIndex);\n fragment = input.slice(fragmentIndex);\n }\n const [s0, ...s] = path.split('?');\n return (s0.slice(0, -1) || '/') + (s.length > 0 ? `?${s.join('?')}` : '') + fragment;\n}\n\nexport function hasLeadingSlash(input = ''): boolean {\n return input.startsWith('/');\n}\n\nexport function withoutLeadingSlash(input = ''): string {\n return (hasLeadingSlash(input) ? input.slice(1) : input) || '/';\n}\n\nexport function withLeadingSlash(input = ''): string {\n return hasLeadingSlash(input) ? input : '/' + input;\n}\n\nexport function cleanDoubleSlashes(input = ''): string {\n return input\n .split('://')\n .map(string_ => string_.replace(/\\/{2,}/g, '/'))\n .join('://');\n}\n\nexport function isNonEmptyURL(url: string) {\n return url && url !== '/';\n}\n\nconst JOIN_LEADING_SLASH_RE = /^\\.?\\//;\n\nexport function joinURL(base: string, ...input: string[]): string {\n let url = base || '';\n\n for (const segment of input.filter(url => isNonEmptyURL(url))) {\n if (url) {\n // TODO: Handle .. when joining\n const _segment = segment.replace(JOIN_LEADING_SLASH_RE, '');\n url = withTrailingSlash(url) + _segment;\n } else {\n url = segment;\n }\n }\n\n return url;\n}\n\n/* Code below is taken from https://github.com/vercel/next.js/blob/fe7ff3f468d7651a92865350bfd0f16ceba27db5/packages/next/src/shared/lib/utils.ts. LICENSE: MIT */\n\n// Scheme: https://tools.ietf.org/html/rfc3986#section-3.1\n// Absolute URL: https://tools.ietf.org/html/rfc3986#section-4.3\nconst ABSOLUTE_URL_REGEX = /^[a-zA-Z][a-zA-Z\\d+\\-.]*?:/;\nexport const isAbsoluteUrl = (url: string) => ABSOLUTE_URL_REGEX.test(url);\n"],"mappings":";;;;;;;;;AAGO,SAAS,kBAAkB,cAAc,IAAqB;AACnE,MAAI,YAAY,WAAW,GAAG,GAAG;AAC/B,kBAAc,YAAY,MAAM,CAAC;AAAA,EACnC;AACA,SAAO,IAAI,gBAAgB,WAAW;AACxC;AAEO,SAAS,YAAY,MAAM,IAAY;AAC5C,UAAQ,OAAO,IAAI,QAAQ,YAAY,EAAE;AAC3C;AAEO,SAAS,eAAe,KAAyB;AACtD,MAAI,CAAC,KAAK;AACR,WAAO;AAAA,EACT;AACA,MAAI;AACJ,MAAI,IAAI,MAAM,iBAAiB,GAAG;AAChC,YAAQ;AAAA,EACV,WAAW,IAAI,MAAM,kBAAkB,GAAG;AACxC,WAAO;AAAA,EACT,OAAO;AACL,YAAQ;AAAA,EACV;AAEA,QAAM,WAAW,IAAI,QAAQ,OAAO,EAAE;AACtC,SAAO,SAAS,QAAQ;AAC1B;AAQO,IAAM,8BAA8B,CAAC,aAAqB,YAAqB;AACpF,MAAI,CAAC,WAAW,UAAU,WAAW,GAAG;AACtC,WAAO;AAAA,EACT;AAEA,MAAI,CAAC,SAAS;AACZ,WAAO;AAAA,EACT;AAEA,SAAO,QAAQ,MAAM,GAAG,EAAE,CAAC,KAAK;AAClC;AAOO,IAAM,eAAe,CAAC,aAAqB,EAAE,eAAe,MAAmC;AACpG,QAAM,sBAAsB,YAAY,QAAQ,iBAAiB,EAAE;AACnE,QAAM,QAAQ,4BAA4B,aAAa,cAAc;AACrE,SAAO,WAAW,mBAAmB,wBAAwB,kBAAkB,KAAK;AACtF;AAMO,SAAS,+BAA+B,MAAuB;AACpE,SAAO,6BAA6B,KAAK,qBAAmB;AAC1D,WAAO,KAAK,WAAW,WAAW,KAAK,KAAK,SAAS,eAAe;AAAA,EACtE,CAAC;AACH;AAQO,SAAS,gCAAgC,MAAuB;AACrE,SAAO,8BAA8B,KAAK,sBAAoB;AAC5D,WAAO,KAAK,SAAS,gBAAgB,KAAK,CAAC,KAAK,SAAS,WAAW,gBAAgB;AAAA,EACtF,CAAC;AACH;AAIA,IAAM,oBAAoB;AAEnB,SAAS,iBAAiB,QAAQ,IAAI,yBAA4C;AACvF,MAAI,CAAC,yBAAyB;AAC5B,WAAO,MAAM,SAAS,GAAG;AAAA,EAC3B;AACA,SAAO,kBAAkB,KAAK,KAAK;AACrC;AAEO,SAAS,kBAAkB,QAAQ,IAAI,yBAA2C;AACvF,MAAI,CAAC,yBAAyB;AAC5B,WAAO,MAAM,SAAS,GAAG,IAAI,QAAQ,QAAQ;AAAA,EAC/C;AACA,MAAI,iBAAiB,OAAO,IAAI,GAAG;AACjC,WAAO,SAAS;AAAA,EAClB;AACA,MAAI,OAAO;AACX,MAAI,WAAW;AACf,QAAM,gBAAgB,MAAM,QAAQ,GAAG;AACvC,MAAI,iBAAiB,GAAG;AACtB,WAAO,MAAM,MAAM,GAAG,aAAa;AACnC,eAAW,MAAM,MAAM,aAAa;AACpC,QAAI,CAAC,MAAM;AACT,aAAO;AAAA,IACT;AAAA,EACF;AACA,QAAM,CAAC,IAAI,GAAG,CAAC,IAAI,KAAK,MAAM,GAAG;AACjC,SAAO,KAAK,OAAO,EAAE,SAAS,IAAI,IAAI,EAAE,KAAK,GAAG,CAAC,KAAK,MAAM;AAC9D;AAEO,SAAS,qBAAqB,QAAQ,IAAI,yBAA2C;AAC1F,MAAI,CAAC,yBAAyB;AAC5B,YAAQ,iBAAiB,KAAK,IAAI,MAAM,MAAM,GAAG,EAAE,IAAI,UAAU;AAAA,EACnE;AACA,MAAI,CAAC,iBAAiB,OAAO,IAAI,GAAG;AAClC,WAAO,SAAS;AAAA,EAClB;AACA,MAAI,OAAO;AACX,MAAI,WAAW;AACf,QAAM,gBAAgB,MAAM,QAAQ,GAAG;AACvC,MAAI,iBAAiB,GAAG;AACtB,WAAO,MAAM,MAAM,GAAG,aAAa;AACnC,eAAW,MAAM,MAAM,aAAa;AAAA,EACtC;AACA,QAAM,CAAC,IAAI,GAAG,CAAC,IAAI,KAAK,MAAM,GAAG;AACjC,UAAQ,GAAG,MAAM,GAAG,EAAE,KAAK,QAAQ,EAAE,SAAS,IAAI,IAAI,EAAE,KAAK,GAAG,CAAC,KAAK,MAAM;AAC9E;AAEO,SAAS,gBAAgB,QAAQ,IAAa;AACnD,SAAO,MAAM,WAAW,GAAG;AAC7B;AAEO,SAAS,oBAAoB,QAAQ,IAAY;AACtD,UAAQ,gBAAgB,KAAK,IAAI,MAAM,MAAM,CAAC,IAAI,UAAU;AAC9D;AAEO,SAAS,iBAAiB,QAAQ,IAAY;AACnD,SAAO,gBAAgB,KAAK,IAAI,QAAQ,MAAM;AAChD;AAEO,SAAS,mBAAmB,QAAQ,IAAY;AACrD,SAAO,MACJ,MAAM,KAAK,EACX,IAAI,aAAW,QAAQ,QAAQ,WAAW,GAAG,CAAC,EAC9C,KAAK,KAAK;AACf;AAEO,SAAS,cAAc,KAAa;AACzC,SAAO,OAAO,QAAQ;AACxB;AAEA,IAAM,wBAAwB;AAEvB,SAAS,QAAQ,SAAiB,OAAyB;AAChE,MAAI,MAAM,QAAQ;AAElB,aAAW,WAAW,MAAM,OAAO,CAAAA,SAAO,cAAcA,IAAG,CAAC,GAAG;AAC7D,QAAI,KAAK;AAEP,YAAM,WAAW,QAAQ,QAAQ,uBAAuB,EAAE;AAC1D,YAAM,kBAAkB,GAAG,IAAI;AAAA,IACjC,OAAO;AACL,YAAM;AAAA,IACR;AAAA,EACF;AAEA,SAAO;AACT;AAMA,IAAM,qBAAqB;AACpB,IAAM,gBAAgB,CAAC,QAAgB,mBAAmB,KAAK,GAAG;","names":["url"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JJHTUJGL.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JJHTUJGL.mjs new file mode 100644 index 000000000..5044d4973 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JJHTUJGL.mjs @@ -0,0 +1,265 @@ +// src/compiled/path-to-regexp/index.js +function _(r) { + for (var n = [], e = 0; e < r.length; ) { + var a = r[e]; + if (a === "*" || a === "+" || a === "?") { + n.push({ + type: "MODIFIER", + index: e, + value: r[e++] + }); + continue; + } + if (a === "\\") { + n.push({ + type: "ESCAPED_CHAR", + index: e++, + value: r[e++] + }); + continue; + } + if (a === "{") { + n.push({ + type: "OPEN", + index: e, + value: r[e++] + }); + continue; + } + if (a === "}") { + n.push({ + type: "CLOSE", + index: e, + value: r[e++] + }); + continue; + } + if (a === ":") { + for (var u = "", t = e + 1; t < r.length; ) { + var c = r.charCodeAt(t); + if (c >= 48 && c <= 57 || c >= 65 && c <= 90 || c >= 97 && c <= 122 || c === 95) { + u += r[t++]; + continue; + } + break; + } + if (!u) throw new TypeError("Missing parameter name at ".concat(e)); + n.push({ + type: "NAME", + index: e, + value: u + }), e = t; + continue; + } + if (a === "(") { + var o = 1, m = "", t = e + 1; + if (r[t] === "?") throw new TypeError('Pattern cannot start with "?" at '.concat(t)); + for (; t < r.length; ) { + if (r[t] === "\\") { + m += r[t++] + r[t++]; + continue; + } + if (r[t] === ")") { + if (o--, o === 0) { + t++; + break; + } + } else if (r[t] === "(" && (o++, r[t + 1] !== "?")) + throw new TypeError("Capturing groups are not allowed at ".concat(t)); + m += r[t++]; + } + if (o) throw new TypeError("Unbalanced pattern at ".concat(e)); + if (!m) throw new TypeError("Missing pattern at ".concat(e)); + n.push({ + type: "PATTERN", + index: e, + value: m + }), e = t; + continue; + } + n.push({ + type: "CHAR", + index: e, + value: r[e++] + }); + } + return n.push({ + type: "END", + index: e, + value: "" + }), n; +} +function F(r, n) { + n === void 0 && (n = {}); + for (var e = _(r), a = n.prefixes, u = a === void 0 ? "./" : a, t = n.delimiter, c = t === void 0 ? "/#?" : t, o = [], m = 0, h = 0, p = "", f = function(l) { + if (h < e.length && e[h].type === l) return e[h++].value; + }, w = function(l) { + var v = f(l); + if (v !== void 0) return v; + var E = e[h], N = E.type, S = E.index; + throw new TypeError("Unexpected ".concat(N, " at ").concat(S, ", expected ").concat(l)); + }, d = function() { + for (var l = "", v; v = f("CHAR") || f("ESCAPED_CHAR"); ) l += v; + return l; + }, M = function(l) { + for (var v = 0, E = c; v < E.length; v++) { + var N = E[v]; + if (l.indexOf(N) > -1) return true; + } + return false; + }, A = function(l) { + var v = o[o.length - 1], E = l || (v && typeof v == "string" ? v : ""); + if (v && !E) + throw new TypeError('Must have text between two parameters, missing text after "'.concat(v.name, '"')); + return !E || M(E) ? "[^".concat(s(c), "]+?") : "(?:(?!".concat(s(E), ")[^").concat(s(c), "])+?"); + }; h < e.length; ) { + var T = f("CHAR"), x = f("NAME"), C = f("PATTERN"); + if (x || C) { + var g = T || ""; + u.indexOf(g) === -1 && (p += g, g = ""), p && (o.push(p), p = ""), o.push({ + name: x || m++, + prefix: g, + suffix: "", + pattern: C || A(g), + modifier: f("MODIFIER") || "" + }); + continue; + } + var i = T || f("ESCAPED_CHAR"); + if (i) { + p += i; + continue; + } + p && (o.push(p), p = ""); + var R = f("OPEN"); + if (R) { + var g = d(), y = f("NAME") || "", O = f("PATTERN") || "", b = d(); + w("CLOSE"), o.push({ + name: y || (O ? m++ : ""), + pattern: y && !O ? A(g) : O, + prefix: g, + suffix: b, + modifier: f("MODIFIER") || "" + }); + continue; + } + w("END"); + } + return o; +} +function H(r, n) { + var e = [], a = P(r, e, n); + return I(a, e, n); +} +function I(r, n, e) { + e === void 0 && (e = {}); + var a = e.decode, u = a === void 0 ? function(t) { + return t; + } : a; + return function(t) { + var c = r.exec(t); + if (!c) return false; + for (var o = c[0], m = c.index, h = /* @__PURE__ */ Object.create(null), p = function(w) { + if (c[w] === void 0) return "continue"; + var d = n[w - 1]; + d.modifier === "*" || d.modifier === "+" ? h[d.name] = c[w].split(d.prefix + d.suffix).map(function(M) { + return u(M, d); + }) : h[d.name] = u(c[w], d); + }, f = 1; f < c.length; f++) + p(f); + return { + path: o, + index: m, + params: h + }; + }; +} +function s(r) { + return r.replace(/([.+*?=^!:${}()[\]|/\\])/g, "\\$1"); +} +function D(r) { + return r && r.sensitive ? "" : "i"; +} +function $(r, n) { + if (!n) return r; + for (var e = /\((?:\?<(.*?)>)?(?!\?)/g, a = 0, u = e.exec(r.source); u; ) + n.push({ + name: u[1] || a++, + prefix: "", + suffix: "", + modifier: "", + pattern: "" + }), u = e.exec(r.source); + return r; +} +function W(r, n, e) { + var a = r.map(function(u) { + return P(u, n, e).source; + }); + return new RegExp("(?:".concat(a.join("|"), ")"), D(e)); +} +function L(r, n, e) { + return U(F(r, e), n, e); +} +function U(r, n, e) { + e === void 0 && (e = {}); + for (var a = e.strict, u = a === void 0 ? false : a, t = e.start, c = t === void 0 ? true : t, o = e.end, m = o === void 0 ? true : o, h = e.encode, p = h === void 0 ? function(v) { + return v; + } : h, f = e.delimiter, w = f === void 0 ? "/#?" : f, d = e.endsWith, M = d === void 0 ? "" : d, A = "[".concat(s(M), "]|$"), T = "[".concat(s(w), "]"), x = c ? "^" : "", C = 0, g = r; C < g.length; C++) { + var i = g[C]; + if (typeof i == "string") x += s(p(i)); + else { + var R = s(p(i.prefix)), y = s(p(i.suffix)); + if (i.pattern) + if (n && n.push(i), R || y) + if (i.modifier === "+" || i.modifier === "*") { + var O = i.modifier === "*" ? "?" : ""; + x += "(?:".concat(R, "((?:").concat(i.pattern, ")(?:").concat(y).concat(R, "(?:").concat(i.pattern, "))*)").concat(y, ")").concat(O); + } else x += "(?:".concat(R, "(").concat(i.pattern, ")").concat(y, ")").concat(i.modifier); + else { + if (i.modifier === "+" || i.modifier === "*") + throw new TypeError('Can not repeat "'.concat(i.name, '" without a prefix and suffix')); + x += "(".concat(i.pattern, ")").concat(i.modifier); + } + else x += "(?:".concat(R).concat(y, ")").concat(i.modifier); + } + } + if (m) u || (x += "".concat(T, "?")), x += e.endsWith ? "(?=".concat(A, ")") : "$"; + else { + var b = r[r.length - 1], l = typeof b == "string" ? T.indexOf(b[b.length - 1]) > -1 : b === void 0; + u || (x += "(?:".concat(T, "(?=").concat(A, "))?")), l || (x += "(?=".concat(T, "|").concat(A, ")")); + } + return new RegExp(x, D(e)); +} +function P(r, n, e) { + return r instanceof RegExp ? $(r, n) : Array.isArray(r) ? W(r, n, e) : L(r, n, e); +} + +// src/pathToRegexp.ts +var pathToRegexp = (path) => { + try { + return P(path); + } catch (e) { + throw new Error( + `Invalid path: ${path}. +Consult the documentation of path-to-regexp here: https://github.com/pillarjs/path-to-regexp/tree/6.x +${e.message}` + ); + } +}; +function match(str, options) { + try { + return H(str, options); + } catch (e) { + throw new Error( + `Invalid path and options: Consult the documentation of path-to-regexp here: https://github.com/pillarjs/path-to-regexp/tree/6.x +${e.message}` + ); + } +} + +export { + pathToRegexp, + match +}; +//# sourceMappingURL=chunk-JJHTUJGL.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JJHTUJGL.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JJHTUJGL.mjs.map new file mode 100644 index 000000000..a1e424ffc --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JJHTUJGL.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/compiled/path-to-regexp/index.js","../src/pathToRegexp.ts"],"sourcesContent":["/* eslint-disable no-redeclare, curly */\n\nfunction _(r) {\n for (var n = [], e = 0; e < r.length; ) {\n var a = r[e];\n if (a === '*' || a === '+' || a === '?') {\n n.push({\n type: 'MODIFIER',\n index: e,\n value: r[e++],\n });\n continue;\n }\n if (a === '\\\\') {\n n.push({\n type: 'ESCAPED_CHAR',\n index: e++,\n value: r[e++],\n });\n continue;\n }\n if (a === '{') {\n n.push({\n type: 'OPEN',\n index: e,\n value: r[e++],\n });\n continue;\n }\n if (a === '}') {\n n.push({\n type: 'CLOSE',\n index: e,\n value: r[e++],\n });\n continue;\n }\n if (a === ':') {\n for (var u = '', t = e + 1; t < r.length; ) {\n var c = r.charCodeAt(t);\n if ((c >= 48 && c <= 57) || (c >= 65 && c <= 90) || (c >= 97 && c <= 122) || c === 95) {\n u += r[t++];\n continue;\n }\n break;\n }\n if (!u) throw new TypeError('Missing parameter name at '.concat(e));\n n.push({\n type: 'NAME',\n index: e,\n value: u,\n }),\n (e = t);\n continue;\n }\n if (a === '(') {\n var o = 1,\n m = '',\n t = e + 1;\n if (r[t] === '?') throw new TypeError('Pattern cannot start with \"?\" at '.concat(t));\n for (; t < r.length; ) {\n if (r[t] === '\\\\') {\n m += r[t++] + r[t++];\n continue;\n }\n if (r[t] === ')') {\n if ((o--, o === 0)) {\n t++;\n break;\n }\n } else if (r[t] === '(' && (o++, r[t + 1] !== '?'))\n throw new TypeError('Capturing groups are not allowed at '.concat(t));\n m += r[t++];\n }\n if (o) throw new TypeError('Unbalanced pattern at '.concat(e));\n if (!m) throw new TypeError('Missing pattern at '.concat(e));\n n.push({\n type: 'PATTERN',\n index: e,\n value: m,\n }),\n (e = t);\n continue;\n }\n n.push({\n type: 'CHAR',\n index: e,\n value: r[e++],\n });\n }\n return (\n n.push({\n type: 'END',\n index: e,\n value: '',\n }),\n n\n );\n}\n\nfunction F(r, n) {\n n === void 0 && (n = {});\n for (\n var e = _(r),\n a = n.prefixes,\n u = a === void 0 ? './' : a,\n t = n.delimiter,\n c = t === void 0 ? '/#?' : t,\n o = [],\n m = 0,\n h = 0,\n p = '',\n f = function (l) {\n if (h < e.length && e[h].type === l) return e[h++].value;\n },\n w = function (l) {\n var v = f(l);\n if (v !== void 0) return v;\n var E = e[h],\n N = E.type,\n S = E.index;\n throw new TypeError('Unexpected '.concat(N, ' at ').concat(S, ', expected ').concat(l));\n },\n d = function () {\n for (var l = '', v; (v = f('CHAR') || f('ESCAPED_CHAR')); ) l += v;\n return l;\n },\n M = function (l) {\n for (var v = 0, E = c; v < E.length; v++) {\n var N = E[v];\n if (l.indexOf(N) > -1) return !0;\n }\n return !1;\n },\n A = function (l) {\n var v = o[o.length - 1],\n E = l || (v && typeof v == 'string' ? v : '');\n if (v && !E)\n throw new TypeError('Must have text between two parameters, missing text after \"'.concat(v.name, '\"'));\n return !E || M(E) ? '[^'.concat(s(c), ']+?') : '(?:(?!'.concat(s(E), ')[^').concat(s(c), '])+?');\n };\n h < e.length;\n\n ) {\n var T = f('CHAR'),\n x = f('NAME'),\n C = f('PATTERN');\n if (x || C) {\n var g = T || '';\n u.indexOf(g) === -1 && ((p += g), (g = '')),\n p && (o.push(p), (p = '')),\n o.push({\n name: x || m++,\n prefix: g,\n suffix: '',\n pattern: C || A(g),\n modifier: f('MODIFIER') || '',\n });\n continue;\n }\n var i = T || f('ESCAPED_CHAR');\n if (i) {\n p += i;\n continue;\n }\n p && (o.push(p), (p = ''));\n var R = f('OPEN');\n if (R) {\n var g = d(),\n y = f('NAME') || '',\n O = f('PATTERN') || '',\n b = d();\n w('CLOSE'),\n o.push({\n name: y || (O ? m++ : ''),\n pattern: y && !O ? A(g) : O,\n prefix: g,\n suffix: b,\n modifier: f('MODIFIER') || '',\n });\n continue;\n }\n w('END');\n }\n return o;\n}\n\nfunction H(r, n) {\n var e = [],\n a = P(r, e, n);\n return I(a, e, n);\n}\n\nfunction I(r, n, e) {\n e === void 0 && (e = {});\n var a = e.decode,\n u =\n a === void 0\n ? function (t) {\n return t;\n }\n : a;\n return function (t) {\n var c = r.exec(t);\n if (!c) return !1;\n for (\n var o = c[0],\n m = c.index,\n h = Object.create(null),\n p = function (w) {\n if (c[w] === void 0) return 'continue';\n var d = n[w - 1];\n d.modifier === '*' || d.modifier === '+'\n ? (h[d.name] = c[w].split(d.prefix + d.suffix).map(function (M) {\n return u(M, d);\n }))\n : (h[d.name] = u(c[w], d));\n },\n f = 1;\n f < c.length;\n f++\n )\n p(f);\n return {\n path: o,\n index: m,\n params: h,\n };\n };\n}\n\nfunction s(r) {\n return r.replace(/([.+*?=^!:${}()[\\]|/\\\\])/g, '\\\\$1');\n}\n\nfunction D(r) {\n return r && r.sensitive ? '' : 'i';\n}\n\nfunction $(r, n) {\n if (!n) return r;\n for (var e = /\\((?:\\?<(.*?)>)?(?!\\?)/g, a = 0, u = e.exec(r.source); u; )\n n.push({\n name: u[1] || a++,\n prefix: '',\n suffix: '',\n modifier: '',\n pattern: '',\n }),\n (u = e.exec(r.source));\n return r;\n}\n\nfunction W(r, n, e) {\n var a = r.map(function (u) {\n return P(u, n, e).source;\n });\n return new RegExp('(?:'.concat(a.join('|'), ')'), D(e));\n}\n\nfunction L(r, n, e) {\n return U(F(r, e), n, e);\n}\n\nfunction U(r, n, e) {\n e === void 0 && (e = {});\n for (\n var a = e.strict,\n u = a === void 0 ? !1 : a,\n t = e.start,\n c = t === void 0 ? !0 : t,\n o = e.end,\n m = o === void 0 ? !0 : o,\n h = e.encode,\n p =\n h === void 0\n ? function (v) {\n return v;\n }\n : h,\n f = e.delimiter,\n w = f === void 0 ? '/#?' : f,\n d = e.endsWith,\n M = d === void 0 ? '' : d,\n A = '['.concat(s(M), ']|$'),\n T = '['.concat(s(w), ']'),\n x = c ? '^' : '',\n C = 0,\n g = r;\n C < g.length;\n C++\n ) {\n var i = g[C];\n if (typeof i == 'string') x += s(p(i));\n else {\n var R = s(p(i.prefix)),\n y = s(p(i.suffix));\n if (i.pattern)\n if ((n && n.push(i), R || y))\n if (i.modifier === '+' || i.modifier === '*') {\n var O = i.modifier === '*' ? '?' : '';\n x += '(?:'\n .concat(R, '((?:')\n .concat(i.pattern, ')(?:')\n .concat(y)\n .concat(R, '(?:')\n .concat(i.pattern, '))*)')\n .concat(y, ')')\n .concat(O);\n } else x += '(?:'.concat(R, '(').concat(i.pattern, ')').concat(y, ')').concat(i.modifier);\n else {\n if (i.modifier === '+' || i.modifier === '*')\n throw new TypeError('Can not repeat \"'.concat(i.name, '\" without a prefix and suffix'));\n x += '('.concat(i.pattern, ')').concat(i.modifier);\n }\n else x += '(?:'.concat(R).concat(y, ')').concat(i.modifier);\n }\n }\n if (m) u || (x += ''.concat(T, '?')), (x += e.endsWith ? '(?='.concat(A, ')') : '$');\n else {\n var b = r[r.length - 1],\n l = typeof b == 'string' ? T.indexOf(b[b.length - 1]) > -1 : b === void 0;\n u || (x += '(?:'.concat(T, '(?=').concat(A, '))?')), l || (x += '(?='.concat(T, '|').concat(A, ')'));\n }\n return new RegExp(x, D(e));\n}\n\nfunction P(r, n, e) {\n return r instanceof RegExp ? $(r, n) : Array.isArray(r) ? W(r, n, e) : L(r, n, e);\n}\nexport { H as match, P as pathToRegexp };\n","import type {\n Match,\n MatchFunction,\n ParseOptions,\n Path,\n RegexpToFunctionOptions,\n TokensToRegexpOptions,\n} from './compiled/path-to-regexp';\nimport { match as matchBase, pathToRegexp as pathToRegexpBase } from './compiled/path-to-regexp';\n\nexport const pathToRegexp = (path: string) => {\n try {\n // @ts-ignore no types exists for the pre-compiled package\n return pathToRegexpBase(path);\n } catch (e: any) {\n throw new Error(\n `Invalid path: ${path}.\\nConsult the documentation of path-to-regexp here: https://github.com/pillarjs/path-to-regexp/tree/6.x\\n${e.message}`,\n );\n }\n};\n\nexport function match

(\n str: Path,\n options?: ParseOptions & TokensToRegexpOptions & RegexpToFunctionOptions,\n): MatchFunction

{\n try {\n // @ts-ignore no types exists for the pre-compiled package\n return matchBase(str, options);\n } catch (e: any) {\n throw new Error(\n `Invalid path and options: Consult the documentation of path-to-regexp here: https://github.com/pillarjs/path-to-regexp/tree/6.x\\n${e.message}`,\n );\n }\n}\n\nexport { type Match, type MatchFunction };\n"],"mappings":";AAEA,SAAS,EAAE,GAAG;AACZ,WAAS,IAAI,CAAC,GAAG,IAAI,GAAG,IAAI,EAAE,UAAU;AACtC,QAAI,IAAI,EAAE,CAAC;AACX,QAAI,MAAM,OAAO,MAAM,OAAO,MAAM,KAAK;AACvC,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,MAAM;AACd,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,eAAS,IAAI,IAAI,IAAI,IAAI,GAAG,IAAI,EAAE,UAAU;AAC1C,YAAI,IAAI,EAAE,WAAW,CAAC;AACtB,YAAK,KAAK,MAAM,KAAK,MAAQ,KAAK,MAAM,KAAK,MAAQ,KAAK,MAAM,KAAK,OAAQ,MAAM,IAAI;AACrF,eAAK,EAAE,GAAG;AACV;AAAA,QACF;AACA;AAAA,MACF;AACA,UAAI,CAAC,EAAG,OAAM,IAAI,UAAU,6BAA6B,OAAO,CAAC,CAAC;AAClE,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO;AAAA,MACT,CAAC,GACE,IAAI;AACP;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,UAAI,IAAI,GACN,IAAI,IACJ,IAAI,IAAI;AACV,UAAI,EAAE,CAAC,MAAM,IAAK,OAAM,IAAI,UAAU,oCAAoC,OAAO,CAAC,CAAC;AACnF,aAAO,IAAI,EAAE,UAAU;AACrB,YAAI,EAAE,CAAC,MAAM,MAAM;AACjB,eAAK,EAAE,GAAG,IAAI,EAAE,GAAG;AACnB;AAAA,QACF;AACA,YAAI,EAAE,CAAC,MAAM,KAAK;AAChB,cAAK,KAAK,MAAM,GAAI;AAClB;AACA;AAAA,UACF;AAAA,QACF,WAAW,EAAE,CAAC,MAAM,QAAQ,KAAK,EAAE,IAAI,CAAC,MAAM;AAC5C,gBAAM,IAAI,UAAU,uCAAuC,OAAO,CAAC,CAAC;AACtE,aAAK,EAAE,GAAG;AAAA,MACZ;AACA,UAAI,EAAG,OAAM,IAAI,UAAU,yBAAyB,OAAO,CAAC,CAAC;AAC7D,UAAI,CAAC,EAAG,OAAM,IAAI,UAAU,sBAAsB,OAAO,CAAC,CAAC;AAC3D,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO;AAAA,MACT,CAAC,GACE,IAAI;AACP;AAAA,IACF;AACA,MAAE,KAAK;AAAA,MACL,MAAM;AAAA,MACN,OAAO;AAAA,MACP,OAAO,EAAE,GAAG;AAAA,IACd,CAAC;AAAA,EACH;AACA,SACE,EAAE,KAAK;AAAA,IACL,MAAM;AAAA,IACN,OAAO;AAAA,IACP,OAAO;AAAA,EACT,CAAC,GACD;AAEJ;AAEA,SAAS,EAAE,GAAG,GAAG;AACf,QAAM,WAAW,IAAI,CAAC;AACtB,WACM,IAAI,EAAE,CAAC,GACT,IAAI,EAAE,UACN,IAAI,MAAM,SAAS,OAAO,GAC1B,IAAI,EAAE,WACN,IAAI,MAAM,SAAS,QAAQ,GAC3B,IAAI,CAAC,GACL,IAAI,GACJ,IAAI,GACJ,IAAI,IACJ,IAAI,SAAU,GAAG;AACf,QAAI,IAAI,EAAE,UAAU,EAAE,CAAC,EAAE,SAAS,EAAG,QAAO,EAAE,GAAG,EAAE;AAAA,EACrD,GACA,IAAI,SAAU,GAAG;AACf,QAAI,IAAI,EAAE,CAAC;AACX,QAAI,MAAM,OAAQ,QAAO;AACzB,QAAI,IAAI,EAAE,CAAC,GACT,IAAI,EAAE,MACN,IAAI,EAAE;AACR,UAAM,IAAI,UAAU,cAAc,OAAO,GAAG,MAAM,EAAE,OAAO,GAAG,aAAa,EAAE,OAAO,CAAC,CAAC;AAAA,EACxF,GACA,IAAI,WAAY;AACd,aAAS,IAAI,IAAI,GAAI,IAAI,EAAE,MAAM,KAAK,EAAE,cAAc,IAAM,MAAK;AACjE,WAAO;AAAA,EACT,GACA,IAAI,SAAU,GAAG;AACf,aAAS,IAAI,GAAG,IAAI,GAAG,IAAI,EAAE,QAAQ,KAAK;AACxC,UAAI,IAAI,EAAE,CAAC;AACX,UAAI,EAAE,QAAQ,CAAC,IAAI,GAAI,QAAO;AAAA,IAChC;AACA,WAAO;AAAA,EACT,GACA,IAAI,SAAU,GAAG;AACf,QAAI,IAAI,EAAE,EAAE,SAAS,CAAC,GACpB,IAAI,MAAM,KAAK,OAAO,KAAK,WAAW,IAAI;AAC5C,QAAI,KAAK,CAAC;AACR,YAAM,IAAI,UAAU,8DAA8D,OAAO,EAAE,MAAM,GAAG,CAAC;AACvG,WAAO,CAAC,KAAK,EAAE,CAAC,IAAI,KAAK,OAAO,EAAE,CAAC,GAAG,KAAK,IAAI,SAAS,OAAO,EAAE,CAAC,GAAG,KAAK,EAAE,OAAO,EAAE,CAAC,GAAG,MAAM;AAAA,EACjG,GACF,IAAI,EAAE,UAEN;AACA,QAAI,IAAI,EAAE,MAAM,GACd,IAAI,EAAE,MAAM,GACZ,IAAI,EAAE,SAAS;AACjB,QAAI,KAAK,GAAG;AACV,UAAI,IAAI,KAAK;AACb,QAAE,QAAQ,CAAC,MAAM,OAAQ,KAAK,GAAK,IAAI,KACrC,MAAM,EAAE,KAAK,CAAC,GAAI,IAAI,KACtB,EAAE,KAAK;AAAA,QACL,MAAM,KAAK;AAAA,QACX,QAAQ;AAAA,QACR,QAAQ;AAAA,QACR,SAAS,KAAK,EAAE,CAAC;AAAA,QACjB,UAAU,EAAE,UAAU,KAAK;AAAA,MAC7B,CAAC;AACH;AAAA,IACF;AACA,QAAI,IAAI,KAAK,EAAE,cAAc;AAC7B,QAAI,GAAG;AACL,WAAK;AACL;AAAA,IACF;AACA,UAAM,EAAE,KAAK,CAAC,GAAI,IAAI;AACtB,QAAI,IAAI,EAAE,MAAM;AAChB,QAAI,GAAG;AACL,UAAI,IAAI,EAAE,GACR,IAAI,EAAE,MAAM,KAAK,IACjB,IAAI,EAAE,SAAS,KAAK,IACpB,IAAI,EAAE;AACR,QAAE,OAAO,GACP,EAAE,KAAK;AAAA,QACL,MAAM,MAAM,IAAI,MAAM;AAAA,QACtB,SAAS,KAAK,CAAC,IAAI,EAAE,CAAC,IAAI;AAAA,QAC1B,QAAQ;AAAA,QACR,QAAQ;AAAA,QACR,UAAU,EAAE,UAAU,KAAK;AAAA,MAC7B,CAAC;AACH;AAAA,IACF;AACA,MAAE,KAAK;AAAA,EACT;AACA,SAAO;AACT;AAEA,SAAS,EAAE,GAAG,GAAG;AACf,MAAI,IAAI,CAAC,GACP,IAAI,EAAE,GAAG,GAAG,CAAC;AACf,SAAO,EAAE,GAAG,GAAG,CAAC;AAClB;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,QAAM,WAAW,IAAI,CAAC;AACtB,MAAI,IAAI,EAAE,QACR,IACE,MAAM,SACF,SAAU,GAAG;AACX,WAAO;AAAA,EACT,IACA;AACR,SAAO,SAAU,GAAG;AAClB,QAAI,IAAI,EAAE,KAAK,CAAC;AAChB,QAAI,CAAC,EAAG,QAAO;AACf,aACM,IAAI,EAAE,CAAC,GACT,IAAI,EAAE,OACN,IAAI,uBAAO,OAAO,IAAI,GACtB,IAAI,SAAU,GAAG;AACf,UAAI,EAAE,CAAC,MAAM,OAAQ,QAAO;AAC5B,UAAI,IAAI,EAAE,IAAI,CAAC;AACf,QAAE,aAAa,OAAO,EAAE,aAAa,MAChC,EAAE,EAAE,IAAI,IAAI,EAAE,CAAC,EAAE,MAAM,EAAE,SAAS,EAAE,MAAM,EAAE,IAAI,SAAU,GAAG;AAC5D,eAAO,EAAE,GAAG,CAAC;AAAA,MACf,CAAC,IACA,EAAE,EAAE,IAAI,IAAI,EAAE,EAAE,CAAC,GAAG,CAAC;AAAA,IAC5B,GACA,IAAI,GACN,IAAI,EAAE,QACN;AAEA,QAAE,CAAC;AACL,WAAO;AAAA,MACL,MAAM;AAAA,MACN,OAAO;AAAA,MACP,QAAQ;AAAA,IACV;AAAA,EACF;AACF;AAEA,SAAS,EAAE,GAAG;AACZ,SAAO,EAAE,QAAQ,6BAA6B,MAAM;AACtD;AAEA,SAAS,EAAE,GAAG;AACZ,SAAO,KAAK,EAAE,YAAY,KAAK;AACjC;AAEA,SAAS,EAAE,GAAG,GAAG;AACf,MAAI,CAAC,EAAG,QAAO;AACf,WAAS,IAAI,2BAA2B,IAAI,GAAG,IAAI,EAAE,KAAK,EAAE,MAAM,GAAG;AACnE,MAAE,KAAK;AAAA,MACL,MAAM,EAAE,CAAC,KAAK;AAAA,MACd,QAAQ;AAAA,MACR,QAAQ;AAAA,MACR,UAAU;AAAA,MACV,SAAS;AAAA,IACX,CAAC,GACE,IAAI,EAAE,KAAK,EAAE,MAAM;AACxB,SAAO;AACT;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,MAAI,IAAI,EAAE,IAAI,SAAU,GAAG;AACzB,WAAO,EAAE,GAAG,GAAG,CAAC,EAAE;AAAA,EACpB,CAAC;AACD,SAAO,IAAI,OAAO,MAAM,OAAO,EAAE,KAAK,GAAG,GAAG,GAAG,GAAG,EAAE,CAAC,CAAC;AACxD;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,SAAO,EAAE,EAAE,GAAG,CAAC,GAAG,GAAG,CAAC;AACxB;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,QAAM,WAAW,IAAI,CAAC;AACtB,WACM,IAAI,EAAE,QACR,IAAI,MAAM,SAAS,QAAK,GACxB,IAAI,EAAE,OACN,IAAI,MAAM,SAAS,OAAK,GACxB,IAAI,EAAE,KACN,IAAI,MAAM,SAAS,OAAK,GACxB,IAAI,EAAE,QACN,IACE,MAAM,SACF,SAAU,GAAG;AACX,WAAO;AAAA,EACT,IACA,GACN,IAAI,EAAE,WACN,IAAI,MAAM,SAAS,QAAQ,GAC3B,IAAI,EAAE,UACN,IAAI,MAAM,SAAS,KAAK,GACxB,IAAI,IAAI,OAAO,EAAE,CAAC,GAAG,KAAK,GAC1B,IAAI,IAAI,OAAO,EAAE,CAAC,GAAG,GAAG,GACxB,IAAI,IAAI,MAAM,IACd,IAAI,GACJ,IAAI,GACN,IAAI,EAAE,QACN,KACA;AACA,QAAI,IAAI,EAAE,CAAC;AACX,QAAI,OAAO,KAAK,SAAU,MAAK,EAAE,EAAE,CAAC,CAAC;AAAA,SAChC;AACH,UAAI,IAAI,EAAE,EAAE,EAAE,MAAM,CAAC,GACnB,IAAI,EAAE,EAAE,EAAE,MAAM,CAAC;AACnB,UAAI,EAAE;AACJ,YAAK,KAAK,EAAE,KAAK,CAAC,GAAG,KAAK;AACxB,cAAI,EAAE,aAAa,OAAO,EAAE,aAAa,KAAK;AAC5C,gBAAI,IAAI,EAAE,aAAa,MAAM,MAAM;AACnC,iBAAK,MACF,OAAO,GAAG,MAAM,EAChB,OAAO,EAAE,SAAS,MAAM,EACxB,OAAO,CAAC,EACR,OAAO,GAAG,KAAK,EACf,OAAO,EAAE,SAAS,MAAM,EACxB,OAAO,GAAG,GAAG,EACb,OAAO,CAAC;AAAA,UACb,MAAO,MAAK,MAAM,OAAO,GAAG,GAAG,EAAE,OAAO,EAAE,SAAS,GAAG,EAAE,OAAO,GAAG,GAAG,EAAE,OAAO,EAAE,QAAQ;AAAA,aACrF;AACH,cAAI,EAAE,aAAa,OAAO,EAAE,aAAa;AACvC,kBAAM,IAAI,UAAU,mBAAmB,OAAO,EAAE,MAAM,+BAA+B,CAAC;AACxF,eAAK,IAAI,OAAO,EAAE,SAAS,GAAG,EAAE,OAAO,EAAE,QAAQ;AAAA,QACnD;AAAA,UACG,MAAK,MAAM,OAAO,CAAC,EAAE,OAAO,GAAG,GAAG,EAAE,OAAO,EAAE,QAAQ;AAAA,IAC5D;AAAA,EACF;AACA,MAAI,EAAG,OAAM,KAAK,GAAG,OAAO,GAAG,GAAG,IAAK,KAAK,EAAE,WAAW,MAAM,OAAO,GAAG,GAAG,IAAI;AAAA,OAC3E;AACH,QAAI,IAAI,EAAE,EAAE,SAAS,CAAC,GACpB,IAAI,OAAO,KAAK,WAAW,EAAE,QAAQ,EAAE,EAAE,SAAS,CAAC,CAAC,IAAI,KAAK,MAAM;AACrE,UAAM,KAAK,MAAM,OAAO,GAAG,KAAK,EAAE,OAAO,GAAG,KAAK,IAAI,MAAM,KAAK,MAAM,OAAO,GAAG,GAAG,EAAE,OAAO,GAAG,GAAG;AAAA,EACpG;AACA,SAAO,IAAI,OAAO,GAAG,EAAE,CAAC,CAAC;AAC3B;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,SAAO,aAAa,SAAS,EAAE,GAAG,CAAC,IAAI,MAAM,QAAQ,CAAC,IAAI,EAAE,GAAG,GAAG,CAAC,IAAI,EAAE,GAAG,GAAG,CAAC;AAClF;;;AC/TO,IAAM,eAAe,CAAC,SAAiB;AAC5C,MAAI;AAEF,WAAO,EAAiB,IAAI;AAAA,EAC9B,SAAS,GAAQ;AACf,UAAM,IAAI;AAAA,MACR,iBAAiB,IAAI;AAAA;AAAA,EAA6G,EAAE,OAAO;AAAA,IAC7I;AAAA,EACF;AACF;AAEO,SAAS,MACd,KACA,SACkB;AAClB,MAAI;AAEF,WAAO,EAAU,KAAK,OAAO;AAAA,EAC/B,SAAS,GAAQ;AACf,UAAM,IAAI;AAAA,MACR;AAAA,EAAoI,EAAE,OAAO;AAAA,IAC/I;AAAA,EACF;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JKSAJ6AV.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JKSAJ6AV.mjs new file mode 100644 index 000000000..a08e0756a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JKSAJ6AV.mjs @@ -0,0 +1,66 @@ +// src/browser.ts +function inBrowser() { + return typeof window !== "undefined"; +} +var botAgents = [ + "bot", + "spider", + "crawl", + "APIs-Google", + "AdsBot", + "Googlebot", + "mediapartners", + "Google Favicon", + "FeedFetcher", + "Google-Read-Aloud", + "DuplexWeb-Google", + "googleweblight", + "bing", + "yandex", + "baidu", + "duckduck", + "yahoo", + "ecosia", + "ia_archiver", + "facebook", + "instagram", + "pinterest", + "reddit", + "slack", + "twitter", + "whatsapp", + "youtube", + "semrush" +]; +var botAgentRegex = new RegExp(botAgents.join("|"), "i"); +function userAgentIsRobot(userAgent) { + return !userAgent ? false : botAgentRegex.test(userAgent); +} +function isValidBrowser() { + const navigator = inBrowser() ? window?.navigator : null; + if (!navigator) { + return false; + } + return !userAgentIsRobot(navigator?.userAgent) && !navigator?.webdriver; +} +function isBrowserOnline() { + const navigator = inBrowser() ? window?.navigator : null; + if (!navigator) { + return false; + } + const isNavigatorOnline = navigator?.onLine; + const isExperimentalConnectionOnline = navigator?.connection?.rtt !== 0 && navigator?.connection?.downlink !== 0; + return isExperimentalConnectionOnline && isNavigatorOnline; +} +function isValidBrowserOnline() { + return isBrowserOnline() && isValidBrowser(); +} + +export { + inBrowser, + userAgentIsRobot, + isValidBrowser, + isBrowserOnline, + isValidBrowserOnline +}; +//# sourceMappingURL=chunk-JKSAJ6AV.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JKSAJ6AV.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JKSAJ6AV.mjs.map new file mode 100644 index 000000000..5af12cebb --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JKSAJ6AV.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/browser.ts"],"sourcesContent":["/**\n * Checks if the window object is defined. You can also use this to check if something is happening on the client side.\n * @returns {boolean}\n */\nexport function inBrowser(): boolean {\n return typeof window !== 'undefined';\n}\n\nconst botAgents = [\n 'bot',\n 'spider',\n 'crawl',\n 'APIs-Google',\n 'AdsBot',\n 'Googlebot',\n 'mediapartners',\n 'Google Favicon',\n 'FeedFetcher',\n 'Google-Read-Aloud',\n 'DuplexWeb-Google',\n 'googleweblight',\n 'bing',\n 'yandex',\n 'baidu',\n 'duckduck',\n 'yahoo',\n 'ecosia',\n 'ia_archiver',\n 'facebook',\n 'instagram',\n 'pinterest',\n 'reddit',\n 'slack',\n 'twitter',\n 'whatsapp',\n 'youtube',\n 'semrush',\n];\nconst botAgentRegex = new RegExp(botAgents.join('|'), 'i');\n\n/**\n * Checks if the user agent is a bot.\n * @param userAgent - Any user agent string\n * @returns {boolean}\n */\nexport function userAgentIsRobot(userAgent: string): boolean {\n return !userAgent ? false : botAgentRegex.test(userAgent);\n}\n\n/**\n * Checks if the current environment is a browser and the user agent is not a bot.\n * @returns {boolean}\n */\nexport function isValidBrowser(): boolean {\n const navigator = inBrowser() ? window?.navigator : null;\n if (!navigator) {\n return false;\n }\n return !userAgentIsRobot(navigator?.userAgent) && !navigator?.webdriver;\n}\n\n/**\n * Checks if the current environment is a browser and if the navigator is online.\n * @returns {boolean}\n */\nexport function isBrowserOnline(): boolean {\n const navigator = inBrowser() ? window?.navigator : null;\n if (!navigator) {\n return false;\n }\n\n const isNavigatorOnline = navigator?.onLine;\n\n // Being extra safe with the experimental `connection` property, as it is not defined in all browsers\n // https://developer.mozilla.org/en-US/docs/Web/API/Navigator/connection#browser_compatibility\n // @ts-ignore\n const isExperimentalConnectionOnline = navigator?.connection?.rtt !== 0 && navigator?.connection?.downlink !== 0;\n return isExperimentalConnectionOnline && isNavigatorOnline;\n}\n\n/**\n * Runs `isBrowserOnline` and `isValidBrowser` to check if the current environment is a valid browser and if the navigator is online.\n * @returns {boolean}\n */\nexport function isValidBrowserOnline(): boolean {\n return isBrowserOnline() && isValidBrowser();\n}\n"],"mappings":";AAIO,SAAS,YAAqB;AACnC,SAAO,OAAO,WAAW;AAC3B;AAEA,IAAM,YAAY;AAAA,EAChB;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AACF;AACA,IAAM,gBAAgB,IAAI,OAAO,UAAU,KAAK,GAAG,GAAG,GAAG;AAOlD,SAAS,iBAAiB,WAA4B;AAC3D,SAAO,CAAC,YAAY,QAAQ,cAAc,KAAK,SAAS;AAC1D;AAMO,SAAS,iBAA0B;AACxC,QAAM,YAAY,UAAU,IAAI,QAAQ,YAAY;AACpD,MAAI,CAAC,WAAW;AACd,WAAO;AAAA,EACT;AACA,SAAO,CAAC,iBAAiB,WAAW,SAAS,KAAK,CAAC,WAAW;AAChE;AAMO,SAAS,kBAA2B;AACzC,QAAM,YAAY,UAAU,IAAI,QAAQ,YAAY;AACpD,MAAI,CAAC,WAAW;AACd,WAAO;AAAA,EACT;AAEA,QAAM,oBAAoB,WAAW;AAKrC,QAAM,iCAAiC,WAAW,YAAY,QAAQ,KAAK,WAAW,YAAY,aAAa;AAC/G,SAAO,kCAAkC;AAC3C;AAMO,SAAS,uBAAgC;AAC9C,SAAO,gBAAgB,KAAK,eAAe;AAC7C;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JXRB7SGQ.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JXRB7SGQ.mjs new file mode 100644 index 000000000..34fe7b3ff --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JXRB7SGQ.mjs @@ -0,0 +1,225 @@ +// src/error.ts +function isUnauthorizedError(e) { + const status = e?.status; + const code = e?.errors?.[0]?.code; + return code === "authentication_invalid" && status === 401; +} +function isCaptchaError(e) { + return ["captcha_invalid", "captcha_not_enabled", "captcha_missing_token"].includes(e.errors[0].code); +} +function is4xxError(e) { + const status = e?.status; + return !!status && status >= 400 && status < 500; +} +function isNetworkError(e) { + const message = (`${e.message}${e.name}` || "").toLowerCase().replace(/\s+/g, ""); + return message.includes("networkerror"); +} +function isKnownError(error) { + return isClerkAPIResponseError(error) || isMetamaskError(error) || isClerkRuntimeError(error); +} +function isClerkAPIResponseError(err) { + return "clerkError" in err; +} +function isClerkRuntimeError(err) { + return "clerkRuntimeError" in err; +} +function isMetamaskError(err) { + return "code" in err && [4001, 32602, 32603].includes(err.code) && "message" in err; +} +function isUserLockedError(err) { + return isClerkAPIResponseError(err) && err.errors?.[0]?.code === "user_locked"; +} +function isPasswordPwnedError(err) { + return isClerkAPIResponseError(err) && err.errors?.[0]?.code === "form_password_pwned"; +} +function parseErrors(data = []) { + return data.length > 0 ? data.map(parseError) : []; +} +function parseError(error) { + return { + code: error.code, + message: error.message, + longMessage: error.long_message, + meta: { + paramName: error?.meta?.param_name, + sessionId: error?.meta?.session_id, + emailAddresses: error?.meta?.email_addresses, + identifiers: error?.meta?.identifiers, + zxcvbn: error?.meta?.zxcvbn + } + }; +} +function errorToJSON(error) { + return { + code: error?.code || "", + message: error?.message || "", + long_message: error?.longMessage, + meta: { + param_name: error?.meta?.paramName, + session_id: error?.meta?.sessionId, + email_addresses: error?.meta?.emailAddresses, + identifiers: error?.meta?.identifiers, + zxcvbn: error?.meta?.zxcvbn + } + }; +} +var ClerkAPIResponseError = class _ClerkAPIResponseError extends Error { + constructor(message, { data, status, clerkTraceId }) { + super(message); + this.toString = () => { + let message = `[${this.name}] +Message:${this.message} +Status:${this.status} +Serialized errors: ${this.errors.map( + (e) => JSON.stringify(e) + )}`; + if (this.clerkTraceId) { + message += ` +Clerk Trace ID: ${this.clerkTraceId}`; + } + return message; + }; + Object.setPrototypeOf(this, _ClerkAPIResponseError.prototype); + this.status = status; + this.message = message; + this.clerkTraceId = clerkTraceId; + this.clerkError = true; + this.errors = parseErrors(data); + } +}; +var ClerkRuntimeError = class _ClerkRuntimeError extends Error { + constructor(message, { code }) { + const prefix = "\u{1F512} Clerk:"; + const regex = new RegExp(prefix.replace(" ", "\\s*"), "i"); + const sanitized = message.replace(regex, ""); + const _message = `${prefix} ${sanitized.trim()} + +(code="${code}") +`; + super(_message); + /** + * Returns a string representation of the error. + * + * @returns {string} A formatted string with the error name and message. + * @memberof ClerkRuntimeError + */ + this.toString = () => { + return `[${this.name}] +Message:${this.message}`; + }; + Object.setPrototypeOf(this, _ClerkRuntimeError.prototype); + this.code = code; + this.message = _message; + this.clerkRuntimeError = true; + this.name = "ClerkRuntimeError"; + } +}; +var EmailLinkError = class _EmailLinkError extends Error { + constructor(code) { + super(code); + this.code = code; + this.name = "EmailLinkError"; + Object.setPrototypeOf(this, _EmailLinkError.prototype); + } +}; +function isEmailLinkError(err) { + return err.name === "EmailLinkError"; +} +var EmailLinkErrorCode = { + Expired: "expired", + Failed: "failed", + ClientMismatch: "client_mismatch" +}; +var EmailLinkErrorCodeStatus = { + Expired: "expired", + Failed: "failed", + ClientMismatch: "client_mismatch" +}; +var DefaultMessages = Object.freeze({ + InvalidProxyUrlErrorMessage: `The proxyUrl passed to Clerk is invalid. The expected value for proxyUrl is an absolute URL or a relative path with a leading '/'. (key={{url}})`, + InvalidPublishableKeyErrorMessage: `The publishableKey passed to Clerk is invalid. You can get your Publishable key at https://dashboard.clerk.com/last-active?path=api-keys. (key={{key}})`, + MissingPublishableKeyErrorMessage: `Missing publishableKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`, + MissingSecretKeyErrorMessage: `Missing secretKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`, + MissingClerkProvider: `{{source}} can only be used within the component. Learn more: https://clerk.com/docs/components/clerk-provider` +}); +function buildErrorThrower({ packageName, customMessages }) { + let pkg = packageName; + const messages = { + ...DefaultMessages, + ...customMessages + }; + function buildMessage(rawMessage, replacements) { + if (!replacements) { + return `${pkg}: ${rawMessage}`; + } + let msg = rawMessage; + const matches = rawMessage.matchAll(/{{([a-zA-Z0-9-_]+)}}/g); + for (const match of matches) { + const replacement = (replacements[match[1]] || "").toString(); + msg = msg.replace(`{{${match[1]}}}`, replacement); + } + return `${pkg}: ${msg}`; + } + return { + setPackageName({ packageName: packageName2 }) { + if (typeof packageName2 === "string") { + pkg = packageName2; + } + return this; + }, + setMessages({ customMessages: customMessages2 }) { + Object.assign(messages, customMessages2 || {}); + return this; + }, + throwInvalidPublishableKeyError(params) { + throw new Error(buildMessage(messages.InvalidPublishableKeyErrorMessage, params)); + }, + throwInvalidProxyUrl(params) { + throw new Error(buildMessage(messages.InvalidProxyUrlErrorMessage, params)); + }, + throwMissingPublishableKeyError() { + throw new Error(buildMessage(messages.MissingPublishableKeyErrorMessage)); + }, + throwMissingSecretKeyError() { + throw new Error(buildMessage(messages.MissingSecretKeyErrorMessage)); + }, + throwMissingClerkProviderError(params) { + throw new Error(buildMessage(messages.MissingClerkProvider, params)); + }, + throw(message) { + throw new Error(buildMessage(message)); + } + }; +} +var ClerkWebAuthnError = class extends ClerkRuntimeError { + constructor(message, { code }) { + super(message, { code }); + this.code = code; + } +}; + +export { + isUnauthorizedError, + isCaptchaError, + is4xxError, + isNetworkError, + isKnownError, + isClerkAPIResponseError, + isClerkRuntimeError, + isMetamaskError, + isUserLockedError, + isPasswordPwnedError, + parseErrors, + parseError, + errorToJSON, + ClerkAPIResponseError, + ClerkRuntimeError, + EmailLinkError, + isEmailLinkError, + EmailLinkErrorCode, + EmailLinkErrorCodeStatus, + buildErrorThrower, + ClerkWebAuthnError +}; +//# sourceMappingURL=chunk-JXRB7SGQ.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JXRB7SGQ.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JXRB7SGQ.mjs.map new file mode 100644 index 000000000..b598851e3 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JXRB7SGQ.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/error.ts"],"sourcesContent":["import type { ClerkAPIError, ClerkAPIErrorJSON } from '@clerk/types';\n\nexport function isUnauthorizedError(e: any): boolean {\n const status = e?.status;\n const code = e?.errors?.[0]?.code;\n return code === 'authentication_invalid' && status === 401;\n}\n\nexport function isCaptchaError(e: ClerkAPIResponseError): boolean {\n return ['captcha_invalid', 'captcha_not_enabled', 'captcha_missing_token'].includes(e.errors[0].code);\n}\n\nexport function is4xxError(e: any): boolean {\n const status = e?.status;\n return !!status && status >= 400 && status < 500;\n}\n\nexport function isNetworkError(e: any): boolean {\n // TODO: revise during error handling epic\n const message = (`${e.message}${e.name}` || '').toLowerCase().replace(/\\s+/g, '');\n return message.includes('networkerror');\n}\n\ninterface ClerkAPIResponseOptions {\n data: ClerkAPIErrorJSON[];\n status: number;\n clerkTraceId?: string;\n}\n\n// For a comprehensive Metamask error list, please see\n// https://docs.metamask.io/guide/ethereum-provider.html#errors\nexport interface MetamaskError extends Error {\n code: 4001 | 32602 | 32603;\n message: string;\n data?: unknown;\n}\n\nexport function isKnownError(error: any): error is ClerkAPIResponseError | ClerkRuntimeError | MetamaskError {\n return isClerkAPIResponseError(error) || isMetamaskError(error) || isClerkRuntimeError(error);\n}\n\nexport function isClerkAPIResponseError(err: any): err is ClerkAPIResponseError {\n return 'clerkError' in err;\n}\n\n/**\n * Checks if the provided error object is an instance of ClerkRuntimeError.\n *\n * @param {any} err - The error object to check.\n * @returns {boolean} True if the error is a ClerkRuntimeError, false otherwise.\n *\n * @example\n * const error = new ClerkRuntimeError('An error occurred');\n * if (isClerkRuntimeError(error)) {\n * // Handle ClerkRuntimeError\n * console.error('ClerkRuntimeError:', error.message);\n * } else {\n * // Handle other errors\n * console.error('Other error:', error.message);\n * }\n */\nexport function isClerkRuntimeError(err: any): err is ClerkRuntimeError {\n return 'clerkRuntimeError' in err;\n}\n\nexport function isMetamaskError(err: any): err is MetamaskError {\n return 'code' in err && [4001, 32602, 32603].includes(err.code) && 'message' in err;\n}\n\nexport function isUserLockedError(err: any) {\n return isClerkAPIResponseError(err) && err.errors?.[0]?.code === 'user_locked';\n}\n\nexport function isPasswordPwnedError(err: any) {\n return isClerkAPIResponseError(err) && err.errors?.[0]?.code === 'form_password_pwned';\n}\n\nexport function parseErrors(data: ClerkAPIErrorJSON[] = []): ClerkAPIError[] {\n return data.length > 0 ? data.map(parseError) : [];\n}\n\nexport function parseError(error: ClerkAPIErrorJSON): ClerkAPIError {\n return {\n code: error.code,\n message: error.message,\n longMessage: error.long_message,\n meta: {\n paramName: error?.meta?.param_name,\n sessionId: error?.meta?.session_id,\n emailAddresses: error?.meta?.email_addresses,\n identifiers: error?.meta?.identifiers,\n zxcvbn: error?.meta?.zxcvbn,\n },\n };\n}\n\nexport function errorToJSON(error: ClerkAPIError | null): ClerkAPIErrorJSON {\n return {\n code: error?.code || '',\n message: error?.message || '',\n long_message: error?.longMessage,\n meta: {\n param_name: error?.meta?.paramName,\n session_id: error?.meta?.sessionId,\n email_addresses: error?.meta?.emailAddresses,\n identifiers: error?.meta?.identifiers,\n zxcvbn: error?.meta?.zxcvbn,\n },\n };\n}\n\nexport class ClerkAPIResponseError extends Error {\n clerkError: true;\n\n status: number;\n message: string;\n clerkTraceId?: string;\n\n errors: ClerkAPIError[];\n\n constructor(message: string, { data, status, clerkTraceId }: ClerkAPIResponseOptions) {\n super(message);\n\n Object.setPrototypeOf(this, ClerkAPIResponseError.prototype);\n\n this.status = status;\n this.message = message;\n this.clerkTraceId = clerkTraceId;\n this.clerkError = true;\n this.errors = parseErrors(data);\n }\n\n public toString = () => {\n let message = `[${this.name}]\\nMessage:${this.message}\\nStatus:${this.status}\\nSerialized errors: ${this.errors.map(\n e => JSON.stringify(e),\n )}`;\n\n if (this.clerkTraceId) {\n message += `\\nClerk Trace ID: ${this.clerkTraceId}`;\n }\n\n return message;\n };\n}\n\n/**\n * Custom error class for representing Clerk runtime errors.\n *\n * @class ClerkRuntimeError\n * @example\n * throw new ClerkRuntimeError('An error occurred', { code: 'password_invalid' });\n */\nexport class ClerkRuntimeError extends Error {\n clerkRuntimeError: true;\n\n /**\n * The error message.\n *\n * @type {string}\n * @memberof ClerkRuntimeError\n */\n message: string;\n\n /**\n * A unique code identifying the error, can be used for localization.\n *\n * @type {string}\n * @memberof ClerkRuntimeError\n */\n code: string;\n\n constructor(message: string, { code }: { code: string }) {\n const prefix = '🔒 Clerk:';\n const regex = new RegExp(prefix.replace(' ', '\\\\s*'), 'i');\n const sanitized = message.replace(regex, '');\n const _message = `${prefix} ${sanitized.trim()}\\n\\n(code=\"${code}\")\\n`;\n super(_message);\n\n Object.setPrototypeOf(this, ClerkRuntimeError.prototype);\n\n this.code = code;\n this.message = _message;\n this.clerkRuntimeError = true;\n this.name = 'ClerkRuntimeError';\n }\n\n /**\n * Returns a string representation of the error.\n *\n * @returns {string} A formatted string with the error name and message.\n * @memberof ClerkRuntimeError\n */\n public toString = () => {\n return `[${this.name}]\\nMessage:${this.message}`;\n };\n}\n\nexport class EmailLinkError extends Error {\n code: string;\n\n constructor(code: string) {\n super(code);\n this.code = code;\n this.name = 'EmailLinkError' as const;\n Object.setPrototypeOf(this, EmailLinkError.prototype);\n }\n}\n\nexport function isEmailLinkError(err: Error): err is EmailLinkError {\n return err.name === 'EmailLinkError';\n}\n\n/** @deprecated Please use `EmailLinkErrorCodeStatus` instead.*/\nexport const EmailLinkErrorCode = {\n Expired: 'expired',\n Failed: 'failed',\n ClientMismatch: 'client_mismatch',\n};\n\nexport const EmailLinkErrorCodeStatus = {\n Expired: 'expired',\n Failed: 'failed',\n ClientMismatch: 'client_mismatch',\n} as const;\n\nconst DefaultMessages = Object.freeze({\n InvalidProxyUrlErrorMessage: `The proxyUrl passed to Clerk is invalid. The expected value for proxyUrl is an absolute URL or a relative path with a leading '/'. (key={{url}})`,\n InvalidPublishableKeyErrorMessage: `The publishableKey passed to Clerk is invalid. You can get your Publishable key at https://dashboard.clerk.com/last-active?path=api-keys. (key={{key}})`,\n MissingPublishableKeyErrorMessage: `Missing publishableKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`,\n MissingSecretKeyErrorMessage: `Missing secretKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`,\n MissingClerkProvider: `{{source}} can only be used within the component. Learn more: https://clerk.com/docs/components/clerk-provider`,\n});\n\ntype MessageKeys = keyof typeof DefaultMessages;\n\ntype Messages = Record;\n\ntype CustomMessages = Partial;\n\nexport type ErrorThrowerOptions = {\n packageName: string;\n customMessages?: CustomMessages;\n};\n\nexport interface ErrorThrower {\n setPackageName(options: ErrorThrowerOptions): ErrorThrower;\n\n setMessages(options: ErrorThrowerOptions): ErrorThrower;\n\n throwInvalidPublishableKeyError(params: { key?: string }): never;\n\n throwInvalidProxyUrl(params: { url?: string }): never;\n\n throwMissingPublishableKeyError(): never;\n\n throwMissingSecretKeyError(): never;\n\n throwMissingClerkProviderError(params: { source?: string }): never;\n\n throw(message: string): never;\n}\n\nexport function buildErrorThrower({ packageName, customMessages }: ErrorThrowerOptions): ErrorThrower {\n let pkg = packageName;\n\n const messages = {\n ...DefaultMessages,\n ...customMessages,\n };\n\n function buildMessage(rawMessage: string, replacements?: Record) {\n if (!replacements) {\n return `${pkg}: ${rawMessage}`;\n }\n\n let msg = rawMessage;\n const matches = rawMessage.matchAll(/{{([a-zA-Z0-9-_]+)}}/g);\n\n for (const match of matches) {\n const replacement = (replacements[match[1]] || '').toString();\n msg = msg.replace(`{{${match[1]}}}`, replacement);\n }\n\n return `${pkg}: ${msg}`;\n }\n\n return {\n setPackageName({ packageName }: ErrorThrowerOptions): ErrorThrower {\n if (typeof packageName === 'string') {\n pkg = packageName;\n }\n return this;\n },\n\n setMessages({ customMessages }: ErrorThrowerOptions): ErrorThrower {\n Object.assign(messages, customMessages || {});\n return this;\n },\n\n throwInvalidPublishableKeyError(params: { key?: string }): never {\n throw new Error(buildMessage(messages.InvalidPublishableKeyErrorMessage, params));\n },\n\n throwInvalidProxyUrl(params: { url?: string }): never {\n throw new Error(buildMessage(messages.InvalidProxyUrlErrorMessage, params));\n },\n\n throwMissingPublishableKeyError(): never {\n throw new Error(buildMessage(messages.MissingPublishableKeyErrorMessage));\n },\n\n throwMissingSecretKeyError(): never {\n throw new Error(buildMessage(messages.MissingSecretKeyErrorMessage));\n },\n\n throwMissingClerkProviderError(params: { source?: string }): never {\n throw new Error(buildMessage(messages.MissingClerkProvider, params));\n },\n\n throw(message: string): never {\n throw new Error(buildMessage(message));\n },\n };\n}\n\ntype ClerkWebAuthnErrorCode =\n // Generic\n | 'passkey_not_supported'\n | 'passkey_pa_not_supported'\n | 'passkey_invalid_rpID_or_domain'\n | 'passkey_already_exists'\n | 'passkey_operation_aborted'\n // Retrieval\n | 'passkey_retrieval_cancelled'\n | 'passkey_retrieval_failed'\n // Registration\n | 'passkey_registration_cancelled'\n | 'passkey_registration_failed';\n\nexport class ClerkWebAuthnError extends ClerkRuntimeError {\n /**\n * A unique code identifying the error, can be used for localization.\n */\n code: ClerkWebAuthnErrorCode;\n\n constructor(message: string, { code }: { code: ClerkWebAuthnErrorCode }) {\n super(message, { code });\n this.code = code;\n }\n}\n"],"mappings":";AAEO,SAAS,oBAAoB,GAAiB;AACnD,QAAM,SAAS,GAAG;AAClB,QAAM,OAAO,GAAG,SAAS,CAAC,GAAG;AAC7B,SAAO,SAAS,4BAA4B,WAAW;AACzD;AAEO,SAAS,eAAe,GAAmC;AAChE,SAAO,CAAC,mBAAmB,uBAAuB,uBAAuB,EAAE,SAAS,EAAE,OAAO,CAAC,EAAE,IAAI;AACtG;AAEO,SAAS,WAAW,GAAiB;AAC1C,QAAM,SAAS,GAAG;AAClB,SAAO,CAAC,CAAC,UAAU,UAAU,OAAO,SAAS;AAC/C;AAEO,SAAS,eAAe,GAAiB;AAE9C,QAAM,WAAW,GAAG,EAAE,OAAO,GAAG,EAAE,IAAI,MAAM,IAAI,YAAY,EAAE,QAAQ,QAAQ,EAAE;AAChF,SAAO,QAAQ,SAAS,cAAc;AACxC;AAgBO,SAAS,aAAa,OAAgF;AAC3G,SAAO,wBAAwB,KAAK,KAAK,gBAAgB,KAAK,KAAK,oBAAoB,KAAK;AAC9F;AAEO,SAAS,wBAAwB,KAAwC;AAC9E,SAAO,gBAAgB;AACzB;AAkBO,SAAS,oBAAoB,KAAoC;AACtE,SAAO,uBAAuB;AAChC;AAEO,SAAS,gBAAgB,KAAgC;AAC9D,SAAO,UAAU,OAAO,CAAC,MAAM,OAAO,KAAK,EAAE,SAAS,IAAI,IAAI,KAAK,aAAa;AAClF;AAEO,SAAS,kBAAkB,KAAU;AAC1C,SAAO,wBAAwB,GAAG,KAAK,IAAI,SAAS,CAAC,GAAG,SAAS;AACnE;AAEO,SAAS,qBAAqB,KAAU;AAC7C,SAAO,wBAAwB,GAAG,KAAK,IAAI,SAAS,CAAC,GAAG,SAAS;AACnE;AAEO,SAAS,YAAY,OAA4B,CAAC,GAAoB;AAC3E,SAAO,KAAK,SAAS,IAAI,KAAK,IAAI,UAAU,IAAI,CAAC;AACnD;AAEO,SAAS,WAAW,OAAyC;AAClE,SAAO;AAAA,IACL,MAAM,MAAM;AAAA,IACZ,SAAS,MAAM;AAAA,IACf,aAAa,MAAM;AAAA,IACnB,MAAM;AAAA,MACJ,WAAW,OAAO,MAAM;AAAA,MACxB,WAAW,OAAO,MAAM;AAAA,MACxB,gBAAgB,OAAO,MAAM;AAAA,MAC7B,aAAa,OAAO,MAAM;AAAA,MAC1B,QAAQ,OAAO,MAAM;AAAA,IACvB;AAAA,EACF;AACF;AAEO,SAAS,YAAY,OAAgD;AAC1E,SAAO;AAAA,IACL,MAAM,OAAO,QAAQ;AAAA,IACrB,SAAS,OAAO,WAAW;AAAA,IAC3B,cAAc,OAAO;AAAA,IACrB,MAAM;AAAA,MACJ,YAAY,OAAO,MAAM;AAAA,MACzB,YAAY,OAAO,MAAM;AAAA,MACzB,iBAAiB,OAAO,MAAM;AAAA,MAC9B,aAAa,OAAO,MAAM;AAAA,MAC1B,QAAQ,OAAO,MAAM;AAAA,IACvB;AAAA,EACF;AACF;AAEO,IAAM,wBAAN,MAAM,+BAA8B,MAAM;AAAA,EAS/C,YAAY,SAAiB,EAAE,MAAM,QAAQ,aAAa,GAA4B;AACpF,UAAM,OAAO;AAWf,SAAO,WAAW,MAAM;AACtB,UAAI,UAAU,IAAI,KAAK,IAAI;AAAA,UAAc,KAAK,OAAO;AAAA,SAAY,KAAK,MAAM;AAAA,qBAAwB,KAAK,OAAO;AAAA,QAC9G,OAAK,KAAK,UAAU,CAAC;AAAA,MACvB,CAAC;AAED,UAAI,KAAK,cAAc;AACrB,mBAAW;AAAA,kBAAqB,KAAK,YAAY;AAAA,MACnD;AAEA,aAAO;AAAA,IACT;AAnBE,WAAO,eAAe,MAAM,uBAAsB,SAAS;AAE3D,SAAK,SAAS;AACd,SAAK,UAAU;AACf,SAAK,eAAe;AACpB,SAAK,aAAa;AAClB,SAAK,SAAS,YAAY,IAAI;AAAA,EAChC;AAaF;AASO,IAAM,oBAAN,MAAM,2BAA0B,MAAM;AAAA,EAmB3C,YAAY,SAAiB,EAAE,KAAK,GAAqB;AACvD,UAAM,SAAS;AACf,UAAM,QAAQ,IAAI,OAAO,OAAO,QAAQ,KAAK,MAAM,GAAG,GAAG;AACzD,UAAM,YAAY,QAAQ,QAAQ,OAAO,EAAE;AAC3C,UAAM,WAAW,GAAG,MAAM,IAAI,UAAU,KAAK,CAAC;AAAA;AAAA,SAAc,IAAI;AAAA;AAChE,UAAM,QAAQ;AAgBhB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,SAAO,WAAW,MAAM;AACtB,aAAO,IAAI,KAAK,IAAI;AAAA,UAAc,KAAK,OAAO;AAAA,IAChD;AAhBE,WAAO,eAAe,MAAM,mBAAkB,SAAS;AAEvD,SAAK,OAAO;AACZ,SAAK,UAAU;AACf,SAAK,oBAAoB;AACzB,SAAK,OAAO;AAAA,EACd;AAWF;AAEO,IAAM,iBAAN,MAAM,wBAAuB,MAAM;AAAA,EAGxC,YAAY,MAAc;AACxB,UAAM,IAAI;AACV,SAAK,OAAO;AACZ,SAAK,OAAO;AACZ,WAAO,eAAe,MAAM,gBAAe,SAAS;AAAA,EACtD;AACF;AAEO,SAAS,iBAAiB,KAAmC;AAClE,SAAO,IAAI,SAAS;AACtB;AAGO,IAAM,qBAAqB;AAAA,EAChC,SAAS;AAAA,EACT,QAAQ;AAAA,EACR,gBAAgB;AAClB;AAEO,IAAM,2BAA2B;AAAA,EACtC,SAAS;AAAA,EACT,QAAQ;AAAA,EACR,gBAAgB;AAClB;AAEA,IAAM,kBAAkB,OAAO,OAAO;AAAA,EACpC,6BAA6B;AAAA,EAC7B,mCAAmC;AAAA,EACnC,mCAAmC;AAAA,EACnC,8BAA8B;AAAA,EAC9B,sBAAsB;AACxB,CAAC;AA+BM,SAAS,kBAAkB,EAAE,aAAa,eAAe,GAAsC;AACpG,MAAI,MAAM;AAEV,QAAM,WAAW;AAAA,IACf,GAAG;AAAA,IACH,GAAG;AAAA,EACL;AAEA,WAAS,aAAa,YAAoB,cAAgD;AACxF,QAAI,CAAC,cAAc;AACjB,aAAO,GAAG,GAAG,KAAK,UAAU;AAAA,IAC9B;AAEA,QAAI,MAAM;AACV,UAAM,UAAU,WAAW,SAAS,uBAAuB;AAE3D,eAAW,SAAS,SAAS;AAC3B,YAAM,eAAe,aAAa,MAAM,CAAC,CAAC,KAAK,IAAI,SAAS;AAC5D,YAAM,IAAI,QAAQ,KAAK,MAAM,CAAC,CAAC,MAAM,WAAW;AAAA,IAClD;AAEA,WAAO,GAAG,GAAG,KAAK,GAAG;AAAA,EACvB;AAEA,SAAO;AAAA,IACL,eAAe,EAAE,aAAAA,aAAY,GAAsC;AACjE,UAAI,OAAOA,iBAAgB,UAAU;AACnC,cAAMA;AAAA,MACR;AACA,aAAO;AAAA,IACT;AAAA,IAEA,YAAY,EAAE,gBAAAC,gBAAe,GAAsC;AACjE,aAAO,OAAO,UAAUA,mBAAkB,CAAC,CAAC;AAC5C,aAAO;AAAA,IACT;AAAA,IAEA,gCAAgC,QAAiC;AAC/D,YAAM,IAAI,MAAM,aAAa,SAAS,mCAAmC,MAAM,CAAC;AAAA,IAClF;AAAA,IAEA,qBAAqB,QAAiC;AACpD,YAAM,IAAI,MAAM,aAAa,SAAS,6BAA6B,MAAM,CAAC;AAAA,IAC5E;AAAA,IAEA,kCAAyC;AACvC,YAAM,IAAI,MAAM,aAAa,SAAS,iCAAiC,CAAC;AAAA,IAC1E;AAAA,IAEA,6BAAoC;AAClC,YAAM,IAAI,MAAM,aAAa,SAAS,4BAA4B,CAAC;AAAA,IACrE;AAAA,IAEA,+BAA+B,QAAoC;AACjE,YAAM,IAAI,MAAM,aAAa,SAAS,sBAAsB,MAAM,CAAC;AAAA,IACrE;AAAA,IAEA,MAAM,SAAwB;AAC5B,YAAM,IAAI,MAAM,aAAa,OAAO,CAAC;AAAA,IACvC;AAAA,EACF;AACF;AAgBO,IAAM,qBAAN,cAAiC,kBAAkB;AAAA,EAMxD,YAAY,SAAiB,EAAE,KAAK,GAAqC;AACvE,UAAM,SAAS,EAAE,KAAK,CAAC;AACvB,SAAK,OAAO;AAAA,EACd;AACF;","names":["packageName","customMessages"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JY46X3OC.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JY46X3OC.mjs new file mode 100644 index 000000000..c24359cbe --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JY46X3OC.mjs @@ -0,0 +1,33 @@ +import { + createWorkerTimers +} from "./chunk-ZHPWRK4R.mjs"; + +// src/poller.ts +function Poller({ delayInMs } = { delayInMs: 1e3 }) { + const workerTimers = createWorkerTimers(); + let timerId; + let stopped = false; + const stop = () => { + if (timerId) { + workerTimers.clearTimeout(timerId); + workerTimers.cleanup(); + } + stopped = true; + }; + const run = async (cb) => { + stopped = false; + await cb(stop); + if (stopped) { + return; + } + timerId = workerTimers.setTimeout(() => { + void run(cb); + }, delayInMs); + }; + return { run, stop }; +} + +export { + Poller +}; +//# sourceMappingURL=chunk-JY46X3OC.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JY46X3OC.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JY46X3OC.mjs.map new file mode 100644 index 000000000..3e21746b7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-JY46X3OC.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/poller.ts"],"sourcesContent":["import { createWorkerTimers } from './workerTimers';\n\nexport type PollerStop = () => void;\nexport type PollerCallback = (stop: PollerStop) => Promise;\nexport type PollerRun = (cb: PollerCallback) => Promise;\n\ntype PollerOptions = {\n delayInMs: number;\n};\n\nexport type Poller = {\n run: PollerRun;\n stop: PollerStop;\n};\n\nexport function Poller({ delayInMs }: PollerOptions = { delayInMs: 1000 }): Poller {\n const workerTimers = createWorkerTimers();\n\n let timerId: number | undefined;\n let stopped = false;\n\n const stop: PollerStop = () => {\n if (timerId) {\n workerTimers.clearTimeout(timerId);\n workerTimers.cleanup();\n }\n stopped = true;\n };\n\n const run: PollerRun = async cb => {\n stopped = false;\n await cb(stop);\n if (stopped) {\n return;\n }\n\n timerId = workerTimers.setTimeout(() => {\n void run(cb);\n }, delayInMs) as any as number;\n };\n\n return { run, stop };\n}\n"],"mappings":";;;;;AAeO,SAAS,OAAO,EAAE,UAAU,IAAmB,EAAE,WAAW,IAAK,GAAW;AACjF,QAAM,eAAe,mBAAmB;AAExC,MAAI;AACJ,MAAI,UAAU;AAEd,QAAM,OAAmB,MAAM;AAC7B,QAAI,SAAS;AACX,mBAAa,aAAa,OAAO;AACjC,mBAAa,QAAQ;AAAA,IACvB;AACA,cAAU;AAAA,EACZ;AAEA,QAAM,MAAiB,OAAM,OAAM;AACjC,cAAU;AACV,UAAM,GAAG,IAAI;AACb,QAAI,SAAS;AACX;AAAA,IACF;AAEA,cAAU,aAAa,WAAW,MAAM;AACtC,WAAK,IAAI,EAAE;AAAA,IACb,GAAG,SAAS;AAAA,EACd;AAEA,SAAO,EAAE,KAAK,KAAK;AACrB;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-K64INQ4C.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-K64INQ4C.mjs new file mode 100644 index 000000000..65aadd7e5 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-K64INQ4C.mjs @@ -0,0 +1,51 @@ +// src/devBrowser.ts +var DEV_BROWSER_JWT_KEY = "__clerk_db_jwt"; +var DEV_BROWSER_JWT_HEADER = "Clerk-Db-Jwt"; +function setDevBrowserJWTInURL(url, jwt) { + const resultURL = new URL(url); + const jwtFromSearch = resultURL.searchParams.get(DEV_BROWSER_JWT_KEY); + resultURL.searchParams.delete(DEV_BROWSER_JWT_KEY); + const jwtToSet = jwtFromSearch || jwt; + if (jwtToSet) { + resultURL.searchParams.set(DEV_BROWSER_JWT_KEY, jwtToSet); + } + return resultURL; +} +function extractDevBrowserJWTFromURL(url) { + const jwt = readDevBrowserJwtFromSearchParams(url); + const cleanUrl = removeDevBrowserJwt(url); + if (cleanUrl.href !== url.href && typeof globalThis.history !== "undefined") { + globalThis.history.replaceState(null, "", removeDevBrowserJwt(url)); + } + return jwt; +} +var readDevBrowserJwtFromSearchParams = (url) => { + return url.searchParams.get(DEV_BROWSER_JWT_KEY) || ""; +}; +var removeDevBrowserJwt = (url) => { + return removeDevBrowserJwtFromURLSearchParams(removeLegacyDevBrowserJwt(url)); +}; +var removeDevBrowserJwtFromURLSearchParams = (_url) => { + const url = new URL(_url); + url.searchParams.delete(DEV_BROWSER_JWT_KEY); + return url; +}; +var removeLegacyDevBrowserJwt = (_url) => { + const DEV_BROWSER_JWT_MARKER_REGEXP = /__clerk_db_jwt\[(.*)\]/; + const DEV_BROWSER_JWT_LEGACY_KEY = "__dev_session"; + const url = new URL(_url); + url.searchParams.delete(DEV_BROWSER_JWT_LEGACY_KEY); + url.hash = decodeURI(url.hash).replace(DEV_BROWSER_JWT_MARKER_REGEXP, ""); + if (url.href.endsWith("#")) { + url.hash = ""; + } + return url; +}; + +export { + DEV_BROWSER_JWT_KEY, + DEV_BROWSER_JWT_HEADER, + setDevBrowserJWTInURL, + extractDevBrowserJWTFromURL +}; +//# sourceMappingURL=chunk-K64INQ4C.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-K64INQ4C.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-K64INQ4C.mjs.map new file mode 100644 index 000000000..7883d4bdd --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-K64INQ4C.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/devBrowser.ts"],"sourcesContent":["export const DEV_BROWSER_JWT_KEY = '__clerk_db_jwt';\nexport const DEV_BROWSER_JWT_HEADER = 'Clerk-Db-Jwt';\n\n// Sets the dev_browser JWT in the hash or the search\nexport function setDevBrowserJWTInURL(url: URL, jwt: string): URL {\n const resultURL = new URL(url);\n\n // extract & strip existing jwt from search\n const jwtFromSearch = resultURL.searchParams.get(DEV_BROWSER_JWT_KEY);\n resultURL.searchParams.delete(DEV_BROWSER_JWT_KEY);\n\n // Existing jwt takes precedence\n const jwtToSet = jwtFromSearch || jwt;\n\n if (jwtToSet) {\n resultURL.searchParams.set(DEV_BROWSER_JWT_KEY, jwtToSet);\n }\n\n return resultURL;\n}\n\n/**\n * Gets the __clerk_db_jwt JWT from either the hash or the search\n * Side effect:\n * Removes __clerk_db_jwt JWT from the URL (hash and searchParams) and updates the browser history\n */\nexport function extractDevBrowserJWTFromURL(url: URL): string {\n const jwt = readDevBrowserJwtFromSearchParams(url);\n const cleanUrl = removeDevBrowserJwt(url);\n if (cleanUrl.href !== url.href && typeof globalThis.history !== 'undefined') {\n globalThis.history.replaceState(null, '', removeDevBrowserJwt(url));\n }\n return jwt;\n}\n\nconst readDevBrowserJwtFromSearchParams = (url: URL) => {\n return url.searchParams.get(DEV_BROWSER_JWT_KEY) || '';\n};\n\nconst removeDevBrowserJwt = (url: URL) => {\n return removeDevBrowserJwtFromURLSearchParams(removeLegacyDevBrowserJwt(url));\n};\n\nconst removeDevBrowserJwtFromURLSearchParams = (_url: URL) => {\n const url = new URL(_url);\n url.searchParams.delete(DEV_BROWSER_JWT_KEY);\n return url;\n};\n\n/**\n * Removes the __clerk_db_jwt JWT from the URL hash, as well as\n * the legacy __dev_session JWT from the URL searchParams\n * We no longer need to use this value, however, we should remove it from the URL\n * Existing v4 apps will write the JWT to the hash and the search params in order to ensure\n * backwards compatibility with older v4 apps.\n * The only use case where this is needed now is when a user upgrades to clerk@5 locally\n * without changing the component's version on their dashboard.\n * In this scenario, the AP@4 -> localhost@5 redirect will still have the JWT in the hash,\n * in which case we need to remove it.\n */\nconst removeLegacyDevBrowserJwt = (_url: URL) => {\n const DEV_BROWSER_JWT_MARKER_REGEXP = /__clerk_db_jwt\\[(.*)\\]/;\n const DEV_BROWSER_JWT_LEGACY_KEY = '__dev_session';\n const url = new URL(_url);\n url.searchParams.delete(DEV_BROWSER_JWT_LEGACY_KEY);\n url.hash = decodeURI(url.hash).replace(DEV_BROWSER_JWT_MARKER_REGEXP, '');\n if (url.href.endsWith('#')) {\n url.hash = '';\n }\n return url;\n};\n"],"mappings":";AAAO,IAAM,sBAAsB;AAC5B,IAAM,yBAAyB;AAG/B,SAAS,sBAAsB,KAAU,KAAkB;AAChE,QAAM,YAAY,IAAI,IAAI,GAAG;AAG7B,QAAM,gBAAgB,UAAU,aAAa,IAAI,mBAAmB;AACpE,YAAU,aAAa,OAAO,mBAAmB;AAGjD,QAAM,WAAW,iBAAiB;AAElC,MAAI,UAAU;AACZ,cAAU,aAAa,IAAI,qBAAqB,QAAQ;AAAA,EAC1D;AAEA,SAAO;AACT;AAOO,SAAS,4BAA4B,KAAkB;AAC5D,QAAM,MAAM,kCAAkC,GAAG;AACjD,QAAM,WAAW,oBAAoB,GAAG;AACxC,MAAI,SAAS,SAAS,IAAI,QAAQ,OAAO,WAAW,YAAY,aAAa;AAC3E,eAAW,QAAQ,aAAa,MAAM,IAAI,oBAAoB,GAAG,CAAC;AAAA,EACpE;AACA,SAAO;AACT;AAEA,IAAM,oCAAoC,CAAC,QAAa;AACtD,SAAO,IAAI,aAAa,IAAI,mBAAmB,KAAK;AACtD;AAEA,IAAM,sBAAsB,CAAC,QAAa;AACxC,SAAO,uCAAuC,0BAA0B,GAAG,CAAC;AAC9E;AAEA,IAAM,yCAAyC,CAAC,SAAc;AAC5D,QAAM,MAAM,IAAI,IAAI,IAAI;AACxB,MAAI,aAAa,OAAO,mBAAmB;AAC3C,SAAO;AACT;AAaA,IAAM,4BAA4B,CAAC,SAAc;AAC/C,QAAM,gCAAgC;AACtC,QAAM,6BAA6B;AACnC,QAAM,MAAM,IAAI,IAAI,IAAI;AACxB,MAAI,aAAa,OAAO,0BAA0B;AAClD,MAAI,OAAO,UAAU,IAAI,IAAI,EAAE,QAAQ,+BAA+B,EAAE;AACxE,MAAI,IAAI,KAAK,SAAS,GAAG,GAAG;AAC1B,QAAI,OAAO;AAAA,EACb;AACA,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-KOH7GTJO.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-KOH7GTJO.mjs new file mode 100644 index 000000000..b57c6c914 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-KOH7GTJO.mjs @@ -0,0 +1,14 @@ +// src/isomorphicBtoa.ts +var isomorphicBtoa = (data) => { + if (typeof btoa !== "undefined" && typeof btoa === "function") { + return btoa(data); + } else if (typeof global !== "undefined" && global.Buffer) { + return new global.Buffer(data).toString("base64"); + } + return data; +}; + +export { + isomorphicBtoa +}; +//# sourceMappingURL=chunk-KOH7GTJO.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-KOH7GTJO.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-KOH7GTJO.mjs.map new file mode 100644 index 000000000..21665ecff --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-KOH7GTJO.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/isomorphicBtoa.ts"],"sourcesContent":["export const isomorphicBtoa = (data: string) => {\n if (typeof btoa !== 'undefined' && typeof btoa === 'function') {\n return btoa(data);\n } else if (typeof global !== 'undefined' && global.Buffer) {\n return new global.Buffer(data).toString('base64');\n }\n return data;\n};\n"],"mappings":";AAAO,IAAM,iBAAiB,CAAC,SAAiB;AAC9C,MAAI,OAAO,SAAS,eAAe,OAAO,SAAS,YAAY;AAC7D,WAAO,KAAK,IAAI;AAAA,EAClB,WAAW,OAAO,WAAW,eAAe,OAAO,QAAQ;AACzD,WAAO,IAAI,OAAO,OAAO,IAAI,EAAE,SAAS,QAAQ;AAAA,EAClD;AACA,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-KZL5MSSZ.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-KZL5MSSZ.mjs new file mode 100644 index 000000000..ee15c818a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-KZL5MSSZ.mjs @@ -0,0 +1,48 @@ +// src/localStorageBroadcastChannel.ts +var KEY_PREFIX = "__lsbc__"; +var LocalStorageBroadcastChannel = class { + constructor(name) { + this.eventTarget = window; + this.postMessage = (data) => { + if (typeof window === "undefined") { + return; + } + try { + window.localStorage.setItem(this.channelKey, JSON.stringify(data)); + window.localStorage.removeItem(this.channelKey); + } catch { + } + }; + this.addEventListener = (eventName, listener) => { + this.eventTarget.addEventListener(this.prefixEventName(eventName), (e) => { + listener(e); + }); + }; + this.setupLocalStorageListener = () => { + const notifyListeners = (e) => { + if (e.key !== this.channelKey || !e.newValue) { + return; + } + try { + const data = JSON.parse(e.newValue || ""); + const event = new MessageEvent(this.prefixEventName("message"), { + data + }); + this.eventTarget.dispatchEvent(event); + } catch { + } + }; + window.addEventListener("storage", notifyListeners); + }; + this.channelKey = KEY_PREFIX + name; + this.setupLocalStorageListener(); + } + prefixEventName(eventName) { + return this.channelKey + eventName; + } +}; + +export { + LocalStorageBroadcastChannel +}; +//# sourceMappingURL=chunk-KZL5MSSZ.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-KZL5MSSZ.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-KZL5MSSZ.mjs.map new file mode 100644 index 000000000..0bc12dae3 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-KZL5MSSZ.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/localStorageBroadcastChannel.ts"],"sourcesContent":["type Listener = (e: MessageEvent) => void;\n\nconst KEY_PREFIX = '__lsbc__';\n\nexport class LocalStorageBroadcastChannel {\n private readonly eventTarget = window;\n private readonly channelKey: string;\n\n constructor(name: string) {\n this.channelKey = KEY_PREFIX + name;\n this.setupLocalStorageListener();\n }\n\n public postMessage = (data: E): void => {\n if (typeof window === 'undefined') {\n // Silently do nothing\n return;\n }\n\n try {\n window.localStorage.setItem(this.channelKey, JSON.stringify(data));\n window.localStorage.removeItem(this.channelKey);\n } catch {\n // Silently do nothing\n }\n };\n\n public addEventListener = (eventName: 'message', listener: Listener): void => {\n this.eventTarget.addEventListener(this.prefixEventName(eventName), e => {\n listener(e as MessageEvent);\n });\n };\n\n private setupLocalStorageListener = () => {\n const notifyListeners = (e: StorageEvent) => {\n if (e.key !== this.channelKey || !e.newValue) {\n return;\n }\n\n try {\n const data = JSON.parse(e.newValue || '');\n const event = new MessageEvent(this.prefixEventName('message'), {\n data,\n });\n this.eventTarget.dispatchEvent(event);\n } catch {\n //\n }\n };\n\n window.addEventListener('storage', notifyListeners);\n };\n\n private prefixEventName(eventName: string): string {\n return this.channelKey + eventName;\n }\n}\n"],"mappings":";AAEA,IAAM,aAAa;AAEZ,IAAM,+BAAN,MAAsC;AAAA,EAI3C,YAAY,MAAc;AAH1B,SAAiB,cAAc;AAQ/B,SAAO,cAAc,CAAC,SAAkB;AACtC,UAAI,OAAO,WAAW,aAAa;AAEjC;AAAA,MACF;AAEA,UAAI;AACF,eAAO,aAAa,QAAQ,KAAK,YAAY,KAAK,UAAU,IAAI,CAAC;AACjE,eAAO,aAAa,WAAW,KAAK,UAAU;AAAA,MAChD,QAAQ;AAAA,MAER;AAAA,IACF;AAEA,SAAO,mBAAmB,CAAC,WAAsB,aAAgC;AAC/E,WAAK,YAAY,iBAAiB,KAAK,gBAAgB,SAAS,GAAG,OAAK;AACtE,iBAAS,CAAiB;AAAA,MAC5B,CAAC;AAAA,IACH;AAEA,SAAQ,4BAA4B,MAAM;AACxC,YAAM,kBAAkB,CAAC,MAAoB;AAC3C,YAAI,EAAE,QAAQ,KAAK,cAAc,CAAC,EAAE,UAAU;AAC5C;AAAA,QACF;AAEA,YAAI;AACF,gBAAM,OAAO,KAAK,MAAM,EAAE,YAAY,EAAE;AACxC,gBAAM,QAAQ,IAAI,aAAa,KAAK,gBAAgB,SAAS,GAAG;AAAA,YAC9D;AAAA,UACF,CAAC;AACD,eAAK,YAAY,cAAc,KAAK;AAAA,QACtC,QAAQ;AAAA,QAER;AAAA,MACF;AAEA,aAAO,iBAAiB,WAAW,eAAe;AAAA,IACpD;AA1CE,SAAK,aAAa,aAAa;AAC/B,SAAK,0BAA0B;AAAA,EACjC;AAAA,EA0CQ,gBAAgB,WAA2B;AACjD,WAAO,KAAK,aAAa;AAAA,EAC3B;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-MBKM7LRV.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-MBKM7LRV.mjs new file mode 100644 index 000000000..2902e2aa9 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-MBKM7LRV.mjs @@ -0,0 +1,20 @@ +// src/dom/waitForElement.ts +function waitForElement(selector) { + return new Promise((resolve) => { + if (document.querySelector(selector)) { + return resolve(document.querySelector(selector)); + } + const observer = new MutationObserver(() => { + if (document.querySelector(selector)) { + observer.disconnect(); + resolve(document.querySelector(selector)); + } + }); + observer.observe(document.body, { childList: true, subtree: true }); + }); +} + +export { + waitForElement +}; +//# sourceMappingURL=chunk-MBKM7LRV.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-MBKM7LRV.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-MBKM7LRV.mjs.map new file mode 100644 index 000000000..e827d8437 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-MBKM7LRV.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/dom/waitForElement.ts"],"sourcesContent":["/**\n * Uses a MutationObserver to wait for an element to be added to the DOM.\n */\nexport function waitForElement(selector: string): Promise {\n return new Promise(resolve => {\n if (document.querySelector(selector)) {\n return resolve(document.querySelector(selector) as HTMLElement);\n }\n\n const observer = new MutationObserver(() => {\n if (document.querySelector(selector)) {\n observer.disconnect();\n resolve(document.querySelector(selector) as HTMLElement);\n }\n });\n\n observer.observe(document.body, { childList: true, subtree: true });\n });\n}\n"],"mappings":";AAGO,SAAS,eAAe,UAA+C;AAC5E,SAAO,IAAI,QAAQ,aAAW;AAC5B,QAAI,SAAS,cAAc,QAAQ,GAAG;AACpC,aAAO,QAAQ,SAAS,cAAc,QAAQ,CAAgB;AAAA,IAChE;AAEA,UAAM,WAAW,IAAI,iBAAiB,MAAM;AAC1C,UAAI,SAAS,cAAc,QAAQ,GAAG;AACpC,iBAAS,WAAW;AACpB,gBAAQ,SAAS,cAAc,QAAQ,CAAgB;AAAA,MACzD;AAAA,IACF,CAAC;AAED,aAAS,QAAQ,SAAS,MAAM,EAAE,WAAW,MAAM,SAAS,KAAK,CAAC;AAAA,EACpE,CAAC;AACH;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-NNO3XJ5E.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-NNO3XJ5E.mjs new file mode 100644 index 000000000..79ffbc61c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-NNO3XJ5E.mjs @@ -0,0 +1,31 @@ +import { + parsePublishableKey +} from "./chunk-G3VP5PJE.mjs"; +import { + LEGACY_DEV_INSTANCE_SUFFIXES, + LOCAL_API_URL, + LOCAL_ENV_SUFFIXES, + PROD_API_URL, + STAGING_API_URL, + STAGING_ENV_SUFFIXES +} from "./chunk-I6MTSTOF.mjs"; + +// src/apiUrlFromPublishableKey.ts +var apiUrlFromPublishableKey = (publishableKey) => { + const frontendApi = parsePublishableKey(publishableKey)?.frontendApi; + if (frontendApi?.startsWith("clerk.") && LEGACY_DEV_INSTANCE_SUFFIXES.some((suffix) => frontendApi?.endsWith(suffix))) { + return PROD_API_URL; + } + if (LOCAL_ENV_SUFFIXES.some((suffix) => frontendApi?.endsWith(suffix))) { + return LOCAL_API_URL; + } + if (STAGING_ENV_SUFFIXES.some((suffix) => frontendApi?.endsWith(suffix))) { + return STAGING_API_URL; + } + return PROD_API_URL; +}; + +export { + apiUrlFromPublishableKey +}; +//# sourceMappingURL=chunk-NNO3XJ5E.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-NNO3XJ5E.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-NNO3XJ5E.mjs.map new file mode 100644 index 000000000..a967fccdf --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-NNO3XJ5E.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/apiUrlFromPublishableKey.ts"],"sourcesContent":["import {\n LEGACY_DEV_INSTANCE_SUFFIXES,\n LOCAL_API_URL,\n LOCAL_ENV_SUFFIXES,\n PROD_API_URL,\n STAGING_API_URL,\n STAGING_ENV_SUFFIXES,\n} from './constants';\nimport { parsePublishableKey } from './keys';\n\nexport const apiUrlFromPublishableKey = (publishableKey: string) => {\n const frontendApi = parsePublishableKey(publishableKey)?.frontendApi;\n\n if (frontendApi?.startsWith('clerk.') && LEGACY_DEV_INSTANCE_SUFFIXES.some(suffix => frontendApi?.endsWith(suffix))) {\n return PROD_API_URL;\n }\n\n if (LOCAL_ENV_SUFFIXES.some(suffix => frontendApi?.endsWith(suffix))) {\n return LOCAL_API_URL;\n }\n if (STAGING_ENV_SUFFIXES.some(suffix => frontendApi?.endsWith(suffix))) {\n return STAGING_API_URL;\n }\n return PROD_API_URL;\n};\n"],"mappings":";;;;;;;;;;;;;AAUO,IAAM,2BAA2B,CAAC,mBAA2B;AAClE,QAAM,cAAc,oBAAoB,cAAc,GAAG;AAEzD,MAAI,aAAa,WAAW,QAAQ,KAAK,6BAA6B,KAAK,YAAU,aAAa,SAAS,MAAM,CAAC,GAAG;AACnH,WAAO;AAAA,EACT;AAEA,MAAI,mBAAmB,KAAK,YAAU,aAAa,SAAS,MAAM,CAAC,GAAG;AACpE,WAAO;AAAA,EACT;AACA,MAAI,qBAAqB,KAAK,YAAU,aAAa,SAAS,MAAM,CAAC,GAAG;AACtE,WAAO;AAAA,EACT;AACA,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-O32JQBM6.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-O32JQBM6.mjs new file mode 100644 index 000000000..236d027ac --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-O32JQBM6.mjs @@ -0,0 +1,18 @@ +// src/utils/handleValueOrFn.ts +function handleValueOrFn(value, url, defaultValue) { + if (typeof value === "function") { + return value(url); + } + if (typeof value !== "undefined") { + return value; + } + if (typeof defaultValue !== "undefined") { + return defaultValue; + } + return void 0; +} + +export { + handleValueOrFn +}; +//# sourceMappingURL=chunk-O32JQBM6.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-O32JQBM6.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-O32JQBM6.mjs.map new file mode 100644 index 000000000..300e6393b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-O32JQBM6.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/utils/handleValueOrFn.ts"],"sourcesContent":["type VOrFnReturnsV = T | undefined | ((v: URL) => T);\nexport function handleValueOrFn(value: VOrFnReturnsV, url: URL): T | undefined;\nexport function handleValueOrFn(value: VOrFnReturnsV, url: URL, defaultValue: T): T;\nexport function handleValueOrFn(value: VOrFnReturnsV, url: URL, defaultValue?: unknown): unknown {\n if (typeof value === 'function') {\n return (value as (v: URL) => T)(url);\n }\n\n if (typeof value !== 'undefined') {\n return value;\n }\n\n if (typeof defaultValue !== 'undefined') {\n return defaultValue;\n }\n\n return undefined;\n}\n"],"mappings":";AAGO,SAAS,gBAAmB,OAAyB,KAAU,cAAiC;AACrG,MAAI,OAAO,UAAU,YAAY;AAC/B,WAAQ,MAAwB,GAAG;AAAA,EACrC;AAEA,MAAI,OAAO,UAAU,aAAa;AAChC,WAAO;AAAA,EACT;AAEA,MAAI,OAAO,iBAAiB,aAAa;AACvC,WAAO;AAAA,EACT;AAEA,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QE2A7CJI.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QE2A7CJI.mjs new file mode 100644 index 000000000..8320231ba --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QE2A7CJI.mjs @@ -0,0 +1,102 @@ +// src/underscore.ts +var toSentence = (items) => { + if (items.length == 0) { + return ""; + } + if (items.length == 1) { + return items[0]; + } + let sentence = items.slice(0, -1).join(", "); + sentence += `, or ${items.slice(-1)}`; + return sentence; +}; +var IP_V4_ADDRESS_REGEX = /^(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$/; +function isIPV4Address(str) { + return IP_V4_ADDRESS_REGEX.test(str || ""); +} +function titleize(str) { + const s = str || ""; + return s.charAt(0).toUpperCase() + s.slice(1); +} +function snakeToCamel(str) { + return str ? str.replace(/([-_][a-z])/g, (match) => match.toUpperCase().replace(/-|_/, "")) : ""; +} +function camelToSnake(str) { + return str ? str.replace(/[A-Z]/g, (letter) => `_${letter.toLowerCase()}`) : ""; +} +var createDeepObjectTransformer = (transform) => { + const deepTransform = (obj) => { + if (!obj) { + return obj; + } + if (Array.isArray(obj)) { + return obj.map((el) => { + if (typeof el === "object" || Array.isArray(el)) { + return deepTransform(el); + } + return el; + }); + } + const copy = { ...obj }; + const keys = Object.keys(copy); + for (const oldName of keys) { + const newName = transform(oldName.toString()); + if (newName !== oldName) { + copy[newName] = copy[oldName]; + delete copy[oldName]; + } + if (typeof copy[newName] === "object") { + copy[newName] = deepTransform(copy[newName]); + } + } + return copy; + }; + return deepTransform; +}; +var deepCamelToSnake = createDeepObjectTransformer(camelToSnake); +var deepSnakeToCamel = createDeepObjectTransformer(snakeToCamel); +function isTruthy(value) { + if (typeof value === `boolean`) { + return value; + } + if (value === void 0 || value === null) { + return false; + } + if (typeof value === `string`) { + if (value.toLowerCase() === `true`) { + return true; + } + if (value.toLowerCase() === `false`) { + return false; + } + } + const number = parseInt(value, 10); + if (isNaN(number)) { + return false; + } + if (number > 0) { + return true; + } + return false; +} +function getNonUndefinedValues(obj) { + return Object.entries(obj).reduce((acc, [key, value]) => { + if (value !== void 0) { + acc[key] = value; + } + return acc; + }, {}); +} + +export { + toSentence, + isIPV4Address, + titleize, + snakeToCamel, + camelToSnake, + deepCamelToSnake, + deepSnakeToCamel, + isTruthy, + getNonUndefinedValues +}; +//# sourceMappingURL=chunk-QE2A7CJI.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QE2A7CJI.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QE2A7CJI.mjs.map new file mode 100644 index 000000000..0adcf3463 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QE2A7CJI.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/underscore.ts"],"sourcesContent":["/**\n * Converts an array of strings to a comma-separated sentence\n * @param items {Array}\n * @returns {string} Returns a string with the items joined by a comma and the last item joined by \", or\"\n */\nexport const toSentence = (items: string[]): string => {\n // TODO: Once Safari supports it, use Intl.ListFormat\n if (items.length == 0) {\n return '';\n }\n if (items.length == 1) {\n return items[0];\n }\n let sentence = items.slice(0, -1).join(', ');\n sentence += `, or ${items.slice(-1)}`;\n return sentence;\n};\n\nconst IP_V4_ADDRESS_REGEX =\n /^(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$/;\n\nexport function isIPV4Address(str: string | undefined | null): boolean {\n return IP_V4_ADDRESS_REGEX.test(str || '');\n}\n\nexport function titleize(str: string | undefined | null): string {\n const s = str || '';\n return s.charAt(0).toUpperCase() + s.slice(1);\n}\n\nexport function snakeToCamel(str: string | undefined): string {\n return str ? str.replace(/([-_][a-z])/g, match => match.toUpperCase().replace(/-|_/, '')) : '';\n}\n\nexport function camelToSnake(str: string | undefined): string {\n return str ? str.replace(/[A-Z]/g, letter => `_${letter.toLowerCase()}`) : '';\n}\n\nconst createDeepObjectTransformer = (transform: any) => {\n const deepTransform = (obj: any): any => {\n if (!obj) {\n return obj;\n }\n\n if (Array.isArray(obj)) {\n return obj.map(el => {\n if (typeof el === 'object' || Array.isArray(el)) {\n return deepTransform(el);\n }\n return el;\n });\n }\n\n const copy = { ...obj };\n const keys = Object.keys(copy);\n for (const oldName of keys) {\n const newName = transform(oldName.toString());\n if (newName !== oldName) {\n copy[newName] = copy[oldName];\n delete copy[oldName];\n }\n if (typeof copy[newName] === 'object') {\n copy[newName] = deepTransform(copy[newName]);\n }\n }\n return copy;\n };\n\n return deepTransform;\n};\n\n/**\n * Transforms camelCased objects/ arrays to snake_cased.\n * This function recursively traverses all objects and arrays of the passed value\n * camelCased keys are removed.\n */\nexport const deepCamelToSnake = createDeepObjectTransformer(camelToSnake);\n\n/**\n * Transforms snake_cased objects/ arrays to camelCased.\n * This function recursively traverses all objects and arrays of the passed value\n * camelCased keys are removed.\n */\nexport const deepSnakeToCamel = createDeepObjectTransformer(snakeToCamel);\n\n/**\n * Returns true for `true`, true, positive numbers.\n * Returns false for `false`, false, 0, negative integers and anything else.\n */\nexport function isTruthy(value: unknown): boolean {\n // Return if Boolean\n if (typeof value === `boolean`) {\n return value;\n }\n\n // Return false if null or undefined\n if (value === undefined || value === null) {\n return false;\n }\n\n // If the String is true or false\n if (typeof value === `string`) {\n if (value.toLowerCase() === `true`) {\n return true;\n }\n\n if (value.toLowerCase() === `false`) {\n return false;\n }\n }\n\n // Now check if it's a number\n const number = parseInt(value as string, 10);\n if (isNaN(number)) {\n return false;\n }\n\n if (number > 0) {\n return true;\n }\n\n // Default to false\n return false;\n}\n\nexport function getNonUndefinedValues(obj: T): Partial {\n return Object.entries(obj).reduce((acc, [key, value]) => {\n if (value !== undefined) {\n acc[key as keyof T] = value;\n }\n return acc;\n }, {} as Partial);\n}\n"],"mappings":";AAKO,IAAM,aAAa,CAAC,UAA4B;AAErD,MAAI,MAAM,UAAU,GAAG;AACrB,WAAO;AAAA,EACT;AACA,MAAI,MAAM,UAAU,GAAG;AACrB,WAAO,MAAM,CAAC;AAAA,EAChB;AACA,MAAI,WAAW,MAAM,MAAM,GAAG,EAAE,EAAE,KAAK,IAAI;AAC3C,cAAY,QAAQ,MAAM,MAAM,EAAE,CAAC;AACnC,SAAO;AACT;AAEA,IAAM,sBACJ;AAEK,SAAS,cAAc,KAAyC;AACrE,SAAO,oBAAoB,KAAK,OAAO,EAAE;AAC3C;AAEO,SAAS,SAAS,KAAwC;AAC/D,QAAM,IAAI,OAAO;AACjB,SAAO,EAAE,OAAO,CAAC,EAAE,YAAY,IAAI,EAAE,MAAM,CAAC;AAC9C;AAEO,SAAS,aAAa,KAAiC;AAC5D,SAAO,MAAM,IAAI,QAAQ,gBAAgB,WAAS,MAAM,YAAY,EAAE,QAAQ,OAAO,EAAE,CAAC,IAAI;AAC9F;AAEO,SAAS,aAAa,KAAiC;AAC5D,SAAO,MAAM,IAAI,QAAQ,UAAU,YAAU,IAAI,OAAO,YAAY,CAAC,EAAE,IAAI;AAC7E;AAEA,IAAM,8BAA8B,CAAC,cAAmB;AACtD,QAAM,gBAAgB,CAAC,QAAkB;AACvC,QAAI,CAAC,KAAK;AACR,aAAO;AAAA,IACT;AAEA,QAAI,MAAM,QAAQ,GAAG,GAAG;AACtB,aAAO,IAAI,IAAI,QAAM;AACnB,YAAI,OAAO,OAAO,YAAY,MAAM,QAAQ,EAAE,GAAG;AAC/C,iBAAO,cAAc,EAAE;AAAA,QACzB;AACA,eAAO;AAAA,MACT,CAAC;AAAA,IACH;AAEA,UAAM,OAAO,EAAE,GAAG,IAAI;AACtB,UAAM,OAAO,OAAO,KAAK,IAAI;AAC7B,eAAW,WAAW,MAAM;AAC1B,YAAM,UAAU,UAAU,QAAQ,SAAS,CAAC;AAC5C,UAAI,YAAY,SAAS;AACvB,aAAK,OAAO,IAAI,KAAK,OAAO;AAC5B,eAAO,KAAK,OAAO;AAAA,MACrB;AACA,UAAI,OAAO,KAAK,OAAO,MAAM,UAAU;AACrC,aAAK,OAAO,IAAI,cAAc,KAAK,OAAO,CAAC;AAAA,MAC7C;AAAA,IACF;AACA,WAAO;AAAA,EACT;AAEA,SAAO;AACT;AAOO,IAAM,mBAAmB,4BAA4B,YAAY;AAOjE,IAAM,mBAAmB,4BAA4B,YAAY;AAMjE,SAAS,SAAS,OAAyB;AAEhD,MAAI,OAAO,UAAU,WAAW;AAC9B,WAAO;AAAA,EACT;AAGA,MAAI,UAAU,UAAa,UAAU,MAAM;AACzC,WAAO;AAAA,EACT;AAGA,MAAI,OAAO,UAAU,UAAU;AAC7B,QAAI,MAAM,YAAY,MAAM,QAAQ;AAClC,aAAO;AAAA,IACT;AAEA,QAAI,MAAM,YAAY,MAAM,SAAS;AACnC,aAAO;AAAA,IACT;AAAA,EACF;AAGA,QAAM,SAAS,SAAS,OAAiB,EAAE;AAC3C,MAAI,MAAM,MAAM,GAAG;AACjB,WAAO;AAAA,EACT;AAEA,MAAI,SAAS,GAAG;AACd,WAAO;AAAA,EACT;AAGA,SAAO;AACT;AAEO,SAAS,sBAAwC,KAAoB;AAC1E,SAAO,OAAO,QAAQ,GAAG,EAAE,OAAO,CAAC,KAAK,CAAC,KAAK,KAAK,MAAM;AACvD,QAAI,UAAU,QAAW;AACvB,UAAI,GAAc,IAAI;AAAA,IACxB;AACA,WAAO;AAAA,EACT,GAAG,CAAC,CAAe;AACrB;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QL5NCNJD.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QL5NCNJD.mjs new file mode 100644 index 000000000..6aca75701 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QL5NCNJD.mjs @@ -0,0 +1,22 @@ +// src/versionSelector.ts +var versionSelector = (clerkJSVersion, packageVersion = "5.54.0") => { + if (clerkJSVersion) { + return clerkJSVersion; + } + const prereleaseTag = getPrereleaseTag(packageVersion); + if (prereleaseTag) { + if (prereleaseTag === "snapshot") { + return "5.54.0"; + } + return prereleaseTag; + } + return getMajorVersion(packageVersion); +}; +var getPrereleaseTag = (packageVersion) => packageVersion.trim().replace(/^v/, "").match(/-(.+?)(\.|$)/)?.[1]; +var getMajorVersion = (packageVersion) => packageVersion.trim().replace(/^v/, "").split(".")[0]; + +export { + versionSelector, + getMajorVersion +}; +//# sourceMappingURL=chunk-QL5NCNJD.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QL5NCNJD.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QL5NCNJD.mjs.map new file mode 100644 index 000000000..67c8c0db0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QL5NCNJD.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/versionSelector.ts"],"sourcesContent":["/**\n * This version selector is a bit complicated, so here is the flow:\n * 1. Use the clerkJSVersion prop on the provider\n * 2. Use the exact `@clerk/clerk-js` version if it is a `@snapshot` prerelease\n * 3. Use the prerelease tag of `@clerk/clerk-js` or the packageVersion provided\n * 4. Fallback to the major version of `@clerk/clerk-js` or the packageVersion provided\n * @param clerkJSVersion - The optional clerkJSVersion prop on the provider\n * @param packageVersion - The version of `@clerk/clerk-js` that will be used if an explicit version is not provided\n * @returns The npm tag, version or major version to use\n */\nexport const versionSelector = (clerkJSVersion: string | undefined, packageVersion = JS_PACKAGE_VERSION) => {\n if (clerkJSVersion) {\n return clerkJSVersion;\n }\n\n const prereleaseTag = getPrereleaseTag(packageVersion);\n if (prereleaseTag) {\n if (prereleaseTag === 'snapshot') {\n return JS_PACKAGE_VERSION;\n }\n\n return prereleaseTag;\n }\n\n return getMajorVersion(packageVersion);\n};\n\nconst getPrereleaseTag = (packageVersion: string) =>\n packageVersion\n .trim()\n .replace(/^v/, '')\n .match(/-(.+?)(\\.|$)/)?.[1];\n\nexport const getMajorVersion = (packageVersion: string) => packageVersion.trim().replace(/^v/, '').split('.')[0];\n"],"mappings":";AAUO,IAAM,kBAAkB,CAAC,gBAAoC,iBAAiB,aAAuB;AAC1G,MAAI,gBAAgB;AAClB,WAAO;AAAA,EACT;AAEA,QAAM,gBAAgB,iBAAiB,cAAc;AACrD,MAAI,eAAe;AACjB,QAAI,kBAAkB,YAAY;AAChC,aAAO;AAAA,IACT;AAEA,WAAO;AAAA,EACT;AAEA,SAAO,gBAAgB,cAAc;AACvC;AAEA,IAAM,mBAAmB,CAAC,mBACxB,eACG,KAAK,EACL,QAAQ,MAAM,EAAE,EAChB,MAAM,cAAc,IAAI,CAAC;AAEvB,IAAM,kBAAkB,CAAC,mBAA2B,eAAe,KAAK,EAAE,QAAQ,MAAM,EAAE,EAAE,MAAM,GAAG,EAAE,CAAC;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QUVOOEBF.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QUVOOEBF.mjs new file mode 100644 index 000000000..7d46d0528 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QUVOOEBF.mjs @@ -0,0 +1,100 @@ +import { + addClerkPrefix +} from "./chunk-IFTVZ2LQ.mjs"; +import { + versionSelector +} from "./chunk-QL5NCNJD.mjs"; +import { + isValidProxyUrl, + proxyUrlToAbsoluteURL +} from "./chunk-6NDGN2IU.mjs"; +import { + loadScript +} from "./chunk-YIV5QDK5.mjs"; +import { + buildErrorThrower +} from "./chunk-JXRB7SGQ.mjs"; +import { + createDevOrStagingUrlCache, + parsePublishableKey +} from "./chunk-G3VP5PJE.mjs"; + +// src/loadClerkJsScript.ts +var FAILED_TO_LOAD_ERROR = "Clerk: Failed to load Clerk"; +var { isDevOrStagingUrl } = createDevOrStagingUrlCache(); +var errorThrower = buildErrorThrower({ packageName: "@clerk/shared" }); +function setClerkJsLoadingErrorPackageName(packageName) { + errorThrower.setPackageName({ packageName }); +} +var loadClerkJsScript = async (opts) => { + const existingScript = document.querySelector("script[data-clerk-js-script]"); + if (existingScript) { + return new Promise((resolve, reject) => { + existingScript.addEventListener("load", () => { + resolve(existingScript); + }); + existingScript.addEventListener("error", () => { + reject(FAILED_TO_LOAD_ERROR); + }); + }); + } + if (!opts?.publishableKey) { + errorThrower.throwMissingPublishableKeyError(); + return; + } + return loadScript(clerkJsScriptUrl(opts), { + async: true, + crossOrigin: "anonymous", + nonce: opts.nonce, + beforeLoad: applyClerkJsScriptAttributes(opts) + }).catch(() => { + throw new Error(FAILED_TO_LOAD_ERROR); + }); +}; +var clerkJsScriptUrl = (opts) => { + const { clerkJSUrl, clerkJSVariant, clerkJSVersion, proxyUrl, domain, publishableKey } = opts; + if (clerkJSUrl) { + return clerkJSUrl; + } + let scriptHost = ""; + if (!!proxyUrl && isValidProxyUrl(proxyUrl)) { + scriptHost = proxyUrlToAbsoluteURL(proxyUrl).replace(/http(s)?:\/\//, ""); + } else if (domain && !isDevOrStagingUrl(parsePublishableKey(publishableKey)?.frontendApi || "")) { + scriptHost = addClerkPrefix(domain); + } else { + scriptHost = parsePublishableKey(publishableKey)?.frontendApi || ""; + } + const variant = clerkJSVariant ? `${clerkJSVariant.replace(/\.+$/, "")}.` : ""; + const version = versionSelector(clerkJSVersion); + return `https://${scriptHost}/npm/@clerk/clerk-js@${version}/dist/clerk.${variant}browser.js`; +}; +var buildClerkJsScriptAttributes = (options) => { + const obj = {}; + if (options.publishableKey) { + obj["data-clerk-publishable-key"] = options.publishableKey; + } + if (options.proxyUrl) { + obj["data-clerk-proxy-url"] = options.proxyUrl; + } + if (options.domain) { + obj["data-clerk-domain"] = options.domain; + } + if (options.nonce) { + obj.nonce = options.nonce; + } + return obj; +}; +var applyClerkJsScriptAttributes = (options) => (script) => { + const attributes = buildClerkJsScriptAttributes(options); + for (const attribute in attributes) { + script.setAttribute(attribute, attributes[attribute]); + } +}; + +export { + setClerkJsLoadingErrorPackageName, + loadClerkJsScript, + clerkJsScriptUrl, + buildClerkJsScriptAttributes +}; +//# sourceMappingURL=chunk-QUVOOEBF.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QUVOOEBF.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QUVOOEBF.mjs.map new file mode 100644 index 000000000..1da868bf0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-QUVOOEBF.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/loadClerkJsScript.ts"],"sourcesContent":["import type { ClerkOptions, SDKMetadata, Without } from '@clerk/types';\n\nimport { buildErrorThrower } from './error';\nimport { createDevOrStagingUrlCache, parsePublishableKey } from './keys';\nimport { loadScript } from './loadScript';\nimport { isValidProxyUrl, proxyUrlToAbsoluteURL } from './proxy';\nimport { addClerkPrefix } from './url';\nimport { versionSelector } from './versionSelector';\n\nconst FAILED_TO_LOAD_ERROR = 'Clerk: Failed to load Clerk';\n\nconst { isDevOrStagingUrl } = createDevOrStagingUrlCache();\n\nconst errorThrower = buildErrorThrower({ packageName: '@clerk/shared' });\n\n/**\n * Sets the package name for error messages during ClerkJS script loading.\n *\n * @example\n * setClerkJsLoadingErrorPackageName('@clerk/clerk-react');\n */\nexport function setClerkJsLoadingErrorPackageName(packageName: string) {\n errorThrower.setPackageName({ packageName });\n}\n\ntype LoadClerkJsScriptOptions = Without & {\n publishableKey: string;\n clerkJSUrl?: string;\n clerkJSVariant?: 'headless' | '';\n clerkJSVersion?: string;\n sdkMetadata?: SDKMetadata;\n proxyUrl?: string;\n domain?: string;\n nonce?: string;\n};\n\n/**\n * Hotloads the Clerk JS script.\n *\n * Checks for an existing Clerk JS script. If found, it returns a promise\n * that resolves when the script loads. If not found, it uses the provided options to\n * build the Clerk JS script URL and load the script.\n *\n * @param opts - The options used to build the Clerk JS script URL and load the script.\n * Must include a `publishableKey` if no existing script is found.\n *\n * @example\n * loadClerkJsScript({ publishableKey: 'pk_' });\n */\nconst loadClerkJsScript = async (opts?: LoadClerkJsScriptOptions) => {\n const existingScript = document.querySelector('script[data-clerk-js-script]');\n\n if (existingScript) {\n return new Promise((resolve, reject) => {\n existingScript.addEventListener('load', () => {\n resolve(existingScript);\n });\n\n existingScript.addEventListener('error', () => {\n reject(FAILED_TO_LOAD_ERROR);\n });\n });\n }\n\n if (!opts?.publishableKey) {\n errorThrower.throwMissingPublishableKeyError();\n return;\n }\n\n return loadScript(clerkJsScriptUrl(opts), {\n async: true,\n crossOrigin: 'anonymous',\n nonce: opts.nonce,\n beforeLoad: applyClerkJsScriptAttributes(opts),\n }).catch(() => {\n throw new Error(FAILED_TO_LOAD_ERROR);\n });\n};\n\n/**\n * Generates a Clerk JS script URL.\n *\n * @param opts - The options to use when building the Clerk JS script URL.\n *\n * @example\n * clerkJsScriptUrl({ publishableKey: 'pk_' });\n */\nconst clerkJsScriptUrl = (opts: LoadClerkJsScriptOptions) => {\n const { clerkJSUrl, clerkJSVariant, clerkJSVersion, proxyUrl, domain, publishableKey } = opts;\n\n if (clerkJSUrl) {\n return clerkJSUrl;\n }\n\n let scriptHost = '';\n if (!!proxyUrl && isValidProxyUrl(proxyUrl)) {\n scriptHost = proxyUrlToAbsoluteURL(proxyUrl).replace(/http(s)?:\\/\\//, '');\n } else if (domain && !isDevOrStagingUrl(parsePublishableKey(publishableKey)?.frontendApi || '')) {\n scriptHost = addClerkPrefix(domain);\n } else {\n scriptHost = parsePublishableKey(publishableKey)?.frontendApi || '';\n }\n\n const variant = clerkJSVariant ? `${clerkJSVariant.replace(/\\.+$/, '')}.` : '';\n const version = versionSelector(clerkJSVersion);\n return `https://${scriptHost}/npm/@clerk/clerk-js@${version}/dist/clerk.${variant}browser.js`;\n};\n\n/**\n * Builds an object of Clerk JS script attributes.\n */\nconst buildClerkJsScriptAttributes = (options: LoadClerkJsScriptOptions) => {\n const obj: Record = {};\n\n if (options.publishableKey) {\n obj['data-clerk-publishable-key'] = options.publishableKey;\n }\n\n if (options.proxyUrl) {\n obj['data-clerk-proxy-url'] = options.proxyUrl;\n }\n\n if (options.domain) {\n obj['data-clerk-domain'] = options.domain;\n }\n\n if (options.nonce) {\n obj.nonce = options.nonce;\n }\n\n return obj;\n};\n\nconst applyClerkJsScriptAttributes = (options: LoadClerkJsScriptOptions) => (script: HTMLScriptElement) => {\n const attributes = buildClerkJsScriptAttributes(options);\n for (const attribute in attributes) {\n script.setAttribute(attribute, attributes[attribute]);\n }\n};\n\nexport { loadClerkJsScript, buildClerkJsScriptAttributes, clerkJsScriptUrl };\nexport type { LoadClerkJsScriptOptions };\n"],"mappings":";;;;;;;;;;;;;;;;;;;;;;AASA,IAAM,uBAAuB;AAE7B,IAAM,EAAE,kBAAkB,IAAI,2BAA2B;AAEzD,IAAM,eAAe,kBAAkB,EAAE,aAAa,gBAAgB,CAAC;AAQhE,SAAS,kCAAkC,aAAqB;AACrE,eAAa,eAAe,EAAE,YAAY,CAAC;AAC7C;AA0BA,IAAM,oBAAoB,OAAO,SAAoC;AACnE,QAAM,iBAAiB,SAAS,cAAiC,8BAA8B;AAE/F,MAAI,gBAAgB;AAClB,WAAO,IAAI,QAAQ,CAAC,SAAS,WAAW;AACtC,qBAAe,iBAAiB,QAAQ,MAAM;AAC5C,gBAAQ,cAAc;AAAA,MACxB,CAAC;AAED,qBAAe,iBAAiB,SAAS,MAAM;AAC7C,eAAO,oBAAoB;AAAA,MAC7B,CAAC;AAAA,IACH,CAAC;AAAA,EACH;AAEA,MAAI,CAAC,MAAM,gBAAgB;AACzB,iBAAa,gCAAgC;AAC7C;AAAA,EACF;AAEA,SAAO,WAAW,iBAAiB,IAAI,GAAG;AAAA,IACxC,OAAO;AAAA,IACP,aAAa;AAAA,IACb,OAAO,KAAK;AAAA,IACZ,YAAY,6BAA6B,IAAI;AAAA,EAC/C,CAAC,EAAE,MAAM,MAAM;AACb,UAAM,IAAI,MAAM,oBAAoB;AAAA,EACtC,CAAC;AACH;AAUA,IAAM,mBAAmB,CAAC,SAAmC;AAC3D,QAAM,EAAE,YAAY,gBAAgB,gBAAgB,UAAU,QAAQ,eAAe,IAAI;AAEzF,MAAI,YAAY;AACd,WAAO;AAAA,EACT;AAEA,MAAI,aAAa;AACjB,MAAI,CAAC,CAAC,YAAY,gBAAgB,QAAQ,GAAG;AAC3C,iBAAa,sBAAsB,QAAQ,EAAE,QAAQ,iBAAiB,EAAE;AAAA,EAC1E,WAAW,UAAU,CAAC,kBAAkB,oBAAoB,cAAc,GAAG,eAAe,EAAE,GAAG;AAC/F,iBAAa,eAAe,MAAM;AAAA,EACpC,OAAO;AACL,iBAAa,oBAAoB,cAAc,GAAG,eAAe;AAAA,EACnE;AAEA,QAAM,UAAU,iBAAiB,GAAG,eAAe,QAAQ,QAAQ,EAAE,CAAC,MAAM;AAC5E,QAAM,UAAU,gBAAgB,cAAc;AAC9C,SAAO,WAAW,UAAU,wBAAwB,OAAO,eAAe,OAAO;AACnF;AAKA,IAAM,+BAA+B,CAAC,YAAsC;AAC1E,QAAM,MAA8B,CAAC;AAErC,MAAI,QAAQ,gBAAgB;AAC1B,QAAI,4BAA4B,IAAI,QAAQ;AAAA,EAC9C;AAEA,MAAI,QAAQ,UAAU;AACpB,QAAI,sBAAsB,IAAI,QAAQ;AAAA,EACxC;AAEA,MAAI,QAAQ,QAAQ;AAClB,QAAI,mBAAmB,IAAI,QAAQ;AAAA,EACrC;AAEA,MAAI,QAAQ,OAAO;AACjB,QAAI,QAAQ,QAAQ;AAAA,EACtB;AAEA,SAAO;AACT;AAEA,IAAM,+BAA+B,CAAC,YAAsC,CAAC,WAA8B;AACzG,QAAM,aAAa,6BAA6B,OAAO;AACvD,aAAW,aAAa,YAAY;AAClC,WAAO,aAAa,WAAW,WAAW,SAAS,CAAC;AAAA,EACtD;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TALGHI24.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TALGHI24.mjs new file mode 100644 index 000000000..3480721f9 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TALGHI24.mjs @@ -0,0 +1,34 @@ +// src/getEnvVariable.ts +var hasCloudflareProxyContext = (context) => { + return !!context?.cloudflare?.env; +}; +var hasCloudflareContext = (context) => { + return !!context?.env; +}; +var getEnvVariable = (name, context) => { + if (typeof process !== "undefined" && process.env && typeof process.env[name] === "string") { + return process.env[name]; + } + if (typeof import.meta !== "undefined" && import.meta.env && typeof import.meta.env[name] === "string") { + return import.meta.env[name]; + } + if (hasCloudflareProxyContext(context)) { + return context.cloudflare.env[name] || ""; + } + if (hasCloudflareContext(context)) { + return context.env[name] || ""; + } + if (context && typeof context[name] === "string") { + return context[name]; + } + try { + return globalThis[name]; + } catch { + } + return ""; +}; + +export { + getEnvVariable +}; +//# sourceMappingURL=chunk-TALGHI24.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TALGHI24.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TALGHI24.mjs.map new file mode 100644 index 000000000..db2e501cf --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TALGHI24.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/getEnvVariable.ts"],"sourcesContent":["type CloudflareEnv = { env: Record };\n\nconst hasCloudflareProxyContext = (context: any): context is { cloudflare: CloudflareEnv } => {\n return !!context?.cloudflare?.env;\n};\n\nconst hasCloudflareContext = (context: any): context is CloudflareEnv => {\n return !!context?.env;\n};\n\n/**\n * Retrieves an environment variable across runtime environments.\n * @param name - The environment variable name to retrieve\n * @param context - Optional context object that may contain environment values\n * @returns The environment variable value or empty string if not found\n */\nexport const getEnvVariable = (name: string, context?: Record): string => {\n // Node envs\n if (typeof process !== 'undefined' && process.env && typeof process.env[name] === 'string') {\n return process.env[name];\n }\n\n // Vite specific\n if (typeof import.meta !== 'undefined' && import.meta.env && typeof import.meta.env[name] === 'string') {\n return import.meta.env[name];\n }\n\n if (hasCloudflareProxyContext(context)) {\n return context.cloudflare.env[name] || '';\n }\n\n // Cloudflare\n if (hasCloudflareContext(context)) {\n return context.env[name] || '';\n }\n\n // Check whether the value exists in the context object directly\n if (context && typeof context[name] === 'string') {\n return context[name];\n }\n\n // Cloudflare workers\n try {\n return globalThis[name as keyof typeof globalThis];\n } catch {\n // This will raise an error in Cloudflare Pages\n }\n\n return '';\n};\n"],"mappings":";AAEA,IAAM,4BAA4B,CAAC,YAA2D;AAC5F,SAAO,CAAC,CAAC,SAAS,YAAY;AAChC;AAEA,IAAM,uBAAuB,CAAC,YAA2C;AACvE,SAAO,CAAC,CAAC,SAAS;AACpB;AAQO,IAAM,iBAAiB,CAAC,MAAc,YAA0C;AAErF,MAAI,OAAO,YAAY,eAAe,QAAQ,OAAO,OAAO,QAAQ,IAAI,IAAI,MAAM,UAAU;AAC1F,WAAO,QAAQ,IAAI,IAAI;AAAA,EACzB;AAGA,MAAI,OAAO,gBAAgB,eAAe,YAAY,OAAO,OAAO,YAAY,IAAI,IAAI,MAAM,UAAU;AACtG,WAAO,YAAY,IAAI,IAAI;AAAA,EAC7B;AAEA,MAAI,0BAA0B,OAAO,GAAG;AACtC,WAAO,QAAQ,WAAW,IAAI,IAAI,KAAK;AAAA,EACzC;AAGA,MAAI,qBAAqB,OAAO,GAAG;AACjC,WAAO,QAAQ,IAAI,IAAI,KAAK;AAAA,EAC9B;AAGA,MAAI,WAAW,OAAO,QAAQ,IAAI,MAAM,UAAU;AAChD,WAAO,QAAQ,IAAI;AAAA,EACrB;AAGA,MAAI;AACF,WAAO,WAAW,IAA+B;AAAA,EACnD,QAAQ;AAAA,EAER;AAEA,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TETGTEI2.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TETGTEI2.mjs new file mode 100644 index 000000000..092d5dd60 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TETGTEI2.mjs @@ -0,0 +1,14 @@ +// src/isomorphicAtob.ts +var isomorphicAtob = (data) => { + if (typeof atob !== "undefined" && typeof atob === "function") { + return atob(data); + } else if (typeof global !== "undefined" && global.Buffer) { + return new global.Buffer(data, "base64").toString(); + } + return data; +}; + +export { + isomorphicAtob +}; +//# sourceMappingURL=chunk-TETGTEI2.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TETGTEI2.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TETGTEI2.mjs.map new file mode 100644 index 000000000..d2215d396 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TETGTEI2.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/isomorphicAtob.ts"],"sourcesContent":["/**\n * A function that decodes a string of data which has been encoded using base-64 encoding.\n * Uses `atob` if available, otherwise uses `Buffer` from `global`. If neither are available, returns the data as-is.\n */\nexport const isomorphicAtob = (data: string) => {\n if (typeof atob !== 'undefined' && typeof atob === 'function') {\n return atob(data);\n } else if (typeof global !== 'undefined' && global.Buffer) {\n return new global.Buffer(data, 'base64').toString();\n }\n return data;\n};\n"],"mappings":";AAIO,IAAM,iBAAiB,CAAC,SAAiB;AAC9C,MAAI,OAAO,SAAS,eAAe,OAAO,SAAS,YAAY;AAC7D,WAAO,KAAK,IAAI;AAAA,EAClB,WAAW,OAAO,WAAW,eAAe,OAAO,QAAQ;AACzD,WAAO,IAAI,OAAO,OAAO,MAAM,QAAQ,EAAE,SAAS;AAAA,EACpD;AACA,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TTPTJY6P.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TTPTJY6P.mjs new file mode 100644 index 000000000..f1b60403b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TTPTJY6P.mjs @@ -0,0 +1,65 @@ +// src/deriveState.ts +var deriveState = (clerkLoaded, state, initialState) => { + if (!clerkLoaded && initialState) { + return deriveFromSsrInitialState(initialState); + } + return deriveFromClientSideState(state); +}; +var deriveFromSsrInitialState = (initialState) => { + const userId = initialState.userId; + const user = initialState.user; + const sessionId = initialState.sessionId; + const session = initialState.session; + const organization = initialState.organization; + const orgId = initialState.orgId; + const orgRole = initialState.orgRole; + const orgPermissions = initialState.orgPermissions; + const orgSlug = initialState.orgSlug; + const actor = initialState.actor; + const factorVerificationAge = initialState.factorVerificationAge; + return { + userId, + user, + sessionId, + session, + organization, + orgId, + orgRole, + orgPermissions, + orgSlug, + actor, + factorVerificationAge + }; +}; +var deriveFromClientSideState = (state) => { + const userId = state.user ? state.user.id : state.user; + const user = state.user; + const sessionId = state.session ? state.session.id : state.session; + const session = state.session; + const factorVerificationAge = state.session ? state.session.factorVerificationAge : null; + const actor = session?.actor; + const organization = state.organization; + const orgId = state.organization ? state.organization.id : state.organization; + const orgSlug = organization?.slug; + const membership = organization ? user?.organizationMemberships?.find((om) => om.organization.id === orgId) : organization; + const orgPermissions = membership ? membership.permissions : membership; + const orgRole = membership ? membership.role : membership; + return { + userId, + user, + sessionId, + session, + organization, + orgId, + orgRole, + orgSlug, + orgPermissions, + actor, + factorVerificationAge + }; +}; + +export { + deriveState +}; +//# sourceMappingURL=chunk-TTPTJY6P.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TTPTJY6P.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TTPTJY6P.mjs.map new file mode 100644 index 000000000..f3602a7d7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-TTPTJY6P.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/deriveState.ts"],"sourcesContent":["import type {\n InitialState,\n OrganizationCustomPermissionKey,\n OrganizationCustomRoleKey,\n OrganizationResource,\n Resources,\n SignedInSessionResource,\n UserResource,\n} from '@clerk/types';\n\n/**\n * Derives authentication state based on the current rendering context (SSR or client-side).\n */\nexport const deriveState = (clerkLoaded: boolean, state: Resources, initialState: InitialState | undefined) => {\n if (!clerkLoaded && initialState) {\n return deriveFromSsrInitialState(initialState);\n }\n return deriveFromClientSideState(state);\n};\n\nconst deriveFromSsrInitialState = (initialState: InitialState) => {\n const userId = initialState.userId;\n const user = initialState.user as UserResource;\n const sessionId = initialState.sessionId;\n const session = initialState.session as SignedInSessionResource;\n const organization = initialState.organization as OrganizationResource;\n const orgId = initialState.orgId;\n const orgRole = initialState.orgRole as OrganizationCustomRoleKey;\n const orgPermissions = initialState.orgPermissions as OrganizationCustomPermissionKey[];\n const orgSlug = initialState.orgSlug;\n const actor = initialState.actor;\n const factorVerificationAge = initialState.factorVerificationAge;\n\n return {\n userId,\n user,\n sessionId,\n session,\n organization,\n orgId,\n orgRole,\n orgPermissions,\n orgSlug,\n actor,\n factorVerificationAge,\n };\n};\n\nconst deriveFromClientSideState = (state: Resources) => {\n const userId: string | null | undefined = state.user ? state.user.id : state.user;\n const user = state.user;\n const sessionId: string | null | undefined = state.session ? state.session.id : state.session;\n const session = state.session;\n const factorVerificationAge: [number, number] | null = state.session ? state.session.factorVerificationAge : null;\n const actor = session?.actor;\n const organization = state.organization;\n const orgId: string | null | undefined = state.organization ? state.organization.id : state.organization;\n const orgSlug = organization?.slug;\n const membership = organization\n ? user?.organizationMemberships?.find(om => om.organization.id === orgId)\n : organization;\n const orgPermissions = membership ? membership.permissions : membership;\n const orgRole = membership ? membership.role : membership;\n\n return {\n userId,\n user,\n sessionId,\n session,\n organization,\n orgId,\n orgRole,\n orgSlug,\n orgPermissions,\n actor,\n factorVerificationAge,\n };\n};\n"],"mappings":";AAaO,IAAM,cAAc,CAAC,aAAsB,OAAkB,iBAA2C;AAC7G,MAAI,CAAC,eAAe,cAAc;AAChC,WAAO,0BAA0B,YAAY;AAAA,EAC/C;AACA,SAAO,0BAA0B,KAAK;AACxC;AAEA,IAAM,4BAA4B,CAAC,iBAA+B;AAChE,QAAM,SAAS,aAAa;AAC5B,QAAM,OAAO,aAAa;AAC1B,QAAM,YAAY,aAAa;AAC/B,QAAM,UAAU,aAAa;AAC7B,QAAM,eAAe,aAAa;AAClC,QAAM,QAAQ,aAAa;AAC3B,QAAM,UAAU,aAAa;AAC7B,QAAM,iBAAiB,aAAa;AACpC,QAAM,UAAU,aAAa;AAC7B,QAAM,QAAQ,aAAa;AAC3B,QAAM,wBAAwB,aAAa;AAE3C,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AACF;AAEA,IAAM,4BAA4B,CAAC,UAAqB;AACtD,QAAM,SAAoC,MAAM,OAAO,MAAM,KAAK,KAAK,MAAM;AAC7E,QAAM,OAAO,MAAM;AACnB,QAAM,YAAuC,MAAM,UAAU,MAAM,QAAQ,KAAK,MAAM;AACtF,QAAM,UAAU,MAAM;AACtB,QAAM,wBAAiD,MAAM,UAAU,MAAM,QAAQ,wBAAwB;AAC7G,QAAM,QAAQ,SAAS;AACvB,QAAM,eAAe,MAAM;AAC3B,QAAM,QAAmC,MAAM,eAAe,MAAM,aAAa,KAAK,MAAM;AAC5F,QAAM,UAAU,cAAc;AAC9B,QAAM,aAAa,eACf,MAAM,yBAAyB,KAAK,QAAM,GAAG,aAAa,OAAO,KAAK,IACtE;AACJ,QAAM,iBAAiB,aAAa,WAAW,cAAc;AAC7D,QAAM,UAAU,aAAa,WAAW,OAAO;AAE/C,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-UEY4AZIP.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-UEY4AZIP.mjs new file mode 100644 index 000000000..fbdba9c7e --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-UEY4AZIP.mjs @@ -0,0 +1,51 @@ +import { + isProductionEnvironment, + isTestEnvironment +} from "./chunk-7HPDNZ3R.mjs"; + +// src/deprecated.ts +var displayedWarnings = /* @__PURE__ */ new Set(); +var deprecated = (fnName, warning, key) => { + const hideWarning = isTestEnvironment() || isProductionEnvironment(); + const messageId = key ?? fnName; + if (displayedWarnings.has(messageId) || hideWarning) { + return; + } + displayedWarnings.add(messageId); + console.warn( + `Clerk - DEPRECATION WARNING: "${fnName}" is deprecated and will be removed in the next major release. +${warning}` + ); +}; +var deprecatedProperty = (cls, propName, warning, isStatic = false) => { + const target = isStatic ? cls : cls.prototype; + let value = target[propName]; + Object.defineProperty(target, propName, { + get() { + deprecated(propName, warning, `${cls.name}:${propName}`); + return value; + }, + set(v) { + value = v; + } + }); +}; +var deprecatedObjectProperty = (obj, propName, warning, key) => { + let value = obj[propName]; + Object.defineProperty(obj, propName, { + get() { + deprecated(propName, warning, key); + return value; + }, + set(v) { + value = v; + } + }); +}; + +export { + deprecated, + deprecatedProperty, + deprecatedObjectProperty +}; +//# sourceMappingURL=chunk-UEY4AZIP.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-UEY4AZIP.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-UEY4AZIP.mjs.map new file mode 100644 index 000000000..1757183b1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-UEY4AZIP.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/deprecated.ts"],"sourcesContent":["import { isProductionEnvironment, isTestEnvironment } from './utils/runtimeEnvironment';\n/**\n * Mark class method / function as deprecated.\n *\n * A console WARNING will be displayed when class method / function is invoked.\n *\n * Examples\n * 1. Deprecate class method\n * class Example {\n * getSomething = (arg1, arg2) => {\n * deprecated('Example.getSomething', 'Use `getSomethingElse` instead.');\n * return `getSomethingValue:${arg1 || '-'}:${arg2 || '-'}`;\n * };\n * }\n *\n * 2. Deprecate function\n * const getSomething = () => {\n * deprecated('getSomething', 'Use `getSomethingElse` instead.');\n * return 'getSomethingValue';\n * };\n */\nconst displayedWarnings = new Set();\nexport const deprecated = (fnName: string, warning: string, key?: string): void => {\n const hideWarning = isTestEnvironment() || isProductionEnvironment();\n const messageId = key ?? fnName;\n if (displayedWarnings.has(messageId) || hideWarning) {\n return;\n }\n displayedWarnings.add(messageId);\n\n console.warn(\n `Clerk - DEPRECATION WARNING: \"${fnName}\" is deprecated and will be removed in the next major release.\\n${warning}`,\n );\n};\n/**\n * Mark class property as deprecated.\n *\n * A console WARNING will be displayed when class property is being accessed.\n *\n * 1. Deprecate class property\n * class Example {\n * something: string;\n * constructor(something: string) {\n * this.something = something;\n * }\n * }\n *\n * deprecatedProperty(Example, 'something', 'Use `somethingElse` instead.');\n *\n * 2. Deprecate class static property\n * class Example {\n * static something: string;\n * }\n *\n * deprecatedProperty(Example, 'something', 'Use `somethingElse` instead.', true);\n */\ntype AnyClass = new (...args: any[]) => any;\n\nexport const deprecatedProperty = (cls: AnyClass, propName: string, warning: string, isStatic = false): void => {\n const target = isStatic ? cls : cls.prototype;\n\n let value = target[propName];\n Object.defineProperty(target, propName, {\n get() {\n deprecated(propName, warning, `${cls.name}:${propName}`);\n return value;\n },\n set(v: unknown) {\n value = v;\n },\n });\n};\n\n/**\n * Mark object property as deprecated.\n *\n * A console WARNING will be displayed when object property is being accessed.\n *\n * 1. Deprecate object property\n * const obj = { something: 'aloha' };\n *\n * deprecatedObjectProperty(obj, 'something', 'Use `somethingElse` instead.');\n */\nexport const deprecatedObjectProperty = (\n obj: Record,\n propName: string,\n warning: string,\n key?: string,\n): void => {\n let value = obj[propName];\n Object.defineProperty(obj, propName, {\n get() {\n deprecated(propName, warning, key);\n return value;\n },\n set(v: unknown) {\n value = v;\n },\n });\n};\n"],"mappings":";;;;;;AAqBA,IAAM,oBAAoB,oBAAI,IAAY;AACnC,IAAM,aAAa,CAAC,QAAgB,SAAiB,QAAuB;AACjF,QAAM,cAAc,kBAAkB,KAAK,wBAAwB;AACnE,QAAM,YAAY,OAAO;AACzB,MAAI,kBAAkB,IAAI,SAAS,KAAK,aAAa;AACnD;AAAA,EACF;AACA,oBAAkB,IAAI,SAAS;AAE/B,UAAQ;AAAA,IACN,iCAAiC,MAAM;AAAA,EAAmE,OAAO;AAAA,EACnH;AACF;AAyBO,IAAM,qBAAqB,CAAC,KAAe,UAAkB,SAAiB,WAAW,UAAgB;AAC9G,QAAM,SAAS,WAAW,MAAM,IAAI;AAEpC,MAAI,QAAQ,OAAO,QAAQ;AAC3B,SAAO,eAAe,QAAQ,UAAU;AAAA,IACtC,MAAM;AACJ,iBAAW,UAAU,SAAS,GAAG,IAAI,IAAI,IAAI,QAAQ,EAAE;AACvD,aAAO;AAAA,IACT;AAAA,IACA,IAAI,GAAY;AACd,cAAQ;AAAA,IACV;AAAA,EACF,CAAC;AACH;AAYO,IAAM,2BAA2B,CACtC,KACA,UACA,SACA,QACS;AACT,MAAI,QAAQ,IAAI,QAAQ;AACxB,SAAO,eAAe,KAAK,UAAU;AAAA,IACnC,MAAM;AACJ,iBAAW,UAAU,SAAS,GAAG;AACjC,aAAO;AAAA,IACT;AAAA,IACA,IAAI,GAAY;AACd,cAAQ;AAAA,IACV;AAAA,EACF,CAAC;AACH;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-WWQWD4PM.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-WWQWD4PM.mjs new file mode 100644 index 000000000..1665b0bd4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-WWQWD4PM.mjs @@ -0,0 +1,16 @@ +// src/telemetry/events/method-called.ts +var EVENT_METHOD_CALLED = "METHOD_CALLED"; +function eventMethodCalled(method, payload) { + return { + event: EVENT_METHOD_CALLED, + payload: { + method, + ...payload + } + }; +} + +export { + eventMethodCalled +}; +//# sourceMappingURL=chunk-WWQWD4PM.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-WWQWD4PM.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-WWQWD4PM.mjs.map new file mode 100644 index 000000000..3ab67a479 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-WWQWD4PM.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/telemetry/events/method-called.ts"],"sourcesContent":["import type { TelemetryEventRaw } from '@clerk/types';\n\nconst EVENT_METHOD_CALLED = 'METHOD_CALLED';\n\ntype EventMethodCalled = {\n method: string;\n} & Record;\n\n/**\n * Fired when a helper method is called from a Clerk SDK.\n */\nexport function eventMethodCalled(\n method: string,\n payload?: Record,\n): TelemetryEventRaw {\n return {\n event: EVENT_METHOD_CALLED,\n payload: {\n method,\n ...payload,\n },\n };\n}\n"],"mappings":";AAEA,IAAM,sBAAsB;AASrB,SAAS,kBACd,QACA,SACsC;AACtC,SAAO;AAAA,IACL,OAAO;AAAA,IACP,SAAS;AAAA,MACP;AAAA,MACA,GAAG;AAAA,IACL;AAAA,EACF;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-X3VKQCBG.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-X3VKQCBG.mjs new file mode 100644 index 000000000..19b2be2f2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-X3VKQCBG.mjs @@ -0,0 +1,97 @@ +// src/authorization.ts +var TYPES_TO_OBJECTS = { + strict_mfa: { + afterMinutes: 10, + level: "multi_factor" + }, + strict: { + afterMinutes: 10, + level: "second_factor" + }, + moderate: { + afterMinutes: 60, + level: "second_factor" + }, + lax: { + afterMinutes: 1440, + level: "second_factor" + } +}; +var ALLOWED_LEVELS = /* @__PURE__ */ new Set(["first_factor", "second_factor", "multi_factor"]); +var ALLOWED_TYPES = /* @__PURE__ */ new Set(["strict_mfa", "strict", "moderate", "lax"]); +var isValidMaxAge = (maxAge) => typeof maxAge === "number" && maxAge > 0; +var isValidLevel = (level) => ALLOWED_LEVELS.has(level); +var isValidVerificationType = (type) => ALLOWED_TYPES.has(type); +var checkOrgAuthorization = (params, options) => { + const { orgId, orgRole, orgPermissions } = options; + if (!params.role && !params.permission) { + return null; + } + if (!orgId || !orgRole || !orgPermissions) { + return null; + } + if (params.permission) { + return orgPermissions.includes(params.permission); + } + if (params.role) { + return orgRole === params.role; + } + return null; +}; +var validateReverificationConfig = (config) => { + if (!config) { + return false; + } + const convertConfigToObject = (config2) => { + if (typeof config2 === "string") { + return TYPES_TO_OBJECTS[config2]; + } + return config2; + }; + const isValidStringValue = typeof config === "string" && isValidVerificationType(config); + const isValidObjectValue = typeof config === "object" && isValidLevel(config.level) && isValidMaxAge(config.afterMinutes); + if (isValidStringValue || isValidObjectValue) { + return convertConfigToObject.bind(null, config); + } + return false; +}; +var checkStepUpAuthorization = (params, { factorVerificationAge }) => { + if (!params.reverification || !factorVerificationAge) { + return null; + } + const isValidReverification = validateReverificationConfig(params.reverification); + if (!isValidReverification) { + return null; + } + const { level, afterMinutes } = isValidReverification(); + const [factor1Age, factor2Age] = factorVerificationAge; + const isValidFactor1 = factor1Age !== -1 ? afterMinutes > factor1Age : null; + const isValidFactor2 = factor2Age !== -1 ? afterMinutes > factor2Age : null; + switch (level) { + case "first_factor": + return isValidFactor1; + case "second_factor": + return factor2Age !== -1 ? isValidFactor2 : isValidFactor1; + case "multi_factor": + return factor2Age === -1 ? isValidFactor1 : isValidFactor1 && isValidFactor2; + } +}; +var createCheckAuthorization = (options) => { + return (params) => { + if (!options.userId) { + return false; + } + const orgAuthorization = checkOrgAuthorization(params, options); + const stepUpAuthorization = checkStepUpAuthorization(params, options); + if ([orgAuthorization, stepUpAuthorization].some((a) => a === null)) { + return [orgAuthorization, stepUpAuthorization].some((a) => a === true); + } + return [orgAuthorization, stepUpAuthorization].every((a) => a === true); + }; +}; + +export { + validateReverificationConfig, + createCheckAuthorization +}; +//# sourceMappingURL=chunk-X3VKQCBG.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-X3VKQCBG.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-X3VKQCBG.mjs.map new file mode 100644 index 000000000..3defabc68 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-X3VKQCBG.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/authorization.ts"],"sourcesContent":["import type {\n CheckAuthorizationWithCustomPermissions,\n OrganizationCustomPermissionKey,\n OrganizationCustomRoleKey,\n ReverificationConfig,\n SessionVerificationLevel,\n SessionVerificationTypes,\n} from '@clerk/types';\n\ntype TypesToConfig = Record>;\ntype AuthorizationOptions = {\n userId: string | null | undefined;\n orgId: string | null | undefined;\n orgRole: string | null | undefined;\n orgPermissions: string[] | null | undefined;\n factorVerificationAge: [number, number] | null;\n};\n\ntype CheckOrgAuthorization = (\n params: { role?: OrganizationCustomRoleKey; permission?: OrganizationCustomPermissionKey },\n { orgId, orgRole, orgPermissions }: AuthorizationOptions,\n) => boolean | null;\n\ntype CheckStepUpAuthorization = (\n params: {\n reverification?: ReverificationConfig;\n },\n { factorVerificationAge }: AuthorizationOptions,\n) => boolean | null;\n\nconst TYPES_TO_OBJECTS: TypesToConfig = {\n strict_mfa: {\n afterMinutes: 10,\n level: 'multi_factor',\n },\n strict: {\n afterMinutes: 10,\n level: 'second_factor',\n },\n moderate: {\n afterMinutes: 60,\n level: 'second_factor',\n },\n lax: {\n afterMinutes: 1_440,\n level: 'second_factor',\n },\n};\n\nconst ALLOWED_LEVELS = new Set(['first_factor', 'second_factor', 'multi_factor']);\n\nconst ALLOWED_TYPES = new Set(['strict_mfa', 'strict', 'moderate', 'lax']);\n\n// Helper functions\nconst isValidMaxAge = (maxAge: any) => typeof maxAge === 'number' && maxAge > 0;\nconst isValidLevel = (level: any) => ALLOWED_LEVELS.has(level);\nconst isValidVerificationType = (type: any) => ALLOWED_TYPES.has(type);\n\n/**\n * Checks if a user has the required organization-level authorization.\n * Verifies if the user has the specified role or permission within their organization.\n * @returns null, if unable to determine due to missing data or unspecified role/permission.\n */\nconst checkOrgAuthorization: CheckOrgAuthorization = (params, options) => {\n const { orgId, orgRole, orgPermissions } = options;\n if (!params.role && !params.permission) {\n return null;\n }\n if (!orgId || !orgRole || !orgPermissions) {\n return null;\n }\n\n if (params.permission) {\n return orgPermissions.includes(params.permission);\n }\n if (params.role) {\n return orgRole === params.role;\n }\n return null;\n};\n\nconst validateReverificationConfig = (config: ReverificationConfig | undefined | null) => {\n if (!config) {\n return false;\n }\n\n const convertConfigToObject = (config: ReverificationConfig) => {\n if (typeof config === 'string') {\n return TYPES_TO_OBJECTS[config];\n }\n return config;\n };\n\n const isValidStringValue = typeof config === 'string' && isValidVerificationType(config);\n const isValidObjectValue =\n typeof config === 'object' && isValidLevel(config.level) && isValidMaxAge(config.afterMinutes);\n\n if (isValidStringValue || isValidObjectValue) {\n return convertConfigToObject.bind(null, config);\n }\n\n return false;\n};\n\n/**\n * Evaluates if the user meets step-up authentication requirements.\n * Compares the user's factor verification ages against the specified maxAge.\n * Handles different verification levels (first factor, second factor, multi-factor).\n * @returns null, if requirements or verification data are missing.\n */\nconst checkStepUpAuthorization: CheckStepUpAuthorization = (params, { factorVerificationAge }) => {\n if (!params.reverification || !factorVerificationAge) {\n return null;\n }\n\n const isValidReverification = validateReverificationConfig(params.reverification);\n if (!isValidReverification) {\n return null;\n }\n\n const { level, afterMinutes } = isValidReverification();\n const [factor1Age, factor2Age] = factorVerificationAge;\n\n // -1 indicates the factor group (1fa,2fa) is not enabled\n // -1 for 1fa is not a valid scenario, but we need to make sure we handle it properly\n const isValidFactor1 = factor1Age !== -1 ? afterMinutes > factor1Age : null;\n const isValidFactor2 = factor2Age !== -1 ? afterMinutes > factor2Age : null;\n\n switch (level) {\n case 'first_factor':\n return isValidFactor1;\n case 'second_factor':\n return factor2Age !== -1 ? isValidFactor2 : isValidFactor1;\n case 'multi_factor':\n return factor2Age === -1 ? isValidFactor1 : isValidFactor1 && isValidFactor2;\n }\n};\n\n/**\n * Creates a function for comprehensive user authorization checks.\n * Combines organization-level and step-up authentication checks.\n * The returned function authorizes if both checks pass, or if at least one passes\n * when the other is indeterminate. Fails if userId is missing.\n */\nconst createCheckAuthorization = (options: AuthorizationOptions): CheckAuthorizationWithCustomPermissions => {\n return (params): boolean => {\n if (!options.userId) {\n return false;\n }\n\n const orgAuthorization = checkOrgAuthorization(params, options);\n const stepUpAuthorization = checkStepUpAuthorization(params, options);\n\n if ([orgAuthorization, stepUpAuthorization].some(a => a === null)) {\n return [orgAuthorization, stepUpAuthorization].some(a => a === true);\n }\n\n return [orgAuthorization, stepUpAuthorization].every(a => a === true);\n };\n};\n\nexport { createCheckAuthorization, validateReverificationConfig };\n"],"mappings":";AA8BA,IAAM,mBAAkC;AAAA,EACtC,YAAY;AAAA,IACV,cAAc;AAAA,IACd,OAAO;AAAA,EACT;AAAA,EACA,QAAQ;AAAA,IACN,cAAc;AAAA,IACd,OAAO;AAAA,EACT;AAAA,EACA,UAAU;AAAA,IACR,cAAc;AAAA,IACd,OAAO;AAAA,EACT;AAAA,EACA,KAAK;AAAA,IACH,cAAc;AAAA,IACd,OAAO;AAAA,EACT;AACF;AAEA,IAAM,iBAAiB,oBAAI,IAA8B,CAAC,gBAAgB,iBAAiB,cAAc,CAAC;AAE1G,IAAM,gBAAgB,oBAAI,IAA8B,CAAC,cAAc,UAAU,YAAY,KAAK,CAAC;AAGnG,IAAM,gBAAgB,CAAC,WAAgB,OAAO,WAAW,YAAY,SAAS;AAC9E,IAAM,eAAe,CAAC,UAAe,eAAe,IAAI,KAAK;AAC7D,IAAM,0BAA0B,CAAC,SAAc,cAAc,IAAI,IAAI;AAOrE,IAAM,wBAA+C,CAAC,QAAQ,YAAY;AACxE,QAAM,EAAE,OAAO,SAAS,eAAe,IAAI;AAC3C,MAAI,CAAC,OAAO,QAAQ,CAAC,OAAO,YAAY;AACtC,WAAO;AAAA,EACT;AACA,MAAI,CAAC,SAAS,CAAC,WAAW,CAAC,gBAAgB;AACzC,WAAO;AAAA,EACT;AAEA,MAAI,OAAO,YAAY;AACrB,WAAO,eAAe,SAAS,OAAO,UAAU;AAAA,EAClD;AACA,MAAI,OAAO,MAAM;AACf,WAAO,YAAY,OAAO;AAAA,EAC5B;AACA,SAAO;AACT;AAEA,IAAM,+BAA+B,CAAC,WAAoD;AACxF,MAAI,CAAC,QAAQ;AACX,WAAO;AAAA,EACT;AAEA,QAAM,wBAAwB,CAACA,YAAiC;AAC9D,QAAI,OAAOA,YAAW,UAAU;AAC9B,aAAO,iBAAiBA,OAAM;AAAA,IAChC;AACA,WAAOA;AAAA,EACT;AAEA,QAAM,qBAAqB,OAAO,WAAW,YAAY,wBAAwB,MAAM;AACvF,QAAM,qBACJ,OAAO,WAAW,YAAY,aAAa,OAAO,KAAK,KAAK,cAAc,OAAO,YAAY;AAE/F,MAAI,sBAAsB,oBAAoB;AAC5C,WAAO,sBAAsB,KAAK,MAAM,MAAM;AAAA,EAChD;AAEA,SAAO;AACT;AAQA,IAAM,2BAAqD,CAAC,QAAQ,EAAE,sBAAsB,MAAM;AAChG,MAAI,CAAC,OAAO,kBAAkB,CAAC,uBAAuB;AACpD,WAAO;AAAA,EACT;AAEA,QAAM,wBAAwB,6BAA6B,OAAO,cAAc;AAChF,MAAI,CAAC,uBAAuB;AAC1B,WAAO;AAAA,EACT;AAEA,QAAM,EAAE,OAAO,aAAa,IAAI,sBAAsB;AACtD,QAAM,CAAC,YAAY,UAAU,IAAI;AAIjC,QAAM,iBAAiB,eAAe,KAAK,eAAe,aAAa;AACvE,QAAM,iBAAiB,eAAe,KAAK,eAAe,aAAa;AAEvE,UAAQ,OAAO;AAAA,IACb,KAAK;AACH,aAAO;AAAA,IACT,KAAK;AACH,aAAO,eAAe,KAAK,iBAAiB;AAAA,IAC9C,KAAK;AACH,aAAO,eAAe,KAAK,iBAAiB,kBAAkB;AAAA,EAClE;AACF;AAQA,IAAM,2BAA2B,CAAC,YAA2E;AAC3G,SAAO,CAAC,WAAoB;AAC1B,QAAI,CAAC,QAAQ,QAAQ;AACnB,aAAO;AAAA,IACT;AAEA,UAAM,mBAAmB,sBAAsB,QAAQ,OAAO;AAC9D,UAAM,sBAAsB,yBAAyB,QAAQ,OAAO;AAEpE,QAAI,CAAC,kBAAkB,mBAAmB,EAAE,KAAK,OAAK,MAAM,IAAI,GAAG;AACjE,aAAO,CAAC,kBAAkB,mBAAmB,EAAE,KAAK,OAAK,MAAM,IAAI;AAAA,IACrE;AAEA,WAAO,CAAC,kBAAkB,mBAAmB,EAAE,MAAM,OAAK,MAAM,IAAI;AAAA,EACtE;AACF;","names":["config"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-X6NLIF7Y.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-X6NLIF7Y.mjs new file mode 100644 index 000000000..cb918c99c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-X6NLIF7Y.mjs @@ -0,0 +1,148 @@ +// src/color.ts +var IS_HEX_COLOR_REGEX = /^#?([A-F0-9]{6}|[A-F0-9]{3})$/i; +var IS_RGB_COLOR_REGEX = /^rgb\((\d+),\s*(\d+),\s*(\d+)\)$/i; +var IS_RGBA_COLOR_REGEX = /^rgba\((\d+),\s*(\d+),\s*(\d+)(,\s*\d+(\.\d+)?)\)$/i; +var IS_HSL_COLOR_REGEX = /^hsl\((\d+),\s*([\d.]+)%,\s*([\d.]+)%\)$/i; +var IS_HSLA_COLOR_REGEX = /^hsla\((\d+),\s*([\d.]+)%,\s*([\d.]+)%(,\s*\d+(\.\d+)?)*\)$/i; +var isValidHexString = (s) => { + return !!s.match(IS_HEX_COLOR_REGEX); +}; +var isValidRgbaString = (s) => { + return !!(s.match(IS_RGB_COLOR_REGEX) || s.match(IS_RGBA_COLOR_REGEX)); +}; +var isValidHslaString = (s) => { + return !!s.match(IS_HSL_COLOR_REGEX) || !!s.match(IS_HSLA_COLOR_REGEX); +}; +var isRGBColor = (c) => { + return typeof c !== "string" && "r" in c; +}; +var isHSLColor = (c) => { + return typeof c !== "string" && "h" in c; +}; +var isTransparent = (c) => { + return c === "transparent"; +}; +var hasAlpha = (color) => { + return typeof color !== "string" && color.a != void 0 && color.a < 1; +}; +var CLEAN_HSLA_REGEX = /[hsla()]/g; +var CLEAN_RGBA_REGEX = /[rgba()]/g; +var stringToHslaColor = (value) => { + if (value === "transparent") { + return { h: 0, s: 0, l: 0, a: 0 }; + } + if (isValidHexString(value)) { + return hexStringToHslaColor(value); + } + if (isValidHslaString(value)) { + return parseHslaString(value); + } + if (isValidRgbaString(value)) { + return rgbaStringToHslaColor(value); + } + return null; +}; +var stringToSameTypeColor = (value) => { + value = value.trim(); + if (isValidHexString(value)) { + return value.startsWith("#") ? value : `#${value}`; + } + if (isValidRgbaString(value)) { + return parseRgbaString(value); + } + if (isValidHslaString(value)) { + return parseHslaString(value); + } + if (isTransparent(value)) { + return value; + } + return ""; +}; +var colorToSameTypeString = (color) => { + if (typeof color === "string" && (isValidHexString(color) || isTransparent(color))) { + return color; + } + if (isRGBColor(color)) { + return rgbaColorToRgbaString(color); + } + if (isHSLColor(color)) { + return hslaColorToHslaString(color); + } + return ""; +}; +var hexStringToRgbaColor = (hex) => { + hex = hex.replace("#", ""); + const r = parseInt(hex.substring(0, 2), 16); + const g = parseInt(hex.substring(2, 4), 16); + const b = parseInt(hex.substring(4, 6), 16); + return { r, g, b }; +}; +var rgbaColorToRgbaString = (color) => { + const { a, b, g, r } = color; + return color.a === 0 ? "transparent" : color.a != void 0 ? `rgba(${r},${g},${b},${a})` : `rgb(${r},${g},${b})`; +}; +var hslaColorToHslaString = (color) => { + const { h, s, l, a } = color; + const sPerc = Math.round(s * 100); + const lPerc = Math.round(l * 100); + return color.a === 0 ? "transparent" : color.a != void 0 ? `hsla(${h},${sPerc}%,${lPerc}%,${a})` : `hsl(${h},${sPerc}%,${lPerc}%)`; +}; +var hexStringToHslaColor = (hex) => { + const rgbaString = colorToSameTypeString(hexStringToRgbaColor(hex)); + return rgbaStringToHslaColor(rgbaString); +}; +var rgbaStringToHslaColor = (rgba) => { + const rgbaColor = parseRgbaString(rgba); + const r = rgbaColor.r / 255; + const g = rgbaColor.g / 255; + const b = rgbaColor.b / 255; + const max = Math.max(r, g, b), min = Math.min(r, g, b); + let h, s; + const l = (max + min) / 2; + if (max == min) { + h = s = 0; + } else { + const d = max - min; + s = l >= 0.5 ? d / (2 - (max + min)) : d / (max + min); + switch (max) { + case r: + h = (g - b) / d * 60; + break; + case g: + h = ((b - r) / d + 2) * 60; + break; + default: + h = ((r - g) / d + 4) * 60; + break; + } + } + const res = { h: Math.round(h), s, l }; + const a = rgbaColor.a; + if (a != void 0) { + res.a = a; + } + return res; +}; +var parseRgbaString = (str) => { + const [r, g, b, a] = str.replace(CLEAN_RGBA_REGEX, "").split(",").map((c) => Number.parseFloat(c)); + return { r, g, b, a }; +}; +var parseHslaString = (str) => { + const [h, s, l, a] = str.replace(CLEAN_HSLA_REGEX, "").split(",").map((c) => Number.parseFloat(c)); + return { h, s: s / 100, l: l / 100, a }; +}; + +export { + isValidHexString, + isValidRgbaString, + isValidHslaString, + isRGBColor, + isHSLColor, + isTransparent, + hasAlpha, + stringToHslaColor, + stringToSameTypeColor, + colorToSameTypeString, + hexStringToRgbaColor +}; +//# sourceMappingURL=chunk-X6NLIF7Y.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-X6NLIF7Y.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-X6NLIF7Y.mjs.map new file mode 100644 index 000000000..b0ed6f1a2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-X6NLIF7Y.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/color.ts"],"sourcesContent":["import type { Color, HslaColor, RgbaColor, TransparentColor } from '@clerk/types';\n\nconst IS_HEX_COLOR_REGEX = /^#?([A-F0-9]{6}|[A-F0-9]{3})$/i;\n\nconst IS_RGB_COLOR_REGEX = /^rgb\\((\\d+),\\s*(\\d+),\\s*(\\d+)\\)$/i;\nconst IS_RGBA_COLOR_REGEX = /^rgba\\((\\d+),\\s*(\\d+),\\s*(\\d+)(,\\s*\\d+(\\.\\d+)?)\\)$/i;\n\nconst IS_HSL_COLOR_REGEX = /^hsl\\((\\d+),\\s*([\\d.]+)%,\\s*([\\d.]+)%\\)$/i;\nconst IS_HSLA_COLOR_REGEX = /^hsla\\((\\d+),\\s*([\\d.]+)%,\\s*([\\d.]+)%(,\\s*\\d+(\\.\\d+)?)*\\)$/i;\n\nexport const isValidHexString = (s: string) => {\n return !!s.match(IS_HEX_COLOR_REGEX);\n};\n\nexport const isValidRgbaString = (s: string) => {\n return !!(s.match(IS_RGB_COLOR_REGEX) || s.match(IS_RGBA_COLOR_REGEX));\n};\n\nexport const isValidHslaString = (s: string) => {\n return !!s.match(IS_HSL_COLOR_REGEX) || !!s.match(IS_HSLA_COLOR_REGEX);\n};\n\nexport const isRGBColor = (c: Color): c is RgbaColor => {\n return typeof c !== 'string' && 'r' in c;\n};\n\nexport const isHSLColor = (c: Color): c is HslaColor => {\n return typeof c !== 'string' && 'h' in c;\n};\n\nexport const isTransparent = (c: Color): c is TransparentColor => {\n return c === 'transparent';\n};\n\nexport const hasAlpha = (color: Color): boolean => {\n return typeof color !== 'string' && color.a != undefined && color.a < 1;\n};\n\nconst CLEAN_HSLA_REGEX = /[hsla()]/g;\nconst CLEAN_RGBA_REGEX = /[rgba()]/g;\n\nexport const stringToHslaColor = (value: string): HslaColor | null => {\n if (value === 'transparent') {\n return { h: 0, s: 0, l: 0, a: 0 };\n }\n\n if (isValidHexString(value)) {\n return hexStringToHslaColor(value);\n }\n\n if (isValidHslaString(value)) {\n return parseHslaString(value);\n }\n\n if (isValidRgbaString(value)) {\n return rgbaStringToHslaColor(value);\n }\n\n return null;\n};\n\nexport const stringToSameTypeColor = (value: string): Color => {\n value = value.trim();\n if (isValidHexString(value)) {\n return value.startsWith('#') ? value : `#${value}`;\n }\n\n if (isValidRgbaString(value)) {\n return parseRgbaString(value);\n }\n\n if (isValidHslaString(value)) {\n return parseHslaString(value);\n }\n\n if (isTransparent(value)) {\n return value;\n }\n return '';\n};\n\nexport const colorToSameTypeString = (color: Color): string | TransparentColor => {\n if (typeof color === 'string' && (isValidHexString(color) || isTransparent(color))) {\n return color;\n }\n\n if (isRGBColor(color)) {\n return rgbaColorToRgbaString(color);\n }\n\n if (isHSLColor(color)) {\n return hslaColorToHslaString(color);\n }\n\n return '';\n};\n\nexport const hexStringToRgbaColor = (hex: string): RgbaColor => {\n hex = hex.replace('#', '');\n const r = parseInt(hex.substring(0, 2), 16);\n const g = parseInt(hex.substring(2, 4), 16);\n const b = parseInt(hex.substring(4, 6), 16);\n return { r, g, b };\n};\n\nconst rgbaColorToRgbaString = (color: RgbaColor): string => {\n const { a, b, g, r } = color;\n return color.a === 0 ? 'transparent' : color.a != undefined ? `rgba(${r},${g},${b},${a})` : `rgb(${r},${g},${b})`;\n};\n\nconst hslaColorToHslaString = (color: HslaColor): string => {\n const { h, s, l, a } = color;\n const sPerc = Math.round(s * 100);\n const lPerc = Math.round(l * 100);\n return color.a === 0\n ? 'transparent'\n : color.a != undefined\n ? `hsla(${h},${sPerc}%,${lPerc}%,${a})`\n : `hsl(${h},${sPerc}%,${lPerc}%)`;\n};\n\nconst hexStringToHslaColor = (hex: string): HslaColor => {\n const rgbaString = colorToSameTypeString(hexStringToRgbaColor(hex));\n return rgbaStringToHslaColor(rgbaString);\n};\n\nconst rgbaStringToHslaColor = (rgba: string): HslaColor => {\n const rgbaColor = parseRgbaString(rgba);\n const r = rgbaColor.r / 255;\n const g = rgbaColor.g / 255;\n const b = rgbaColor.b / 255;\n\n const max = Math.max(r, g, b),\n min = Math.min(r, g, b);\n let h, s;\n const l = (max + min) / 2;\n\n if (max == min) {\n h = s = 0;\n } else {\n const d = max - min;\n s = l >= 0.5 ? d / (2 - (max + min)) : d / (max + min);\n switch (max) {\n case r:\n h = ((g - b) / d) * 60;\n break;\n case g:\n h = ((b - r) / d + 2) * 60;\n break;\n default:\n h = ((r - g) / d + 4) * 60;\n break;\n }\n }\n\n const res: HslaColor = { h: Math.round(h), s, l };\n const a = rgbaColor.a;\n if (a != undefined) {\n res.a = a;\n }\n return res;\n};\n\nconst parseRgbaString = (str: string): RgbaColor => {\n const [r, g, b, a] = str\n .replace(CLEAN_RGBA_REGEX, '')\n .split(',')\n .map(c => Number.parseFloat(c));\n return { r, g, b, a };\n};\n\nconst parseHslaString = (str: string): HslaColor => {\n const [h, s, l, a] = str\n .replace(CLEAN_HSLA_REGEX, '')\n .split(',')\n .map(c => Number.parseFloat(c));\n return { h, s: s / 100, l: l / 100, a };\n};\n"],"mappings":";AAEA,IAAM,qBAAqB;AAE3B,IAAM,qBAAqB;AAC3B,IAAM,sBAAsB;AAE5B,IAAM,qBAAqB;AAC3B,IAAM,sBAAsB;AAErB,IAAM,mBAAmB,CAAC,MAAc;AAC7C,SAAO,CAAC,CAAC,EAAE,MAAM,kBAAkB;AACrC;AAEO,IAAM,oBAAoB,CAAC,MAAc;AAC9C,SAAO,CAAC,EAAE,EAAE,MAAM,kBAAkB,KAAK,EAAE,MAAM,mBAAmB;AACtE;AAEO,IAAM,oBAAoB,CAAC,MAAc;AAC9C,SAAO,CAAC,CAAC,EAAE,MAAM,kBAAkB,KAAK,CAAC,CAAC,EAAE,MAAM,mBAAmB;AACvE;AAEO,IAAM,aAAa,CAAC,MAA6B;AACtD,SAAO,OAAO,MAAM,YAAY,OAAO;AACzC;AAEO,IAAM,aAAa,CAAC,MAA6B;AACtD,SAAO,OAAO,MAAM,YAAY,OAAO;AACzC;AAEO,IAAM,gBAAgB,CAAC,MAAoC;AAChE,SAAO,MAAM;AACf;AAEO,IAAM,WAAW,CAAC,UAA0B;AACjD,SAAO,OAAO,UAAU,YAAY,MAAM,KAAK,UAAa,MAAM,IAAI;AACxE;AAEA,IAAM,mBAAmB;AACzB,IAAM,mBAAmB;AAElB,IAAM,oBAAoB,CAAC,UAAoC;AACpE,MAAI,UAAU,eAAe;AAC3B,WAAO,EAAE,GAAG,GAAG,GAAG,GAAG,GAAG,GAAG,GAAG,EAAE;AAAA,EAClC;AAEA,MAAI,iBAAiB,KAAK,GAAG;AAC3B,WAAO,qBAAqB,KAAK;AAAA,EACnC;AAEA,MAAI,kBAAkB,KAAK,GAAG;AAC5B,WAAO,gBAAgB,KAAK;AAAA,EAC9B;AAEA,MAAI,kBAAkB,KAAK,GAAG;AAC5B,WAAO,sBAAsB,KAAK;AAAA,EACpC;AAEA,SAAO;AACT;AAEO,IAAM,wBAAwB,CAAC,UAAyB;AAC7D,UAAQ,MAAM,KAAK;AACnB,MAAI,iBAAiB,KAAK,GAAG;AAC3B,WAAO,MAAM,WAAW,GAAG,IAAI,QAAQ,IAAI,KAAK;AAAA,EAClD;AAEA,MAAI,kBAAkB,KAAK,GAAG;AAC5B,WAAO,gBAAgB,KAAK;AAAA,EAC9B;AAEA,MAAI,kBAAkB,KAAK,GAAG;AAC5B,WAAO,gBAAgB,KAAK;AAAA,EAC9B;AAEA,MAAI,cAAc,KAAK,GAAG;AACxB,WAAO;AAAA,EACT;AACA,SAAO;AACT;AAEO,IAAM,wBAAwB,CAAC,UAA4C;AAChF,MAAI,OAAO,UAAU,aAAa,iBAAiB,KAAK,KAAK,cAAc,KAAK,IAAI;AAClF,WAAO;AAAA,EACT;AAEA,MAAI,WAAW,KAAK,GAAG;AACrB,WAAO,sBAAsB,KAAK;AAAA,EACpC;AAEA,MAAI,WAAW,KAAK,GAAG;AACrB,WAAO,sBAAsB,KAAK;AAAA,EACpC;AAEA,SAAO;AACT;AAEO,IAAM,uBAAuB,CAAC,QAA2B;AAC9D,QAAM,IAAI,QAAQ,KAAK,EAAE;AACzB,QAAM,IAAI,SAAS,IAAI,UAAU,GAAG,CAAC,GAAG,EAAE;AAC1C,QAAM,IAAI,SAAS,IAAI,UAAU,GAAG,CAAC,GAAG,EAAE;AAC1C,QAAM,IAAI,SAAS,IAAI,UAAU,GAAG,CAAC,GAAG,EAAE;AAC1C,SAAO,EAAE,GAAG,GAAG,EAAE;AACnB;AAEA,IAAM,wBAAwB,CAAC,UAA6B;AAC1D,QAAM,EAAE,GAAG,GAAG,GAAG,EAAE,IAAI;AACvB,SAAO,MAAM,MAAM,IAAI,gBAAgB,MAAM,KAAK,SAAY,QAAQ,CAAC,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,MAAM,OAAO,CAAC,IAAI,CAAC,IAAI,CAAC;AAChH;AAEA,IAAM,wBAAwB,CAAC,UAA6B;AAC1D,QAAM,EAAE,GAAG,GAAG,GAAG,EAAE,IAAI;AACvB,QAAM,QAAQ,KAAK,MAAM,IAAI,GAAG;AAChC,QAAM,QAAQ,KAAK,MAAM,IAAI,GAAG;AAChC,SAAO,MAAM,MAAM,IACf,gBACA,MAAM,KAAK,SACT,QAAQ,CAAC,IAAI,KAAK,KAAK,KAAK,KAAK,CAAC,MAClC,OAAO,CAAC,IAAI,KAAK,KAAK,KAAK;AACnC;AAEA,IAAM,uBAAuB,CAAC,QAA2B;AACvD,QAAM,aAAa,sBAAsB,qBAAqB,GAAG,CAAC;AAClE,SAAO,sBAAsB,UAAU;AACzC;AAEA,IAAM,wBAAwB,CAAC,SAA4B;AACzD,QAAM,YAAY,gBAAgB,IAAI;AACtC,QAAM,IAAI,UAAU,IAAI;AACxB,QAAM,IAAI,UAAU,IAAI;AACxB,QAAM,IAAI,UAAU,IAAI;AAExB,QAAM,MAAM,KAAK,IAAI,GAAG,GAAG,CAAC,GAC1B,MAAM,KAAK,IAAI,GAAG,GAAG,CAAC;AACxB,MAAI,GAAG;AACP,QAAM,KAAK,MAAM,OAAO;AAExB,MAAI,OAAO,KAAK;AACd,QAAI,IAAI;AAAA,EACV,OAAO;AACL,UAAM,IAAI,MAAM;AAChB,QAAI,KAAK,MAAM,KAAK,KAAK,MAAM,QAAQ,KAAK,MAAM;AAClD,YAAQ,KAAK;AAAA,MACX,KAAK;AACH,aAAM,IAAI,KAAK,IAAK;AACpB;AAAA,MACF,KAAK;AACH,cAAM,IAAI,KAAK,IAAI,KAAK;AACxB;AAAA,MACF;AACE,cAAM,IAAI,KAAK,IAAI,KAAK;AACxB;AAAA,IACJ;AAAA,EACF;AAEA,QAAM,MAAiB,EAAE,GAAG,KAAK,MAAM,CAAC,GAAG,GAAG,EAAE;AAChD,QAAM,IAAI,UAAU;AACpB,MAAI,KAAK,QAAW;AAClB,QAAI,IAAI;AAAA,EACV;AACA,SAAO;AACT;AAEA,IAAM,kBAAkB,CAAC,QAA2B;AAClD,QAAM,CAAC,GAAG,GAAG,GAAG,CAAC,IAAI,IAClB,QAAQ,kBAAkB,EAAE,EAC5B,MAAM,GAAG,EACT,IAAI,OAAK,OAAO,WAAW,CAAC,CAAC;AAChC,SAAO,EAAE,GAAG,GAAG,GAAG,EAAE;AACtB;AAEA,IAAM,kBAAkB,CAAC,QAA2B;AAClD,QAAM,CAAC,GAAG,GAAG,GAAG,CAAC,IAAI,IAClB,QAAQ,kBAAkB,EAAE,EAC5B,MAAM,GAAG,EACT,IAAI,OAAK,OAAO,WAAW,CAAC,CAAC;AAChC,SAAO,EAAE,GAAG,GAAG,IAAI,KAAK,GAAG,IAAI,KAAK,EAAE;AACxC;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-XQNAC75V.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-XQNAC75V.mjs new file mode 100644 index 000000000..b93b89c36 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-XQNAC75V.mjs @@ -0,0 +1,70 @@ +// src/date.ts +var MILLISECONDS_IN_DAY = 864e5; +function dateTo12HourTime(date) { + if (!date) { + return ""; + } + return date.toLocaleString("en-US", { + hour: "2-digit", + minute: "numeric", + hour12: true + }); +} +function differenceInCalendarDays(a, b, { absolute = true } = {}) { + if (!a || !b) { + return 0; + } + const utcA = Date.UTC(a.getFullYear(), a.getMonth(), a.getDate()); + const utcB = Date.UTC(b.getFullYear(), b.getMonth(), b.getDate()); + const diff = Math.floor((utcB - utcA) / MILLISECONDS_IN_DAY); + return absolute ? Math.abs(diff) : diff; +} +function normalizeDate(d) { + try { + return new Date(d || /* @__PURE__ */ new Date()); + } catch { + return /* @__PURE__ */ new Date(); + } +} +function formatRelative(props) { + const { date, relativeTo } = props; + if (!date || !relativeTo) { + return null; + } + const a = normalizeDate(date); + const b = normalizeDate(relativeTo); + const differenceInDays = differenceInCalendarDays(b, a, { absolute: false }); + if (differenceInDays < -6) { + return { relativeDateCase: "other", date: a }; + } + if (differenceInDays < -1) { + return { relativeDateCase: "previous6Days", date: a }; + } + if (differenceInDays === -1) { + return { relativeDateCase: "lastDay", date: a }; + } + if (differenceInDays === 0) { + return { relativeDateCase: "sameDay", date: a }; + } + if (differenceInDays === 1) { + return { relativeDateCase: "nextDay", date: a }; + } + if (differenceInDays < 7) { + return { relativeDateCase: "next6Days", date: a }; + } + return { relativeDateCase: "other", date: a }; +} +function addYears(initialDate, yearsToAdd) { + const date = normalizeDate(initialDate); + date.setFullYear(date.getFullYear() + yearsToAdd); + return date; +} + +export { + dateTo12HourTime, + differenceInCalendarDays, + normalizeDate, + formatRelative, + addYears +}; +//# sourceMappingURL=chunk-XQNAC75V.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-XQNAC75V.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-XQNAC75V.mjs.map new file mode 100644 index 000000000..bda553e8e --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-XQNAC75V.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/date.ts"],"sourcesContent":["const MILLISECONDS_IN_DAY = 86400000;\n\nexport function dateTo12HourTime(date: Date): string {\n if (!date) {\n return '';\n }\n return date.toLocaleString('en-US', {\n hour: '2-digit',\n minute: 'numeric',\n hour12: true,\n });\n}\n\nexport function differenceInCalendarDays(a: Date, b: Date, { absolute = true } = {}): number {\n if (!a || !b) {\n return 0;\n }\n const utcA = Date.UTC(a.getFullYear(), a.getMonth(), a.getDate());\n const utcB = Date.UTC(b.getFullYear(), b.getMonth(), b.getDate());\n const diff = Math.floor((utcB - utcA) / MILLISECONDS_IN_DAY);\n return absolute ? Math.abs(diff) : diff;\n}\n\nexport function normalizeDate(d: Date | string | number): Date {\n try {\n return new Date(d || new Date());\n } catch {\n return new Date();\n }\n}\n\ntype DateFormatRelativeParams = {\n date: Date | string | number;\n relativeTo: Date | string | number;\n};\n\nexport type RelativeDateCase = 'previous6Days' | 'lastDay' | 'sameDay' | 'nextDay' | 'next6Days' | 'other';\ntype RelativeDateReturn = { relativeDateCase: RelativeDateCase; date: Date } | null;\n\nexport function formatRelative(props: DateFormatRelativeParams): RelativeDateReturn {\n const { date, relativeTo } = props;\n if (!date || !relativeTo) {\n return null;\n }\n const a = normalizeDate(date);\n const b = normalizeDate(relativeTo);\n const differenceInDays = differenceInCalendarDays(b, a, { absolute: false });\n\n if (differenceInDays < -6) {\n return { relativeDateCase: 'other', date: a };\n }\n if (differenceInDays < -1) {\n return { relativeDateCase: 'previous6Days', date: a };\n }\n if (differenceInDays === -1) {\n return { relativeDateCase: 'lastDay', date: a };\n }\n if (differenceInDays === 0) {\n return { relativeDateCase: 'sameDay', date: a };\n }\n if (differenceInDays === 1) {\n return { relativeDateCase: 'nextDay', date: a };\n }\n if (differenceInDays < 7) {\n return { relativeDateCase: 'next6Days', date: a };\n }\n return { relativeDateCase: 'other', date: a };\n}\n\nexport function addYears(initialDate: Date | number | string, yearsToAdd: number): Date {\n const date = normalizeDate(initialDate);\n date.setFullYear(date.getFullYear() + yearsToAdd);\n return date;\n}\n"],"mappings":";AAAA,IAAM,sBAAsB;AAErB,SAAS,iBAAiB,MAAoB;AACnD,MAAI,CAAC,MAAM;AACT,WAAO;AAAA,EACT;AACA,SAAO,KAAK,eAAe,SAAS;AAAA,IAClC,MAAM;AAAA,IACN,QAAQ;AAAA,IACR,QAAQ;AAAA,EACV,CAAC;AACH;AAEO,SAAS,yBAAyB,GAAS,GAAS,EAAE,WAAW,KAAK,IAAI,CAAC,GAAW;AAC3F,MAAI,CAAC,KAAK,CAAC,GAAG;AACZ,WAAO;AAAA,EACT;AACA,QAAM,OAAO,KAAK,IAAI,EAAE,YAAY,GAAG,EAAE,SAAS,GAAG,EAAE,QAAQ,CAAC;AAChE,QAAM,OAAO,KAAK,IAAI,EAAE,YAAY,GAAG,EAAE,SAAS,GAAG,EAAE,QAAQ,CAAC;AAChE,QAAM,OAAO,KAAK,OAAO,OAAO,QAAQ,mBAAmB;AAC3D,SAAO,WAAW,KAAK,IAAI,IAAI,IAAI;AACrC;AAEO,SAAS,cAAc,GAAiC;AAC7D,MAAI;AACF,WAAO,IAAI,KAAK,KAAK,oBAAI,KAAK,CAAC;AAAA,EACjC,QAAQ;AACN,WAAO,oBAAI,KAAK;AAAA,EAClB;AACF;AAUO,SAAS,eAAe,OAAqD;AAClF,QAAM,EAAE,MAAM,WAAW,IAAI;AAC7B,MAAI,CAAC,QAAQ,CAAC,YAAY;AACxB,WAAO;AAAA,EACT;AACA,QAAM,IAAI,cAAc,IAAI;AAC5B,QAAM,IAAI,cAAc,UAAU;AAClC,QAAM,mBAAmB,yBAAyB,GAAG,GAAG,EAAE,UAAU,MAAM,CAAC;AAE3E,MAAI,mBAAmB,IAAI;AACzB,WAAO,EAAE,kBAAkB,SAAS,MAAM,EAAE;AAAA,EAC9C;AACA,MAAI,mBAAmB,IAAI;AACzB,WAAO,EAAE,kBAAkB,iBAAiB,MAAM,EAAE;AAAA,EACtD;AACA,MAAI,qBAAqB,IAAI;AAC3B,WAAO,EAAE,kBAAkB,WAAW,MAAM,EAAE;AAAA,EAChD;AACA,MAAI,qBAAqB,GAAG;AAC1B,WAAO,EAAE,kBAAkB,WAAW,MAAM,EAAE;AAAA,EAChD;AACA,MAAI,qBAAqB,GAAG;AAC1B,WAAO,EAAE,kBAAkB,WAAW,MAAM,EAAE;AAAA,EAChD;AACA,MAAI,mBAAmB,GAAG;AACxB,WAAO,EAAE,kBAAkB,aAAa,MAAM,EAAE;AAAA,EAClD;AACA,SAAO,EAAE,kBAAkB,SAAS,MAAM,EAAE;AAC9C;AAEO,SAAS,SAAS,aAAqC,YAA0B;AACtF,QAAM,OAAO,cAAc,WAAW;AACtC,OAAK,YAAY,KAAK,YAAY,IAAI,UAAU;AAChD,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-YIV5QDK5.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-YIV5QDK5.mjs new file mode 100644 index 000000000..0ee9b0135 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-YIV5QDK5.mjs @@ -0,0 +1,42 @@ +import { + retry +} from "./chunk-BUNBAIZO.mjs"; + +// src/loadScript.ts +var NO_DOCUMENT_ERROR = "loadScript cannot be called when document does not exist"; +var NO_SRC_ERROR = "loadScript cannot be called without a src"; +async function loadScript(src = "", opts) { + const { async, defer, beforeLoad, crossOrigin, nonce } = opts || {}; + const load = () => { + return new Promise((resolve, reject) => { + if (!src) { + reject(new Error(NO_SRC_ERROR)); + } + if (!document || !document.body) { + reject(NO_DOCUMENT_ERROR); + } + const script = document.createElement("script"); + if (crossOrigin) script.setAttribute("crossorigin", crossOrigin); + script.async = async || false; + script.defer = defer || false; + script.addEventListener("load", () => { + script.remove(); + resolve(script); + }); + script.addEventListener("error", () => { + script.remove(); + reject(); + }); + script.src = src; + script.nonce = nonce; + beforeLoad?.(script); + document.body.appendChild(script); + }); + }; + return retry(load, { shouldRetry: (_, iterations) => iterations <= 5 }); +} + +export { + loadScript +}; +//# sourceMappingURL=chunk-YIV5QDK5.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-YIV5QDK5.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-YIV5QDK5.mjs.map new file mode 100644 index 000000000..082ab6e46 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-YIV5QDK5.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/loadScript.ts"],"sourcesContent":["import { retry } from './retry';\n\nconst NO_DOCUMENT_ERROR = 'loadScript cannot be called when document does not exist';\nconst NO_SRC_ERROR = 'loadScript cannot be called without a src';\n\ntype LoadScriptOptions = {\n async?: boolean;\n defer?: boolean;\n crossOrigin?: 'anonymous' | 'use-credentials';\n nonce?: string;\n beforeLoad?: (script: HTMLScriptElement) => void;\n};\n\nexport async function loadScript(src = '', opts: LoadScriptOptions): Promise {\n const { async, defer, beforeLoad, crossOrigin, nonce } = opts || {};\n\n const load = () => {\n return new Promise((resolve, reject) => {\n if (!src) {\n reject(new Error(NO_SRC_ERROR));\n }\n\n if (!document || !document.body) {\n reject(NO_DOCUMENT_ERROR);\n }\n\n const script = document.createElement('script');\n\n if (crossOrigin) script.setAttribute('crossorigin', crossOrigin);\n script.async = async || false;\n script.defer = defer || false;\n\n script.addEventListener('load', () => {\n script.remove();\n resolve(script);\n });\n\n script.addEventListener('error', () => {\n script.remove();\n reject();\n });\n\n script.src = src;\n script.nonce = nonce;\n beforeLoad?.(script);\n document.body.appendChild(script);\n });\n };\n\n return retry(load, { shouldRetry: (_, iterations) => iterations <= 5 });\n}\n"],"mappings":";;;;;AAEA,IAAM,oBAAoB;AAC1B,IAAM,eAAe;AAUrB,eAAsB,WAAW,MAAM,IAAI,MAAqD;AAC9F,QAAM,EAAE,OAAO,OAAO,YAAY,aAAa,MAAM,IAAI,QAAQ,CAAC;AAElE,QAAM,OAAO,MAAM;AACjB,WAAO,IAAI,QAA2B,CAAC,SAAS,WAAW;AACzD,UAAI,CAAC,KAAK;AACR,eAAO,IAAI,MAAM,YAAY,CAAC;AAAA,MAChC;AAEA,UAAI,CAAC,YAAY,CAAC,SAAS,MAAM;AAC/B,eAAO,iBAAiB;AAAA,MAC1B;AAEA,YAAM,SAAS,SAAS,cAAc,QAAQ;AAE9C,UAAI,YAAa,QAAO,aAAa,eAAe,WAAW;AAC/D,aAAO,QAAQ,SAAS;AACxB,aAAO,QAAQ,SAAS;AAExB,aAAO,iBAAiB,QAAQ,MAAM;AACpC,eAAO,OAAO;AACd,gBAAQ,MAAM;AAAA,MAChB,CAAC;AAED,aAAO,iBAAiB,SAAS,MAAM;AACrC,eAAO,OAAO;AACd,eAAO;AAAA,MACT,CAAC;AAED,aAAO,MAAM;AACb,aAAO,QAAQ;AACf,mBAAa,MAAM;AACnB,eAAS,KAAK,YAAY,MAAM;AAAA,IAClC,CAAC;AAAA,EACH;AAEA,SAAO,MAAM,MAAM,EAAE,aAAa,CAAC,GAAG,eAAe,cAAc,EAAE,CAAC;AACxE;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-ZHPWRK4R.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-ZHPWRK4R.mjs new file mode 100644 index 000000000..05c72a403 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-ZHPWRK4R.mjs @@ -0,0 +1,88 @@ +import { + noop +} from "./chunk-7FNX7RWY.mjs"; + +// src/workerTimers/workerTimers.worker.ts +var workerTimers_worker_default = 'const respond=r=>{self.postMessage(r)},workerToTabIds={};self.addEventListener("message",r=>{const e=r.data;switch(e.type){case"setTimeout":workerToTabIds[e.id]=setTimeout(()=>{respond({id:e.id}),delete workerToTabIds[e.id]},e.ms);break;case"clearTimeout":workerToTabIds[e.id]&&(clearTimeout(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break;case"setInterval":workerToTabIds[e.id]=setInterval(()=>{respond({id:e.id})},e.ms);break;case"clearInterval":workerToTabIds[e.id]&&(clearInterval(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break}});\n'; + +// src/workerTimers/createWorkerTimers.ts +var createWebWorker = (source, opts = {}) => { + if (typeof Worker === "undefined") { + return null; + } + try { + const blob = new Blob([source], { type: "application/javascript; charset=utf-8" }); + const workerScript = globalThis.URL.createObjectURL(blob); + return new Worker(workerScript, opts); + } catch { + console.warn("Clerk: Cannot create worker from blob. Consider adding worker-src blob:; to your CSP"); + return null; + } +}; +var fallbackTimers = () => { + const setTimeout = globalThis.setTimeout.bind(globalThis); + const setInterval = globalThis.setInterval.bind(globalThis); + const clearTimeout = globalThis.clearTimeout.bind(globalThis); + const clearInterval = globalThis.clearInterval.bind(globalThis); + return { setTimeout, setInterval, clearTimeout, clearInterval, cleanup: noop }; +}; +var createWorkerTimers = () => { + let id = 0; + const generateId = () => id++; + const callbacks = /* @__PURE__ */ new Map(); + const post = (w, p) => w?.postMessage(p); + const handleMessage = (e) => { + callbacks.get(e.data.id)?.(); + }; + let worker = createWebWorker(workerTimers_worker_default, { name: "clerk-timers" }); + worker?.addEventListener("message", handleMessage); + if (!worker) { + return fallbackTimers(); + } + const init = () => { + if (!worker) { + worker = createWebWorker(workerTimers_worker_default, { name: "clerk-timers" }); + worker?.addEventListener("message", handleMessage); + } + }; + const cleanup = () => { + if (worker) { + worker.terminate(); + worker = null; + callbacks.clear(); + } + }; + const setTimeout = (cb, ms) => { + init(); + const id2 = generateId(); + callbacks.set(id2, () => { + cb(); + callbacks.delete(id2); + }); + post(worker, { type: "setTimeout", id: id2, ms }); + return id2; + }; + const setInterval = (cb, ms) => { + init(); + const id2 = generateId(); + callbacks.set(id2, cb); + post(worker, { type: "setInterval", id: id2, ms }); + return id2; + }; + const clearTimeout = (id2) => { + init(); + callbacks.delete(id2); + post(worker, { type: "clearTimeout", id: id2 }); + }; + const clearInterval = (id2) => { + init(); + callbacks.delete(id2); + post(worker, { type: "clearInterval", id: id2 }); + }; + return { setTimeout, setInterval, clearTimeout, clearInterval, cleanup }; +}; + +export { + createWorkerTimers +}; +//# sourceMappingURL=chunk-ZHPWRK4R.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-ZHPWRK4R.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-ZHPWRK4R.mjs.map new file mode 100644 index 000000000..db5598817 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/chunk-ZHPWRK4R.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/workerTimers/workerTimers.worker.ts","../src/workerTimers/createWorkerTimers.ts"],"sourcesContent":["const respond=r=>{self.postMessage(r)},workerToTabIds={};self.addEventListener(\"message\",r=>{const e=r.data;switch(e.type){case\"setTimeout\":workerToTabIds[e.id]=setTimeout(()=>{respond({id:e.id}),delete workerToTabIds[e.id]},e.ms);break;case\"clearTimeout\":workerToTabIds[e.id]&&(clearTimeout(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break;case\"setInterval\":workerToTabIds[e.id]=setInterval(()=>{respond({id:e.id})},e.ms);break;case\"clearInterval\":workerToTabIds[e.id]&&(clearInterval(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break}});\n","import { noop } from '../utils/noop';\nimport type {\n WorkerClearTimeout,\n WorkerSetTimeout,\n WorkerTimeoutCallback,\n WorkerTimerEvent,\n WorkerTimerId,\n WorkerTimerResponseEvent,\n} from './workerTimers.types';\n// @ts-ignore\n// eslint-disable-next-line import/default\nimport pollerWorkerSource from './workerTimers.worker';\n\nconst createWebWorker = (source: string, opts: ConstructorParameters[1] = {}): Worker | null => {\n if (typeof Worker === 'undefined') {\n return null;\n }\n\n try {\n const blob = new Blob([source], { type: 'application/javascript; charset=utf-8' });\n const workerScript = globalThis.URL.createObjectURL(blob);\n return new Worker(workerScript, opts);\n } catch {\n console.warn('Clerk: Cannot create worker from blob. Consider adding worker-src blob:; to your CSP');\n return null;\n }\n};\n\nconst fallbackTimers = () => {\n const setTimeout = globalThis.setTimeout.bind(globalThis) as WorkerSetTimeout;\n const setInterval = globalThis.setInterval.bind(globalThis) as WorkerSetTimeout;\n const clearTimeout = globalThis.clearTimeout.bind(globalThis) as WorkerClearTimeout;\n const clearInterval = globalThis.clearInterval.bind(globalThis) as WorkerClearTimeout;\n return { setTimeout, setInterval, clearTimeout, clearInterval, cleanup: noop };\n};\n\nexport const createWorkerTimers = () => {\n let id = 0;\n const generateId = () => id++;\n const callbacks = new Map();\n const post = (w: Worker | null, p: WorkerTimerEvent) => w?.postMessage(p);\n const handleMessage = (e: MessageEvent) => {\n callbacks.get(e.data.id)?.();\n };\n\n let worker = createWebWorker(pollerWorkerSource, { name: 'clerk-timers' });\n worker?.addEventListener('message', handleMessage);\n\n if (!worker) {\n return fallbackTimers();\n }\n\n const init = () => {\n if (!worker) {\n worker = createWebWorker(pollerWorkerSource, { name: 'clerk-timers' });\n worker?.addEventListener('message', handleMessage);\n }\n };\n\n const cleanup = () => {\n if (worker) {\n worker.terminate();\n worker = null;\n callbacks.clear();\n }\n };\n\n const setTimeout: WorkerSetTimeout = (cb, ms) => {\n init();\n const id = generateId();\n callbacks.set(id, () => {\n cb();\n callbacks.delete(id);\n });\n post(worker, { type: 'setTimeout', id, ms });\n return id;\n };\n\n const setInterval: WorkerSetTimeout = (cb, ms) => {\n init();\n const id = generateId();\n callbacks.set(id, cb);\n post(worker, { type: 'setInterval', id, ms });\n return id;\n };\n\n const clearTimeout: WorkerClearTimeout = id => {\n init();\n callbacks.delete(id);\n post(worker, { type: 'clearTimeout', id });\n };\n\n const clearInterval: WorkerClearTimeout = id => {\n init();\n callbacks.delete(id);\n post(worker, { type: 'clearInterval', id });\n };\n\n return { setTimeout, setInterval, clearTimeout, clearInterval, cleanup };\n};\n"],"mappings":";;;;;AAAA;;;ACaA,IAAM,kBAAkB,CAAC,QAAgB,OAAgD,CAAC,MAAqB;AAC7G,MAAI,OAAO,WAAW,aAAa;AACjC,WAAO;AAAA,EACT;AAEA,MAAI;AACF,UAAM,OAAO,IAAI,KAAK,CAAC,MAAM,GAAG,EAAE,MAAM,wCAAwC,CAAC;AACjF,UAAM,eAAe,WAAW,IAAI,gBAAgB,IAAI;AACxD,WAAO,IAAI,OAAO,cAAc,IAAI;AAAA,EACtC,QAAQ;AACN,YAAQ,KAAK,sFAAsF;AACnG,WAAO;AAAA,EACT;AACF;AAEA,IAAM,iBAAiB,MAAM;AAC3B,QAAM,aAAa,WAAW,WAAW,KAAK,UAAU;AACxD,QAAM,cAAc,WAAW,YAAY,KAAK,UAAU;AAC1D,QAAM,eAAe,WAAW,aAAa,KAAK,UAAU;AAC5D,QAAM,gBAAgB,WAAW,cAAc,KAAK,UAAU;AAC9D,SAAO,EAAE,YAAY,aAAa,cAAc,eAAe,SAAS,KAAK;AAC/E;AAEO,IAAM,qBAAqB,MAAM;AACtC,MAAI,KAAK;AACT,QAAM,aAAa,MAAM;AACzB,QAAM,YAAY,oBAAI,IAA0C;AAChE,QAAM,OAAO,CAAC,GAAkB,MAAwB,GAAG,YAAY,CAAC;AACxE,QAAM,gBAAgB,CAAC,MAA8C;AACnE,cAAU,IAAI,EAAE,KAAK,EAAE,IAAI;AAAA,EAC7B;AAEA,MAAI,SAAS,gBAAgB,6BAAoB,EAAE,MAAM,eAAe,CAAC;AACzE,UAAQ,iBAAiB,WAAW,aAAa;AAEjD,MAAI,CAAC,QAAQ;AACX,WAAO,eAAe;AAAA,EACxB;AAEA,QAAM,OAAO,MAAM;AACjB,QAAI,CAAC,QAAQ;AACX,eAAS,gBAAgB,6BAAoB,EAAE,MAAM,eAAe,CAAC;AACrE,cAAQ,iBAAiB,WAAW,aAAa;AAAA,IACnD;AAAA,EACF;AAEA,QAAM,UAAU,MAAM;AACpB,QAAI,QAAQ;AACV,aAAO,UAAU;AACjB,eAAS;AACT,gBAAU,MAAM;AAAA,IAClB;AAAA,EACF;AAEA,QAAM,aAA+B,CAAC,IAAI,OAAO;AAC/C,SAAK;AACL,UAAMA,MAAK,WAAW;AACtB,cAAU,IAAIA,KAAI,MAAM;AACtB,SAAG;AACH,gBAAU,OAAOA,GAAE;AAAA,IACrB,CAAC;AACD,SAAK,QAAQ,EAAE,MAAM,cAAc,IAAAA,KAAI,GAAG,CAAC;AAC3C,WAAOA;AAAA,EACT;AAEA,QAAM,cAAgC,CAAC,IAAI,OAAO;AAChD,SAAK;AACL,UAAMA,MAAK,WAAW;AACtB,cAAU,IAAIA,KAAI,EAAE;AACpB,SAAK,QAAQ,EAAE,MAAM,eAAe,IAAAA,KAAI,GAAG,CAAC;AAC5C,WAAOA;AAAA,EACT;AAEA,QAAM,eAAmC,CAAAA,QAAM;AAC7C,SAAK;AACL,cAAU,OAAOA,GAAE;AACnB,SAAK,QAAQ,EAAE,MAAM,gBAAgB,IAAAA,IAAG,CAAC;AAAA,EAC3C;AAEA,QAAM,gBAAoC,CAAAA,QAAM;AAC9C,SAAK;AACL,cAAU,OAAOA,GAAE;AACnB,SAAK,QAAQ,EAAE,MAAM,iBAAiB,IAAAA,IAAG,CAAC;AAAA,EAC5C;AAEA,SAAO,EAAE,YAAY,aAAa,cAAc,eAAe,QAAQ;AACzE;","names":["id"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.d.mts new file mode 100644 index 000000000..da2a10c4d --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.d.mts @@ -0,0 +1,15 @@ +import { Color, RgbaColor, HslaColor, TransparentColor } from '@clerk/types'; + +declare const isValidHexString: (s: string) => boolean; +declare const isValidRgbaString: (s: string) => boolean; +declare const isValidHslaString: (s: string) => boolean; +declare const isRGBColor: (c: Color) => c is RgbaColor; +declare const isHSLColor: (c: Color) => c is HslaColor; +declare const isTransparent: (c: Color) => c is TransparentColor; +declare const hasAlpha: (color: Color) => boolean; +declare const stringToHslaColor: (value: string) => HslaColor | null; +declare const stringToSameTypeColor: (value: string) => Color; +declare const colorToSameTypeString: (color: Color) => string | TransparentColor; +declare const hexStringToRgbaColor: (hex: string) => RgbaColor; + +export { colorToSameTypeString, hasAlpha, hexStringToRgbaColor, isHSLColor, isRGBColor, isTransparent, isValidHexString, isValidHslaString, isValidRgbaString, stringToHslaColor, stringToSameTypeColor }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.d.ts new file mode 100644 index 000000000..da2a10c4d --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.d.ts @@ -0,0 +1,15 @@ +import { Color, RgbaColor, HslaColor, TransparentColor } from '@clerk/types'; + +declare const isValidHexString: (s: string) => boolean; +declare const isValidRgbaString: (s: string) => boolean; +declare const isValidHslaString: (s: string) => boolean; +declare const isRGBColor: (c: Color) => c is RgbaColor; +declare const isHSLColor: (c: Color) => c is HslaColor; +declare const isTransparent: (c: Color) => c is TransparentColor; +declare const hasAlpha: (color: Color) => boolean; +declare const stringToHslaColor: (value: string) => HslaColor | null; +declare const stringToSameTypeColor: (value: string) => Color; +declare const colorToSameTypeString: (color: Color) => string | TransparentColor; +declare const hexStringToRgbaColor: (hex: string) => RgbaColor; + +export { colorToSameTypeString, hasAlpha, hexStringToRgbaColor, isHSLColor, isRGBColor, isTransparent, isValidHexString, isValidHslaString, isValidRgbaString, stringToHslaColor, stringToSameTypeColor }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.js new file mode 100644 index 000000000..d8247553c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.js @@ -0,0 +1,182 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/color.ts +var color_exports = {}; +__export(color_exports, { + colorToSameTypeString: () => colorToSameTypeString, + hasAlpha: () => hasAlpha, + hexStringToRgbaColor: () => hexStringToRgbaColor, + isHSLColor: () => isHSLColor, + isRGBColor: () => isRGBColor, + isTransparent: () => isTransparent, + isValidHexString: () => isValidHexString, + isValidHslaString: () => isValidHslaString, + isValidRgbaString: () => isValidRgbaString, + stringToHslaColor: () => stringToHslaColor, + stringToSameTypeColor: () => stringToSameTypeColor +}); +module.exports = __toCommonJS(color_exports); +var IS_HEX_COLOR_REGEX = /^#?([A-F0-9]{6}|[A-F0-9]{3})$/i; +var IS_RGB_COLOR_REGEX = /^rgb\((\d+),\s*(\d+),\s*(\d+)\)$/i; +var IS_RGBA_COLOR_REGEX = /^rgba\((\d+),\s*(\d+),\s*(\d+)(,\s*\d+(\.\d+)?)\)$/i; +var IS_HSL_COLOR_REGEX = /^hsl\((\d+),\s*([\d.]+)%,\s*([\d.]+)%\)$/i; +var IS_HSLA_COLOR_REGEX = /^hsla\((\d+),\s*([\d.]+)%,\s*([\d.]+)%(,\s*\d+(\.\d+)?)*\)$/i; +var isValidHexString = (s) => { + return !!s.match(IS_HEX_COLOR_REGEX); +}; +var isValidRgbaString = (s) => { + return !!(s.match(IS_RGB_COLOR_REGEX) || s.match(IS_RGBA_COLOR_REGEX)); +}; +var isValidHslaString = (s) => { + return !!s.match(IS_HSL_COLOR_REGEX) || !!s.match(IS_HSLA_COLOR_REGEX); +}; +var isRGBColor = (c) => { + return typeof c !== "string" && "r" in c; +}; +var isHSLColor = (c) => { + return typeof c !== "string" && "h" in c; +}; +var isTransparent = (c) => { + return c === "transparent"; +}; +var hasAlpha = (color) => { + return typeof color !== "string" && color.a != void 0 && color.a < 1; +}; +var CLEAN_HSLA_REGEX = /[hsla()]/g; +var CLEAN_RGBA_REGEX = /[rgba()]/g; +var stringToHslaColor = (value) => { + if (value === "transparent") { + return { h: 0, s: 0, l: 0, a: 0 }; + } + if (isValidHexString(value)) { + return hexStringToHslaColor(value); + } + if (isValidHslaString(value)) { + return parseHslaString(value); + } + if (isValidRgbaString(value)) { + return rgbaStringToHslaColor(value); + } + return null; +}; +var stringToSameTypeColor = (value) => { + value = value.trim(); + if (isValidHexString(value)) { + return value.startsWith("#") ? value : `#${value}`; + } + if (isValidRgbaString(value)) { + return parseRgbaString(value); + } + if (isValidHslaString(value)) { + return parseHslaString(value); + } + if (isTransparent(value)) { + return value; + } + return ""; +}; +var colorToSameTypeString = (color) => { + if (typeof color === "string" && (isValidHexString(color) || isTransparent(color))) { + return color; + } + if (isRGBColor(color)) { + return rgbaColorToRgbaString(color); + } + if (isHSLColor(color)) { + return hslaColorToHslaString(color); + } + return ""; +}; +var hexStringToRgbaColor = (hex) => { + hex = hex.replace("#", ""); + const r = parseInt(hex.substring(0, 2), 16); + const g = parseInt(hex.substring(2, 4), 16); + const b = parseInt(hex.substring(4, 6), 16); + return { r, g, b }; +}; +var rgbaColorToRgbaString = (color) => { + const { a, b, g, r } = color; + return color.a === 0 ? "transparent" : color.a != void 0 ? `rgba(${r},${g},${b},${a})` : `rgb(${r},${g},${b})`; +}; +var hslaColorToHslaString = (color) => { + const { h, s, l, a } = color; + const sPerc = Math.round(s * 100); + const lPerc = Math.round(l * 100); + return color.a === 0 ? "transparent" : color.a != void 0 ? `hsla(${h},${sPerc}%,${lPerc}%,${a})` : `hsl(${h},${sPerc}%,${lPerc}%)`; +}; +var hexStringToHslaColor = (hex) => { + const rgbaString = colorToSameTypeString(hexStringToRgbaColor(hex)); + return rgbaStringToHslaColor(rgbaString); +}; +var rgbaStringToHslaColor = (rgba) => { + const rgbaColor = parseRgbaString(rgba); + const r = rgbaColor.r / 255; + const g = rgbaColor.g / 255; + const b = rgbaColor.b / 255; + const max = Math.max(r, g, b), min = Math.min(r, g, b); + let h, s; + const l = (max + min) / 2; + if (max == min) { + h = s = 0; + } else { + const d = max - min; + s = l >= 0.5 ? d / (2 - (max + min)) : d / (max + min); + switch (max) { + case r: + h = (g - b) / d * 60; + break; + case g: + h = ((b - r) / d + 2) * 60; + break; + default: + h = ((r - g) / d + 4) * 60; + break; + } + } + const res = { h: Math.round(h), s, l }; + const a = rgbaColor.a; + if (a != void 0) { + res.a = a; + } + return res; +}; +var parseRgbaString = (str) => { + const [r, g, b, a] = str.replace(CLEAN_RGBA_REGEX, "").split(",").map((c) => Number.parseFloat(c)); + return { r, g, b, a }; +}; +var parseHslaString = (str) => { + const [h, s, l, a] = str.replace(CLEAN_HSLA_REGEX, "").split(",").map((c) => Number.parseFloat(c)); + return { h, s: s / 100, l: l / 100, a }; +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + colorToSameTypeString, + hasAlpha, + hexStringToRgbaColor, + isHSLColor, + isRGBColor, + isTransparent, + isValidHexString, + isValidHslaString, + isValidRgbaString, + stringToHslaColor, + stringToSameTypeColor +}); +//# sourceMappingURL=color.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.js.map new file mode 100644 index 000000000..3b58d96d4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/color.ts"],"sourcesContent":["import type { Color, HslaColor, RgbaColor, TransparentColor } from '@clerk/types';\n\nconst IS_HEX_COLOR_REGEX = /^#?([A-F0-9]{6}|[A-F0-9]{3})$/i;\n\nconst IS_RGB_COLOR_REGEX = /^rgb\\((\\d+),\\s*(\\d+),\\s*(\\d+)\\)$/i;\nconst IS_RGBA_COLOR_REGEX = /^rgba\\((\\d+),\\s*(\\d+),\\s*(\\d+)(,\\s*\\d+(\\.\\d+)?)\\)$/i;\n\nconst IS_HSL_COLOR_REGEX = /^hsl\\((\\d+),\\s*([\\d.]+)%,\\s*([\\d.]+)%\\)$/i;\nconst IS_HSLA_COLOR_REGEX = /^hsla\\((\\d+),\\s*([\\d.]+)%,\\s*([\\d.]+)%(,\\s*\\d+(\\.\\d+)?)*\\)$/i;\n\nexport const isValidHexString = (s: string) => {\n return !!s.match(IS_HEX_COLOR_REGEX);\n};\n\nexport const isValidRgbaString = (s: string) => {\n return !!(s.match(IS_RGB_COLOR_REGEX) || s.match(IS_RGBA_COLOR_REGEX));\n};\n\nexport const isValidHslaString = (s: string) => {\n return !!s.match(IS_HSL_COLOR_REGEX) || !!s.match(IS_HSLA_COLOR_REGEX);\n};\n\nexport const isRGBColor = (c: Color): c is RgbaColor => {\n return typeof c !== 'string' && 'r' in c;\n};\n\nexport const isHSLColor = (c: Color): c is HslaColor => {\n return typeof c !== 'string' && 'h' in c;\n};\n\nexport const isTransparent = (c: Color): c is TransparentColor => {\n return c === 'transparent';\n};\n\nexport const hasAlpha = (color: Color): boolean => {\n return typeof color !== 'string' && color.a != undefined && color.a < 1;\n};\n\nconst CLEAN_HSLA_REGEX = /[hsla()]/g;\nconst CLEAN_RGBA_REGEX = /[rgba()]/g;\n\nexport const stringToHslaColor = (value: string): HslaColor | null => {\n if (value === 'transparent') {\n return { h: 0, s: 0, l: 0, a: 0 };\n }\n\n if (isValidHexString(value)) {\n return hexStringToHslaColor(value);\n }\n\n if (isValidHslaString(value)) {\n return parseHslaString(value);\n }\n\n if (isValidRgbaString(value)) {\n return rgbaStringToHslaColor(value);\n }\n\n return null;\n};\n\nexport const stringToSameTypeColor = (value: string): Color => {\n value = value.trim();\n if (isValidHexString(value)) {\n return value.startsWith('#') ? value : `#${value}`;\n }\n\n if (isValidRgbaString(value)) {\n return parseRgbaString(value);\n }\n\n if (isValidHslaString(value)) {\n return parseHslaString(value);\n }\n\n if (isTransparent(value)) {\n return value;\n }\n return '';\n};\n\nexport const colorToSameTypeString = (color: Color): string | TransparentColor => {\n if (typeof color === 'string' && (isValidHexString(color) || isTransparent(color))) {\n return color;\n }\n\n if (isRGBColor(color)) {\n return rgbaColorToRgbaString(color);\n }\n\n if (isHSLColor(color)) {\n return hslaColorToHslaString(color);\n }\n\n return '';\n};\n\nexport const hexStringToRgbaColor = (hex: string): RgbaColor => {\n hex = hex.replace('#', '');\n const r = parseInt(hex.substring(0, 2), 16);\n const g = parseInt(hex.substring(2, 4), 16);\n const b = parseInt(hex.substring(4, 6), 16);\n return { r, g, b };\n};\n\nconst rgbaColorToRgbaString = (color: RgbaColor): string => {\n const { a, b, g, r } = color;\n return color.a === 0 ? 'transparent' : color.a != undefined ? `rgba(${r},${g},${b},${a})` : `rgb(${r},${g},${b})`;\n};\n\nconst hslaColorToHslaString = (color: HslaColor): string => {\n const { h, s, l, a } = color;\n const sPerc = Math.round(s * 100);\n const lPerc = Math.round(l * 100);\n return color.a === 0\n ? 'transparent'\n : color.a != undefined\n ? `hsla(${h},${sPerc}%,${lPerc}%,${a})`\n : `hsl(${h},${sPerc}%,${lPerc}%)`;\n};\n\nconst hexStringToHslaColor = (hex: string): HslaColor => {\n const rgbaString = colorToSameTypeString(hexStringToRgbaColor(hex));\n return rgbaStringToHslaColor(rgbaString);\n};\n\nconst rgbaStringToHslaColor = (rgba: string): HslaColor => {\n const rgbaColor = parseRgbaString(rgba);\n const r = rgbaColor.r / 255;\n const g = rgbaColor.g / 255;\n const b = rgbaColor.b / 255;\n\n const max = Math.max(r, g, b),\n min = Math.min(r, g, b);\n let h, s;\n const l = (max + min) / 2;\n\n if (max == min) {\n h = s = 0;\n } else {\n const d = max - min;\n s = l >= 0.5 ? d / (2 - (max + min)) : d / (max + min);\n switch (max) {\n case r:\n h = ((g - b) / d) * 60;\n break;\n case g:\n h = ((b - r) / d + 2) * 60;\n break;\n default:\n h = ((r - g) / d + 4) * 60;\n break;\n }\n }\n\n const res: HslaColor = { h: Math.round(h), s, l };\n const a = rgbaColor.a;\n if (a != undefined) {\n res.a = a;\n }\n return res;\n};\n\nconst parseRgbaString = (str: string): RgbaColor => {\n const [r, g, b, a] = str\n .replace(CLEAN_RGBA_REGEX, '')\n .split(',')\n .map(c => Number.parseFloat(c));\n return { r, g, b, a };\n};\n\nconst parseHslaString = (str: string): HslaColor => {\n const [h, s, l, a] = str\n .replace(CLEAN_HSLA_REGEX, '')\n .split(',')\n .map(c => Number.parseFloat(c));\n return { h, s: s / 100, l: l / 100, a };\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAEA,IAAM,qBAAqB;AAE3B,IAAM,qBAAqB;AAC3B,IAAM,sBAAsB;AAE5B,IAAM,qBAAqB;AAC3B,IAAM,sBAAsB;AAErB,IAAM,mBAAmB,CAAC,MAAc;AAC7C,SAAO,CAAC,CAAC,EAAE,MAAM,kBAAkB;AACrC;AAEO,IAAM,oBAAoB,CAAC,MAAc;AAC9C,SAAO,CAAC,EAAE,EAAE,MAAM,kBAAkB,KAAK,EAAE,MAAM,mBAAmB;AACtE;AAEO,IAAM,oBAAoB,CAAC,MAAc;AAC9C,SAAO,CAAC,CAAC,EAAE,MAAM,kBAAkB,KAAK,CAAC,CAAC,EAAE,MAAM,mBAAmB;AACvE;AAEO,IAAM,aAAa,CAAC,MAA6B;AACtD,SAAO,OAAO,MAAM,YAAY,OAAO;AACzC;AAEO,IAAM,aAAa,CAAC,MAA6B;AACtD,SAAO,OAAO,MAAM,YAAY,OAAO;AACzC;AAEO,IAAM,gBAAgB,CAAC,MAAoC;AAChE,SAAO,MAAM;AACf;AAEO,IAAM,WAAW,CAAC,UAA0B;AACjD,SAAO,OAAO,UAAU,YAAY,MAAM,KAAK,UAAa,MAAM,IAAI;AACxE;AAEA,IAAM,mBAAmB;AACzB,IAAM,mBAAmB;AAElB,IAAM,oBAAoB,CAAC,UAAoC;AACpE,MAAI,UAAU,eAAe;AAC3B,WAAO,EAAE,GAAG,GAAG,GAAG,GAAG,GAAG,GAAG,GAAG,EAAE;AAAA,EAClC;AAEA,MAAI,iBAAiB,KAAK,GAAG;AAC3B,WAAO,qBAAqB,KAAK;AAAA,EACnC;AAEA,MAAI,kBAAkB,KAAK,GAAG;AAC5B,WAAO,gBAAgB,KAAK;AAAA,EAC9B;AAEA,MAAI,kBAAkB,KAAK,GAAG;AAC5B,WAAO,sBAAsB,KAAK;AAAA,EACpC;AAEA,SAAO;AACT;AAEO,IAAM,wBAAwB,CAAC,UAAyB;AAC7D,UAAQ,MAAM,KAAK;AACnB,MAAI,iBAAiB,KAAK,GAAG;AAC3B,WAAO,MAAM,WAAW,GAAG,IAAI,QAAQ,IAAI,KAAK;AAAA,EAClD;AAEA,MAAI,kBAAkB,KAAK,GAAG;AAC5B,WAAO,gBAAgB,KAAK;AAAA,EAC9B;AAEA,MAAI,kBAAkB,KAAK,GAAG;AAC5B,WAAO,gBAAgB,KAAK;AAAA,EAC9B;AAEA,MAAI,cAAc,KAAK,GAAG;AACxB,WAAO;AAAA,EACT;AACA,SAAO;AACT;AAEO,IAAM,wBAAwB,CAAC,UAA4C;AAChF,MAAI,OAAO,UAAU,aAAa,iBAAiB,KAAK,KAAK,cAAc,KAAK,IAAI;AAClF,WAAO;AAAA,EACT;AAEA,MAAI,WAAW,KAAK,GAAG;AACrB,WAAO,sBAAsB,KAAK;AAAA,EACpC;AAEA,MAAI,WAAW,KAAK,GAAG;AACrB,WAAO,sBAAsB,KAAK;AAAA,EACpC;AAEA,SAAO;AACT;AAEO,IAAM,uBAAuB,CAAC,QAA2B;AAC9D,QAAM,IAAI,QAAQ,KAAK,EAAE;AACzB,QAAM,IAAI,SAAS,IAAI,UAAU,GAAG,CAAC,GAAG,EAAE;AAC1C,QAAM,IAAI,SAAS,IAAI,UAAU,GAAG,CAAC,GAAG,EAAE;AAC1C,QAAM,IAAI,SAAS,IAAI,UAAU,GAAG,CAAC,GAAG,EAAE;AAC1C,SAAO,EAAE,GAAG,GAAG,EAAE;AACnB;AAEA,IAAM,wBAAwB,CAAC,UAA6B;AAC1D,QAAM,EAAE,GAAG,GAAG,GAAG,EAAE,IAAI;AACvB,SAAO,MAAM,MAAM,IAAI,gBAAgB,MAAM,KAAK,SAAY,QAAQ,CAAC,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,MAAM,OAAO,CAAC,IAAI,CAAC,IAAI,CAAC;AAChH;AAEA,IAAM,wBAAwB,CAAC,UAA6B;AAC1D,QAAM,EAAE,GAAG,GAAG,GAAG,EAAE,IAAI;AACvB,QAAM,QAAQ,KAAK,MAAM,IAAI,GAAG;AAChC,QAAM,QAAQ,KAAK,MAAM,IAAI,GAAG;AAChC,SAAO,MAAM,MAAM,IACf,gBACA,MAAM,KAAK,SACT,QAAQ,CAAC,IAAI,KAAK,KAAK,KAAK,KAAK,CAAC,MAClC,OAAO,CAAC,IAAI,KAAK,KAAK,KAAK;AACnC;AAEA,IAAM,uBAAuB,CAAC,QAA2B;AACvD,QAAM,aAAa,sBAAsB,qBAAqB,GAAG,CAAC;AAClE,SAAO,sBAAsB,UAAU;AACzC;AAEA,IAAM,wBAAwB,CAAC,SAA4B;AACzD,QAAM,YAAY,gBAAgB,IAAI;AACtC,QAAM,IAAI,UAAU,IAAI;AACxB,QAAM,IAAI,UAAU,IAAI;AACxB,QAAM,IAAI,UAAU,IAAI;AAExB,QAAM,MAAM,KAAK,IAAI,GAAG,GAAG,CAAC,GAC1B,MAAM,KAAK,IAAI,GAAG,GAAG,CAAC;AACxB,MAAI,GAAG;AACP,QAAM,KAAK,MAAM,OAAO;AAExB,MAAI,OAAO,KAAK;AACd,QAAI,IAAI;AAAA,EACV,OAAO;AACL,UAAM,IAAI,MAAM;AAChB,QAAI,KAAK,MAAM,KAAK,KAAK,MAAM,QAAQ,KAAK,MAAM;AAClD,YAAQ,KAAK;AAAA,MACX,KAAK;AACH,aAAM,IAAI,KAAK,IAAK;AACpB;AAAA,MACF,KAAK;AACH,cAAM,IAAI,KAAK,IAAI,KAAK;AACxB;AAAA,MACF;AACE,cAAM,IAAI,KAAK,IAAI,KAAK;AACxB;AAAA,IACJ;AAAA,EACF;AAEA,QAAM,MAAiB,EAAE,GAAG,KAAK,MAAM,CAAC,GAAG,GAAG,EAAE;AAChD,QAAM,IAAI,UAAU;AACpB,MAAI,KAAK,QAAW;AAClB,QAAI,IAAI;AAAA,EACV;AACA,SAAO;AACT;AAEA,IAAM,kBAAkB,CAAC,QAA2B;AAClD,QAAM,CAAC,GAAG,GAAG,GAAG,CAAC,IAAI,IAClB,QAAQ,kBAAkB,EAAE,EAC5B,MAAM,GAAG,EACT,IAAI,OAAK,OAAO,WAAW,CAAC,CAAC;AAChC,SAAO,EAAE,GAAG,GAAG,GAAG,EAAE;AACtB;AAEA,IAAM,kBAAkB,CAAC,QAA2B;AAClD,QAAM,CAAC,GAAG,GAAG,GAAG,CAAC,IAAI,IAClB,QAAQ,kBAAkB,EAAE,EAC5B,MAAM,GAAG,EACT,IAAI,OAAK,OAAO,WAAW,CAAC,CAAC;AAChC,SAAO,EAAE,GAAG,GAAG,IAAI,KAAK,GAAG,IAAI,KAAK,EAAE;AACxC;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.mjs new file mode 100644 index 000000000..d33ac74e9 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.mjs @@ -0,0 +1,28 @@ +import { + colorToSameTypeString, + hasAlpha, + hexStringToRgbaColor, + isHSLColor, + isRGBColor, + isTransparent, + isValidHexString, + isValidHslaString, + isValidRgbaString, + stringToHslaColor, + stringToSameTypeColor +} from "./chunk-X6NLIF7Y.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + colorToSameTypeString, + hasAlpha, + hexStringToRgbaColor, + isHSLColor, + isRGBColor, + isTransparent, + isValidHexString, + isValidHslaString, + isValidRgbaString, + stringToHslaColor, + stringToSameTypeColor +}; +//# sourceMappingURL=color.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/color.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.d.mts new file mode 100644 index 000000000..1253aae29 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.d.mts @@ -0,0 +1,15 @@ +declare const LEGACY_DEV_INSTANCE_SUFFIXES: string[]; +declare const CURRENT_DEV_INSTANCE_SUFFIXES: string[]; +declare const DEV_OR_STAGING_SUFFIXES: string[]; +declare const LOCAL_ENV_SUFFIXES: string[]; +declare const STAGING_ENV_SUFFIXES: string[]; +declare const LOCAL_API_URL = "https://api.lclclerk.com"; +declare const STAGING_API_URL = "https://api.clerkstage.dev"; +declare const PROD_API_URL = "https://api.clerk.com"; +/** + * Returns the URL for a static image + * using the new img.clerk.com service + */ +declare function iconImageUrl(id: string, format?: 'svg' | 'jpeg'): string; + +export { CURRENT_DEV_INSTANCE_SUFFIXES, DEV_OR_STAGING_SUFFIXES, LEGACY_DEV_INSTANCE_SUFFIXES, LOCAL_API_URL, LOCAL_ENV_SUFFIXES, PROD_API_URL, STAGING_API_URL, STAGING_ENV_SUFFIXES, iconImageUrl }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.d.ts new file mode 100644 index 000000000..1253aae29 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.d.ts @@ -0,0 +1,15 @@ +declare const LEGACY_DEV_INSTANCE_SUFFIXES: string[]; +declare const CURRENT_DEV_INSTANCE_SUFFIXES: string[]; +declare const DEV_OR_STAGING_SUFFIXES: string[]; +declare const LOCAL_ENV_SUFFIXES: string[]; +declare const STAGING_ENV_SUFFIXES: string[]; +declare const LOCAL_API_URL = "https://api.lclclerk.com"; +declare const STAGING_API_URL = "https://api.clerkstage.dev"; +declare const PROD_API_URL = "https://api.clerk.com"; +/** + * Returns the URL for a static image + * using the new img.clerk.com service + */ +declare function iconImageUrl(id: string, format?: 'svg' | 'jpeg'): string; + +export { CURRENT_DEV_INSTANCE_SUFFIXES, DEV_OR_STAGING_SUFFIXES, LEGACY_DEV_INSTANCE_SUFFIXES, LOCAL_API_URL, LOCAL_ENV_SUFFIXES, PROD_API_URL, STAGING_API_URL, STAGING_ENV_SUFFIXES, iconImageUrl }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.js new file mode 100644 index 000000000..7a0e3cdcc --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.js @@ -0,0 +1,67 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/constants.ts +var constants_exports = {}; +__export(constants_exports, { + CURRENT_DEV_INSTANCE_SUFFIXES: () => CURRENT_DEV_INSTANCE_SUFFIXES, + DEV_OR_STAGING_SUFFIXES: () => DEV_OR_STAGING_SUFFIXES, + LEGACY_DEV_INSTANCE_SUFFIXES: () => LEGACY_DEV_INSTANCE_SUFFIXES, + LOCAL_API_URL: () => LOCAL_API_URL, + LOCAL_ENV_SUFFIXES: () => LOCAL_ENV_SUFFIXES, + PROD_API_URL: () => PROD_API_URL, + STAGING_API_URL: () => STAGING_API_URL, + STAGING_ENV_SUFFIXES: () => STAGING_ENV_SUFFIXES, + iconImageUrl: () => iconImageUrl +}); +module.exports = __toCommonJS(constants_exports); +var LEGACY_DEV_INSTANCE_SUFFIXES = [".lcl.dev", ".lclstage.dev", ".lclclerk.com"]; +var CURRENT_DEV_INSTANCE_SUFFIXES = [".accounts.dev", ".accountsstage.dev", ".accounts.lclclerk.com"]; +var DEV_OR_STAGING_SUFFIXES = [ + ".lcl.dev", + ".stg.dev", + ".lclstage.dev", + ".stgstage.dev", + ".dev.lclclerk.com", + ".stg.lclclerk.com", + ".accounts.lclclerk.com", + "accountsstage.dev", + "accounts.dev" +]; +var LOCAL_ENV_SUFFIXES = [".lcl.dev", "lclstage.dev", ".lclclerk.com", ".accounts.lclclerk.com"]; +var STAGING_ENV_SUFFIXES = [".accountsstage.dev"]; +var LOCAL_API_URL = "https://api.lclclerk.com"; +var STAGING_API_URL = "https://api.clerkstage.dev"; +var PROD_API_URL = "https://api.clerk.com"; +function iconImageUrl(id, format = "svg") { + return `https://img.clerk.com/static/${id}.${format}`; +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + CURRENT_DEV_INSTANCE_SUFFIXES, + DEV_OR_STAGING_SUFFIXES, + LEGACY_DEV_INSTANCE_SUFFIXES, + LOCAL_API_URL, + LOCAL_ENV_SUFFIXES, + PROD_API_URL, + STAGING_API_URL, + STAGING_ENV_SUFFIXES, + iconImageUrl +}); +//# sourceMappingURL=constants.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.js.map new file mode 100644 index 000000000..dce895d97 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/constants.ts"],"sourcesContent":["export const LEGACY_DEV_INSTANCE_SUFFIXES = ['.lcl.dev', '.lclstage.dev', '.lclclerk.com'];\nexport const CURRENT_DEV_INSTANCE_SUFFIXES = ['.accounts.dev', '.accountsstage.dev', '.accounts.lclclerk.com'];\nexport const DEV_OR_STAGING_SUFFIXES = [\n '.lcl.dev',\n '.stg.dev',\n '.lclstage.dev',\n '.stgstage.dev',\n '.dev.lclclerk.com',\n '.stg.lclclerk.com',\n '.accounts.lclclerk.com',\n 'accountsstage.dev',\n 'accounts.dev',\n];\nexport const LOCAL_ENV_SUFFIXES = ['.lcl.dev', 'lclstage.dev', '.lclclerk.com', '.accounts.lclclerk.com'];\nexport const STAGING_ENV_SUFFIXES = ['.accountsstage.dev'];\nexport const LOCAL_API_URL = 'https://api.lclclerk.com';\nexport const STAGING_API_URL = 'https://api.clerkstage.dev';\nexport const PROD_API_URL = 'https://api.clerk.com';\n\n/**\n * Returns the URL for a static image\n * using the new img.clerk.com service\n */\nexport function iconImageUrl(id: string, format: 'svg' | 'jpeg' = 'svg'): string {\n return `https://img.clerk.com/static/${id}.${format}`;\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAO,IAAM,+BAA+B,CAAC,YAAY,iBAAiB,eAAe;AAClF,IAAM,gCAAgC,CAAC,iBAAiB,sBAAsB,wBAAwB;AACtG,IAAM,0BAA0B;AAAA,EACrC;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AACF;AACO,IAAM,qBAAqB,CAAC,YAAY,gBAAgB,iBAAiB,wBAAwB;AACjG,IAAM,uBAAuB,CAAC,oBAAoB;AAClD,IAAM,gBAAgB;AACtB,IAAM,kBAAkB;AACxB,IAAM,eAAe;AAMrB,SAAS,aAAa,IAAY,SAAyB,OAAe;AAC/E,SAAO,gCAAgC,EAAE,IAAI,MAAM;AACrD;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.mjs new file mode 100644 index 000000000..cca9812e8 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.mjs @@ -0,0 +1,24 @@ +import { + CURRENT_DEV_INSTANCE_SUFFIXES, + DEV_OR_STAGING_SUFFIXES, + LEGACY_DEV_INSTANCE_SUFFIXES, + LOCAL_API_URL, + LOCAL_ENV_SUFFIXES, + PROD_API_URL, + STAGING_API_URL, + STAGING_ENV_SUFFIXES, + iconImageUrl +} from "./chunk-I6MTSTOF.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + CURRENT_DEV_INSTANCE_SUFFIXES, + DEV_OR_STAGING_SUFFIXES, + LEGACY_DEV_INSTANCE_SUFFIXES, + LOCAL_API_URL, + LOCAL_ENV_SUFFIXES, + PROD_API_URL, + STAGING_API_URL, + STAGING_ENV_SUFFIXES, + iconImageUrl +}; +//# sourceMappingURL=constants.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/constants.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.d.mts new file mode 100644 index 000000000..51b35e6d1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.d.mts @@ -0,0 +1,18 @@ +type LocationAttributes = { + path?: string; + domain?: string; +}; +declare function createCookieHandler(cookieName: string): { + get(): string | undefined; + /** + * Setting a cookie will use some defaults such as path being set to "/". + */ + set(newValue: string, options?: Cookies.CookieAttributes): void; + /** + * On removing a cookie, you have to pass the exact same path/domain attributes used to set it initially + * @see https://github.com/js-cookie/js-cookie#basic-usage + */ + remove(locationAttributes?: LocationAttributes): void; +}; + +export { createCookieHandler }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.d.ts new file mode 100644 index 000000000..51b35e6d1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.d.ts @@ -0,0 +1,18 @@ +type LocationAttributes = { + path?: string; + domain?: string; +}; +declare function createCookieHandler(cookieName: string): { + get(): string | undefined; + /** + * Setting a cookie will use some defaults such as path being set to "/". + */ + set(newValue: string, options?: Cookies.CookieAttributes): void; + /** + * On removing a cookie, you have to pass the exact same path/domain attributes used to set it initially + * @see https://github.com/js-cookie/js-cookie#basic-usage + */ + remove(locationAttributes?: LocationAttributes): void; +}; + +export { createCookieHandler }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.js new file mode 100644 index 000000000..939d1a275 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.js @@ -0,0 +1,61 @@ +"use strict"; +var __create = Object.create; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __getProtoOf = Object.getPrototypeOf; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toESM = (mod, isNodeMode, target) => (target = mod != null ? __create(__getProtoOf(mod)) : {}, __copyProps( + // If the importer is in node compatibility mode or this is not an ESM + // file that has been converted to a CommonJS file using a Babel- + // compatible transform (i.e. "__esModule" has not been set), then set + // "default" to the CommonJS "module.exports" for node compatibility. + isNodeMode || !mod || !mod.__esModule ? __defProp(target, "default", { value: mod, enumerable: true }) : target, + mod +)); +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/cookie.ts +var cookie_exports = {}; +__export(cookie_exports, { + createCookieHandler: () => createCookieHandler +}); +module.exports = __toCommonJS(cookie_exports); +var import_js_cookie = __toESM(require("js-cookie")); +function createCookieHandler(cookieName) { + return { + get() { + return import_js_cookie.default.get(cookieName); + }, + /** + * Setting a cookie will use some defaults such as path being set to "/". + */ + set(newValue, options = {}) { + import_js_cookie.default.set(cookieName, newValue, options); + }, + /** + * On removing a cookie, you have to pass the exact same path/domain attributes used to set it initially + * @see https://github.com/js-cookie/js-cookie#basic-usage + */ + remove(locationAttributes) { + import_js_cookie.default.remove(cookieName, locationAttributes); + } + }; +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + createCookieHandler +}); +//# sourceMappingURL=cookie.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.js.map new file mode 100644 index 000000000..9d830c312 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/cookie.ts"],"sourcesContent":["import Cookies from 'js-cookie';\n\ntype LocationAttributes = {\n path?: string;\n domain?: string;\n};\n\nexport function createCookieHandler(cookieName: string) {\n return {\n get() {\n return Cookies.get(cookieName);\n },\n /**\n * Setting a cookie will use some defaults such as path being set to \"/\".\n */\n set(newValue: string, options: Cookies.CookieAttributes = {}): void {\n Cookies.set(cookieName, newValue, options);\n },\n /**\n * On removing a cookie, you have to pass the exact same path/domain attributes used to set it initially\n * @see https://github.com/js-cookie/js-cookie#basic-usage\n */\n remove(locationAttributes?: LocationAttributes) {\n Cookies.remove(cookieName, locationAttributes);\n },\n };\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,uBAAoB;AAOb,SAAS,oBAAoB,YAAoB;AACtD,SAAO;AAAA,IACL,MAAM;AACJ,aAAO,iBAAAA,QAAQ,IAAI,UAAU;AAAA,IAC/B;AAAA;AAAA;AAAA;AAAA,IAIA,IAAI,UAAkB,UAAoC,CAAC,GAAS;AAClE,uBAAAA,QAAQ,IAAI,YAAY,UAAU,OAAO;AAAA,IAC3C;AAAA;AAAA;AAAA;AAAA;AAAA,IAKA,OAAO,oBAAyC;AAC9C,uBAAAA,QAAQ,OAAO,YAAY,kBAAkB;AAAA,IAC/C;AAAA,EACF;AACF;","names":["Cookies"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.mjs new file mode 100644 index 000000000..8b7784a33 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.mjs @@ -0,0 +1,28 @@ +import "./chunk-7ELT755Q.mjs"; + +// src/cookie.ts +import Cookies from "js-cookie"; +function createCookieHandler(cookieName) { + return { + get() { + return Cookies.get(cookieName); + }, + /** + * Setting a cookie will use some defaults such as path being set to "/". + */ + set(newValue, options = {}) { + Cookies.set(cookieName, newValue, options); + }, + /** + * On removing a cookie, you have to pass the exact same path/domain attributes used to set it initially + * @see https://github.com/js-cookie/js-cookie#basic-usage + */ + remove(locationAttributes) { + Cookies.remove(cookieName, locationAttributes); + } + }; +} +export { + createCookieHandler +}; +//# sourceMappingURL=cookie.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.mjs.map new file mode 100644 index 000000000..49678707f --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/cookie.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/cookie.ts"],"sourcesContent":["import Cookies from 'js-cookie';\n\ntype LocationAttributes = {\n path?: string;\n domain?: string;\n};\n\nexport function createCookieHandler(cookieName: string) {\n return {\n get() {\n return Cookies.get(cookieName);\n },\n /**\n * Setting a cookie will use some defaults such as path being set to \"/\".\n */\n set(newValue: string, options: Cookies.CookieAttributes = {}): void {\n Cookies.set(cookieName, newValue, options);\n },\n /**\n * On removing a cookie, you have to pass the exact same path/domain attributes used to set it initially\n * @see https://github.com/js-cookie/js-cookie#basic-usage\n */\n remove(locationAttributes?: LocationAttributes) {\n Cookies.remove(cookieName, locationAttributes);\n },\n };\n}\n"],"mappings":";;;AAAA,OAAO,aAAa;AAOb,SAAS,oBAAoB,YAAoB;AACtD,SAAO;AAAA,IACL,MAAM;AACJ,aAAO,QAAQ,IAAI,UAAU;AAAA,IAC/B;AAAA;AAAA;AAAA;AAAA,IAIA,IAAI,UAAkB,UAAoC,CAAC,GAAS;AAClE,cAAQ,IAAI,YAAY,UAAU,OAAO;AAAA,IAC3C;AAAA;AAAA;AAAA;AAAA;AAAA,IAKA,OAAO,oBAAyC;AAC9C,cAAQ,OAAO,YAAY,kBAAkB;AAAA,IAC/C;AAAA,EACF;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.d.mts new file mode 100644 index 000000000..a53039dea --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.d.mts @@ -0,0 +1,18 @@ +declare function dateTo12HourTime(date: Date): string; +declare function differenceInCalendarDays(a: Date, b: Date, { absolute }?: { + absolute?: boolean | undefined; +}): number; +declare function normalizeDate(d: Date | string | number): Date; +type DateFormatRelativeParams = { + date: Date | string | number; + relativeTo: Date | string | number; +}; +type RelativeDateCase = 'previous6Days' | 'lastDay' | 'sameDay' | 'nextDay' | 'next6Days' | 'other'; +type RelativeDateReturn = { + relativeDateCase: RelativeDateCase; + date: Date; +} | null; +declare function formatRelative(props: DateFormatRelativeParams): RelativeDateReturn; +declare function addYears(initialDate: Date | number | string, yearsToAdd: number): Date; + +export { type RelativeDateCase, addYears, dateTo12HourTime, differenceInCalendarDays, formatRelative, normalizeDate }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.d.ts new file mode 100644 index 000000000..a53039dea --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.d.ts @@ -0,0 +1,18 @@ +declare function dateTo12HourTime(date: Date): string; +declare function differenceInCalendarDays(a: Date, b: Date, { absolute }?: { + absolute?: boolean | undefined; +}): number; +declare function normalizeDate(d: Date | string | number): Date; +type DateFormatRelativeParams = { + date: Date | string | number; + relativeTo: Date | string | number; +}; +type RelativeDateCase = 'previous6Days' | 'lastDay' | 'sameDay' | 'nextDay' | 'next6Days' | 'other'; +type RelativeDateReturn = { + relativeDateCase: RelativeDateCase; + date: Date; +} | null; +declare function formatRelative(props: DateFormatRelativeParams): RelativeDateReturn; +declare function addYears(initialDate: Date | number | string, yearsToAdd: number): Date; + +export { type RelativeDateCase, addYears, dateTo12HourTime, differenceInCalendarDays, formatRelative, normalizeDate }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.js new file mode 100644 index 000000000..37cf4dc47 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.js @@ -0,0 +1,98 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/date.ts +var date_exports = {}; +__export(date_exports, { + addYears: () => addYears, + dateTo12HourTime: () => dateTo12HourTime, + differenceInCalendarDays: () => differenceInCalendarDays, + formatRelative: () => formatRelative, + normalizeDate: () => normalizeDate +}); +module.exports = __toCommonJS(date_exports); +var MILLISECONDS_IN_DAY = 864e5; +function dateTo12HourTime(date) { + if (!date) { + return ""; + } + return date.toLocaleString("en-US", { + hour: "2-digit", + minute: "numeric", + hour12: true + }); +} +function differenceInCalendarDays(a, b, { absolute = true } = {}) { + if (!a || !b) { + return 0; + } + const utcA = Date.UTC(a.getFullYear(), a.getMonth(), a.getDate()); + const utcB = Date.UTC(b.getFullYear(), b.getMonth(), b.getDate()); + const diff = Math.floor((utcB - utcA) / MILLISECONDS_IN_DAY); + return absolute ? Math.abs(diff) : diff; +} +function normalizeDate(d) { + try { + return new Date(d || /* @__PURE__ */ new Date()); + } catch { + return /* @__PURE__ */ new Date(); + } +} +function formatRelative(props) { + const { date, relativeTo } = props; + if (!date || !relativeTo) { + return null; + } + const a = normalizeDate(date); + const b = normalizeDate(relativeTo); + const differenceInDays = differenceInCalendarDays(b, a, { absolute: false }); + if (differenceInDays < -6) { + return { relativeDateCase: "other", date: a }; + } + if (differenceInDays < -1) { + return { relativeDateCase: "previous6Days", date: a }; + } + if (differenceInDays === -1) { + return { relativeDateCase: "lastDay", date: a }; + } + if (differenceInDays === 0) { + return { relativeDateCase: "sameDay", date: a }; + } + if (differenceInDays === 1) { + return { relativeDateCase: "nextDay", date: a }; + } + if (differenceInDays < 7) { + return { relativeDateCase: "next6Days", date: a }; + } + return { relativeDateCase: "other", date: a }; +} +function addYears(initialDate, yearsToAdd) { + const date = normalizeDate(initialDate); + date.setFullYear(date.getFullYear() + yearsToAdd); + return date; +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + addYears, + dateTo12HourTime, + differenceInCalendarDays, + formatRelative, + normalizeDate +}); +//# sourceMappingURL=date.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.js.map new file mode 100644 index 000000000..df40894b6 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/date.ts"],"sourcesContent":["const MILLISECONDS_IN_DAY = 86400000;\n\nexport function dateTo12HourTime(date: Date): string {\n if (!date) {\n return '';\n }\n return date.toLocaleString('en-US', {\n hour: '2-digit',\n minute: 'numeric',\n hour12: true,\n });\n}\n\nexport function differenceInCalendarDays(a: Date, b: Date, { absolute = true } = {}): number {\n if (!a || !b) {\n return 0;\n }\n const utcA = Date.UTC(a.getFullYear(), a.getMonth(), a.getDate());\n const utcB = Date.UTC(b.getFullYear(), b.getMonth(), b.getDate());\n const diff = Math.floor((utcB - utcA) / MILLISECONDS_IN_DAY);\n return absolute ? Math.abs(diff) : diff;\n}\n\nexport function normalizeDate(d: Date | string | number): Date {\n try {\n return new Date(d || new Date());\n } catch {\n return new Date();\n }\n}\n\ntype DateFormatRelativeParams = {\n date: Date | string | number;\n relativeTo: Date | string | number;\n};\n\nexport type RelativeDateCase = 'previous6Days' | 'lastDay' | 'sameDay' | 'nextDay' | 'next6Days' | 'other';\ntype RelativeDateReturn = { relativeDateCase: RelativeDateCase; date: Date } | null;\n\nexport function formatRelative(props: DateFormatRelativeParams): RelativeDateReturn {\n const { date, relativeTo } = props;\n if (!date || !relativeTo) {\n return null;\n }\n const a = normalizeDate(date);\n const b = normalizeDate(relativeTo);\n const differenceInDays = differenceInCalendarDays(b, a, { absolute: false });\n\n if (differenceInDays < -6) {\n return { relativeDateCase: 'other', date: a };\n }\n if (differenceInDays < -1) {\n return { relativeDateCase: 'previous6Days', date: a };\n }\n if (differenceInDays === -1) {\n return { relativeDateCase: 'lastDay', date: a };\n }\n if (differenceInDays === 0) {\n return { relativeDateCase: 'sameDay', date: a };\n }\n if (differenceInDays === 1) {\n return { relativeDateCase: 'nextDay', date: a };\n }\n if (differenceInDays < 7) {\n return { relativeDateCase: 'next6Days', date: a };\n }\n return { relativeDateCase: 'other', date: a };\n}\n\nexport function addYears(initialDate: Date | number | string, yearsToAdd: number): Date {\n const date = normalizeDate(initialDate);\n date.setFullYear(date.getFullYear() + yearsToAdd);\n return date;\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAAM,sBAAsB;AAErB,SAAS,iBAAiB,MAAoB;AACnD,MAAI,CAAC,MAAM;AACT,WAAO;AAAA,EACT;AACA,SAAO,KAAK,eAAe,SAAS;AAAA,IAClC,MAAM;AAAA,IACN,QAAQ;AAAA,IACR,QAAQ;AAAA,EACV,CAAC;AACH;AAEO,SAAS,yBAAyB,GAAS,GAAS,EAAE,WAAW,KAAK,IAAI,CAAC,GAAW;AAC3F,MAAI,CAAC,KAAK,CAAC,GAAG;AACZ,WAAO;AAAA,EACT;AACA,QAAM,OAAO,KAAK,IAAI,EAAE,YAAY,GAAG,EAAE,SAAS,GAAG,EAAE,QAAQ,CAAC;AAChE,QAAM,OAAO,KAAK,IAAI,EAAE,YAAY,GAAG,EAAE,SAAS,GAAG,EAAE,QAAQ,CAAC;AAChE,QAAM,OAAO,KAAK,OAAO,OAAO,QAAQ,mBAAmB;AAC3D,SAAO,WAAW,KAAK,IAAI,IAAI,IAAI;AACrC;AAEO,SAAS,cAAc,GAAiC;AAC7D,MAAI;AACF,WAAO,IAAI,KAAK,KAAK,oBAAI,KAAK,CAAC;AAAA,EACjC,QAAQ;AACN,WAAO,oBAAI,KAAK;AAAA,EAClB;AACF;AAUO,SAAS,eAAe,OAAqD;AAClF,QAAM,EAAE,MAAM,WAAW,IAAI;AAC7B,MAAI,CAAC,QAAQ,CAAC,YAAY;AACxB,WAAO;AAAA,EACT;AACA,QAAM,IAAI,cAAc,IAAI;AAC5B,QAAM,IAAI,cAAc,UAAU;AAClC,QAAM,mBAAmB,yBAAyB,GAAG,GAAG,EAAE,UAAU,MAAM,CAAC;AAE3E,MAAI,mBAAmB,IAAI;AACzB,WAAO,EAAE,kBAAkB,SAAS,MAAM,EAAE;AAAA,EAC9C;AACA,MAAI,mBAAmB,IAAI;AACzB,WAAO,EAAE,kBAAkB,iBAAiB,MAAM,EAAE;AAAA,EACtD;AACA,MAAI,qBAAqB,IAAI;AAC3B,WAAO,EAAE,kBAAkB,WAAW,MAAM,EAAE;AAAA,EAChD;AACA,MAAI,qBAAqB,GAAG;AAC1B,WAAO,EAAE,kBAAkB,WAAW,MAAM,EAAE;AAAA,EAChD;AACA,MAAI,qBAAqB,GAAG;AAC1B,WAAO,EAAE,kBAAkB,WAAW,MAAM,EAAE;AAAA,EAChD;AACA,MAAI,mBAAmB,GAAG;AACxB,WAAO,EAAE,kBAAkB,aAAa,MAAM,EAAE;AAAA,EAClD;AACA,SAAO,EAAE,kBAAkB,SAAS,MAAM,EAAE;AAC9C;AAEO,SAAS,SAAS,aAAqC,YAA0B;AACtF,QAAM,OAAO,cAAc,WAAW;AACtC,OAAK,YAAY,KAAK,YAAY,IAAI,UAAU;AAChD,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.mjs new file mode 100644 index 000000000..77637862a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.mjs @@ -0,0 +1,16 @@ +import { + addYears, + dateTo12HourTime, + differenceInCalendarDays, + formatRelative, + normalizeDate +} from "./chunk-XQNAC75V.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + addYears, + dateTo12HourTime, + differenceInCalendarDays, + formatRelative, + normalizeDate +}; +//# sourceMappingURL=date.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/date.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.d.mts new file mode 100644 index 000000000..85900abf3 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.d.mts @@ -0,0 +1,38 @@ +declare const deprecated: (fnName: string, warning: string, key?: string) => void; +/** + * Mark class property as deprecated. + * + * A console WARNING will be displayed when class property is being accessed. + * + * 1. Deprecate class property + * class Example { + * something: string; + * constructor(something: string) { + * this.something = something; + * } + * } + * + * deprecatedProperty(Example, 'something', 'Use `somethingElse` instead.'); + * + * 2. Deprecate class static property + * class Example { + * static something: string; + * } + * + * deprecatedProperty(Example, 'something', 'Use `somethingElse` instead.', true); + */ +type AnyClass = new (...args: any[]) => any; +declare const deprecatedProperty: (cls: AnyClass, propName: string, warning: string, isStatic?: boolean) => void; +/** + * Mark object property as deprecated. + * + * A console WARNING will be displayed when object property is being accessed. + * + * 1. Deprecate object property + * const obj = { something: 'aloha' }; + * + * deprecatedObjectProperty(obj, 'something', 'Use `somethingElse` instead.'); + */ +declare const deprecatedObjectProperty: (obj: Record, propName: string, warning: string, key?: string) => void; + +export { deprecated, deprecatedObjectProperty, deprecatedProperty }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.d.ts new file mode 100644 index 000000000..85900abf3 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.d.ts @@ -0,0 +1,38 @@ +declare const deprecated: (fnName: string, warning: string, key?: string) => void; +/** + * Mark class property as deprecated. + * + * A console WARNING will be displayed when class property is being accessed. + * + * 1. Deprecate class property + * class Example { + * something: string; + * constructor(something: string) { + * this.something = something; + * } + * } + * + * deprecatedProperty(Example, 'something', 'Use `somethingElse` instead.'); + * + * 2. Deprecate class static property + * class Example { + * static something: string; + * } + * + * deprecatedProperty(Example, 'something', 'Use `somethingElse` instead.', true); + */ +type AnyClass = new (...args: any[]) => any; +declare const deprecatedProperty: (cls: AnyClass, propName: string, warning: string, isStatic?: boolean) => void; +/** + * Mark object property as deprecated. + * + * A console WARNING will be displayed when object property is being accessed. + * + * 1. Deprecate object property + * const obj = { something: 'aloha' }; + * + * deprecatedObjectProperty(obj, 'something', 'Use `somethingElse` instead.'); + */ +declare const deprecatedObjectProperty: (obj: Record, propName: string, warning: string, key?: string) => void; + +export { deprecated, deprecatedObjectProperty, deprecatedProperty }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.js new file mode 100644 index 000000000..4d1867806 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.js @@ -0,0 +1,90 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/deprecated.ts +var deprecated_exports = {}; +__export(deprecated_exports, { + deprecated: () => deprecated, + deprecatedObjectProperty: () => deprecatedObjectProperty, + deprecatedProperty: () => deprecatedProperty +}); +module.exports = __toCommonJS(deprecated_exports); + +// src/utils/runtimeEnvironment.ts +var isTestEnvironment = () => { + try { + return process.env.NODE_ENV === "test"; + } catch { + } + return false; +}; +var isProductionEnvironment = () => { + try { + return process.env.NODE_ENV === "production"; + } catch { + } + return false; +}; + +// src/deprecated.ts +var displayedWarnings = /* @__PURE__ */ new Set(); +var deprecated = (fnName, warning, key) => { + const hideWarning = isTestEnvironment() || isProductionEnvironment(); + const messageId = key ?? fnName; + if (displayedWarnings.has(messageId) || hideWarning) { + return; + } + displayedWarnings.add(messageId); + console.warn( + `Clerk - DEPRECATION WARNING: "${fnName}" is deprecated and will be removed in the next major release. +${warning}` + ); +}; +var deprecatedProperty = (cls, propName, warning, isStatic = false) => { + const target = isStatic ? cls : cls.prototype; + let value = target[propName]; + Object.defineProperty(target, propName, { + get() { + deprecated(propName, warning, `${cls.name}:${propName}`); + return value; + }, + set(v) { + value = v; + } + }); +}; +var deprecatedObjectProperty = (obj, propName, warning, key) => { + let value = obj[propName]; + Object.defineProperty(obj, propName, { + get() { + deprecated(propName, warning, key); + return value; + }, + set(v) { + value = v; + } + }); +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + deprecated, + deprecatedObjectProperty, + deprecatedProperty +}); +//# sourceMappingURL=deprecated.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.js.map new file mode 100644 index 000000000..039859179 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/deprecated.ts","../src/utils/runtimeEnvironment.ts"],"sourcesContent":["import { isProductionEnvironment, isTestEnvironment } from './utils/runtimeEnvironment';\n/**\n * Mark class method / function as deprecated.\n *\n * A console WARNING will be displayed when class method / function is invoked.\n *\n * Examples\n * 1. Deprecate class method\n * class Example {\n * getSomething = (arg1, arg2) => {\n * deprecated('Example.getSomething', 'Use `getSomethingElse` instead.');\n * return `getSomethingValue:${arg1 || '-'}:${arg2 || '-'}`;\n * };\n * }\n *\n * 2. Deprecate function\n * const getSomething = () => {\n * deprecated('getSomething', 'Use `getSomethingElse` instead.');\n * return 'getSomethingValue';\n * };\n */\nconst displayedWarnings = new Set();\nexport const deprecated = (fnName: string, warning: string, key?: string): void => {\n const hideWarning = isTestEnvironment() || isProductionEnvironment();\n const messageId = key ?? fnName;\n if (displayedWarnings.has(messageId) || hideWarning) {\n return;\n }\n displayedWarnings.add(messageId);\n\n console.warn(\n `Clerk - DEPRECATION WARNING: \"${fnName}\" is deprecated and will be removed in the next major release.\\n${warning}`,\n );\n};\n/**\n * Mark class property as deprecated.\n *\n * A console WARNING will be displayed when class property is being accessed.\n *\n * 1. Deprecate class property\n * class Example {\n * something: string;\n * constructor(something: string) {\n * this.something = something;\n * }\n * }\n *\n * deprecatedProperty(Example, 'something', 'Use `somethingElse` instead.');\n *\n * 2. Deprecate class static property\n * class Example {\n * static something: string;\n * }\n *\n * deprecatedProperty(Example, 'something', 'Use `somethingElse` instead.', true);\n */\ntype AnyClass = new (...args: any[]) => any;\n\nexport const deprecatedProperty = (cls: AnyClass, propName: string, warning: string, isStatic = false): void => {\n const target = isStatic ? cls : cls.prototype;\n\n let value = target[propName];\n Object.defineProperty(target, propName, {\n get() {\n deprecated(propName, warning, `${cls.name}:${propName}`);\n return value;\n },\n set(v: unknown) {\n value = v;\n },\n });\n};\n\n/**\n * Mark object property as deprecated.\n *\n * A console WARNING will be displayed when object property is being accessed.\n *\n * 1. Deprecate object property\n * const obj = { something: 'aloha' };\n *\n * deprecatedObjectProperty(obj, 'something', 'Use `somethingElse` instead.');\n */\nexport const deprecatedObjectProperty = (\n obj: Record,\n propName: string,\n warning: string,\n key?: string,\n): void => {\n let value = obj[propName];\n Object.defineProperty(obj, propName, {\n get() {\n deprecated(propName, warning, key);\n return value;\n },\n set(v: unknown) {\n value = v;\n },\n });\n};\n","export const isDevelopmentEnvironment = (): boolean => {\n try {\n return process.env.NODE_ENV === 'development';\n // eslint-disable-next-line no-empty\n } catch {}\n\n // TODO: add support for import.meta.env.DEV that is being used by vite\n\n return false;\n};\n\nexport const isTestEnvironment = (): boolean => {\n try {\n return process.env.NODE_ENV === 'test';\n // eslint-disable-next-line no-empty\n } catch {}\n\n // TODO: add support for import.meta.env.DEV that is being used by vite\n return false;\n};\n\nexport const isProductionEnvironment = (): boolean => {\n try {\n return process.env.NODE_ENV === 'production';\n // eslint-disable-next-line no-empty\n } catch {}\n\n // TODO: add support for import.meta.env.DEV that is being used by vite\n return false;\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACWO,IAAM,oBAAoB,MAAe;AAC9C,MAAI;AACF,WAAO,QAAQ,IAAI,aAAa;AAAA,EAElC,QAAQ;AAAA,EAAC;AAGT,SAAO;AACT;AAEO,IAAM,0BAA0B,MAAe;AACpD,MAAI;AACF,WAAO,QAAQ,IAAI,aAAa;AAAA,EAElC,QAAQ;AAAA,EAAC;AAGT,SAAO;AACT;;;ADRA,IAAM,oBAAoB,oBAAI,IAAY;AACnC,IAAM,aAAa,CAAC,QAAgB,SAAiB,QAAuB;AACjF,QAAM,cAAc,kBAAkB,KAAK,wBAAwB;AACnE,QAAM,YAAY,OAAO;AACzB,MAAI,kBAAkB,IAAI,SAAS,KAAK,aAAa;AACnD;AAAA,EACF;AACA,oBAAkB,IAAI,SAAS;AAE/B,UAAQ;AAAA,IACN,iCAAiC,MAAM;AAAA,EAAmE,OAAO;AAAA,EACnH;AACF;AAyBO,IAAM,qBAAqB,CAAC,KAAe,UAAkB,SAAiB,WAAW,UAAgB;AAC9G,QAAM,SAAS,WAAW,MAAM,IAAI;AAEpC,MAAI,QAAQ,OAAO,QAAQ;AAC3B,SAAO,eAAe,QAAQ,UAAU;AAAA,IACtC,MAAM;AACJ,iBAAW,UAAU,SAAS,GAAG,IAAI,IAAI,IAAI,QAAQ,EAAE;AACvD,aAAO;AAAA,IACT;AAAA,IACA,IAAI,GAAY;AACd,cAAQ;AAAA,IACV;AAAA,EACF,CAAC;AACH;AAYO,IAAM,2BAA2B,CACtC,KACA,UACA,SACA,QACS;AACT,MAAI,QAAQ,IAAI,QAAQ;AACxB,SAAO,eAAe,KAAK,UAAU;AAAA,IACnC,MAAM;AACJ,iBAAW,UAAU,SAAS,GAAG;AACjC,aAAO;AAAA,IACT;AAAA,IACA,IAAI,GAAY;AACd,cAAQ;AAAA,IACV;AAAA,EACF,CAAC;AACH;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.mjs new file mode 100644 index 000000000..f9c082bf5 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.mjs @@ -0,0 +1,13 @@ +import { + deprecated, + deprecatedObjectProperty, + deprecatedProperty +} from "./chunk-UEY4AZIP.mjs"; +import "./chunk-7HPDNZ3R.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + deprecated, + deprecatedObjectProperty, + deprecatedProperty +}; +//# sourceMappingURL=deprecated.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deprecated.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.d.mts new file mode 100644 index 000000000..3fe8e6a1a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.d.mts @@ -0,0 +1,21 @@ +import * as _clerk_types from '@clerk/types'; +import { Resources, InitialState, UserResource, SignedInSessionResource, OrganizationResource } from '@clerk/types'; + +/** + * Derives authentication state based on the current rendering context (SSR or client-side). + */ +declare const deriveState: (clerkLoaded: boolean, state: Resources, initialState: InitialState | undefined) => { + userId: string | null | undefined; + user: UserResource | null | undefined; + sessionId: string | null | undefined; + session: SignedInSessionResource | null | undefined; + organization: OrganizationResource | null | undefined; + orgId: string | null | undefined; + orgRole: string | null | undefined; + orgSlug: string | null | undefined; + orgPermissions: _clerk_types.Autocomplete<_clerk_types.OrganizationSystemPermissionKey, string>[] | null | undefined; + actor: _clerk_types.ActJWTClaim | null | undefined; + factorVerificationAge: [number, number] | null; +}; + +export { deriveState }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.d.ts new file mode 100644 index 000000000..3fe8e6a1a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.d.ts @@ -0,0 +1,21 @@ +import * as _clerk_types from '@clerk/types'; +import { Resources, InitialState, UserResource, SignedInSessionResource, OrganizationResource } from '@clerk/types'; + +/** + * Derives authentication state based on the current rendering context (SSR or client-side). + */ +declare const deriveState: (clerkLoaded: boolean, state: Resources, initialState: InitialState | undefined) => { + userId: string | null | undefined; + user: UserResource | null | undefined; + sessionId: string | null | undefined; + session: SignedInSessionResource | null | undefined; + organization: OrganizationResource | null | undefined; + orgId: string | null | undefined; + orgRole: string | null | undefined; + orgSlug: string | null | undefined; + orgPermissions: _clerk_types.Autocomplete<_clerk_types.OrganizationSystemPermissionKey, string>[] | null | undefined; + actor: _clerk_types.ActJWTClaim | null | undefined; + factorVerificationAge: [number, number] | null; +}; + +export { deriveState }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.js new file mode 100644 index 000000000..a056f5f8a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.js @@ -0,0 +1,89 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/deriveState.ts +var deriveState_exports = {}; +__export(deriveState_exports, { + deriveState: () => deriveState +}); +module.exports = __toCommonJS(deriveState_exports); +var deriveState = (clerkLoaded, state, initialState) => { + if (!clerkLoaded && initialState) { + return deriveFromSsrInitialState(initialState); + } + return deriveFromClientSideState(state); +}; +var deriveFromSsrInitialState = (initialState) => { + const userId = initialState.userId; + const user = initialState.user; + const sessionId = initialState.sessionId; + const session = initialState.session; + const organization = initialState.organization; + const orgId = initialState.orgId; + const orgRole = initialState.orgRole; + const orgPermissions = initialState.orgPermissions; + const orgSlug = initialState.orgSlug; + const actor = initialState.actor; + const factorVerificationAge = initialState.factorVerificationAge; + return { + userId, + user, + sessionId, + session, + organization, + orgId, + orgRole, + orgPermissions, + orgSlug, + actor, + factorVerificationAge + }; +}; +var deriveFromClientSideState = (state) => { + const userId = state.user ? state.user.id : state.user; + const user = state.user; + const sessionId = state.session ? state.session.id : state.session; + const session = state.session; + const factorVerificationAge = state.session ? state.session.factorVerificationAge : null; + const actor = session?.actor; + const organization = state.organization; + const orgId = state.organization ? state.organization.id : state.organization; + const orgSlug = organization?.slug; + const membership = organization ? user?.organizationMemberships?.find((om) => om.organization.id === orgId) : organization; + const orgPermissions = membership ? membership.permissions : membership; + const orgRole = membership ? membership.role : membership; + return { + userId, + user, + sessionId, + session, + organization, + orgId, + orgRole, + orgSlug, + orgPermissions, + actor, + factorVerificationAge + }; +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + deriveState +}); +//# sourceMappingURL=deriveState.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.js.map new file mode 100644 index 000000000..37ea70506 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/deriveState.ts"],"sourcesContent":["import type {\n InitialState,\n OrganizationCustomPermissionKey,\n OrganizationCustomRoleKey,\n OrganizationResource,\n Resources,\n SignedInSessionResource,\n UserResource,\n} from '@clerk/types';\n\n/**\n * Derives authentication state based on the current rendering context (SSR or client-side).\n */\nexport const deriveState = (clerkLoaded: boolean, state: Resources, initialState: InitialState | undefined) => {\n if (!clerkLoaded && initialState) {\n return deriveFromSsrInitialState(initialState);\n }\n return deriveFromClientSideState(state);\n};\n\nconst deriveFromSsrInitialState = (initialState: InitialState) => {\n const userId = initialState.userId;\n const user = initialState.user as UserResource;\n const sessionId = initialState.sessionId;\n const session = initialState.session as SignedInSessionResource;\n const organization = initialState.organization as OrganizationResource;\n const orgId = initialState.orgId;\n const orgRole = initialState.orgRole as OrganizationCustomRoleKey;\n const orgPermissions = initialState.orgPermissions as OrganizationCustomPermissionKey[];\n const orgSlug = initialState.orgSlug;\n const actor = initialState.actor;\n const factorVerificationAge = initialState.factorVerificationAge;\n\n return {\n userId,\n user,\n sessionId,\n session,\n organization,\n orgId,\n orgRole,\n orgPermissions,\n orgSlug,\n actor,\n factorVerificationAge,\n };\n};\n\nconst deriveFromClientSideState = (state: Resources) => {\n const userId: string | null | undefined = state.user ? state.user.id : state.user;\n const user = state.user;\n const sessionId: string | null | undefined = state.session ? state.session.id : state.session;\n const session = state.session;\n const factorVerificationAge: [number, number] | null = state.session ? state.session.factorVerificationAge : null;\n const actor = session?.actor;\n const organization = state.organization;\n const orgId: string | null | undefined = state.organization ? state.organization.id : state.organization;\n const orgSlug = organization?.slug;\n const membership = organization\n ? user?.organizationMemberships?.find(om => om.organization.id === orgId)\n : organization;\n const orgPermissions = membership ? membership.permissions : membership;\n const orgRole = membership ? membership.role : membership;\n\n return {\n userId,\n user,\n sessionId,\n session,\n organization,\n orgId,\n orgRole,\n orgSlug,\n orgPermissions,\n actor,\n factorVerificationAge,\n };\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAaO,IAAM,cAAc,CAAC,aAAsB,OAAkB,iBAA2C;AAC7G,MAAI,CAAC,eAAe,cAAc;AAChC,WAAO,0BAA0B,YAAY;AAAA,EAC/C;AACA,SAAO,0BAA0B,KAAK;AACxC;AAEA,IAAM,4BAA4B,CAAC,iBAA+B;AAChE,QAAM,SAAS,aAAa;AAC5B,QAAM,OAAO,aAAa;AAC1B,QAAM,YAAY,aAAa;AAC/B,QAAM,UAAU,aAAa;AAC7B,QAAM,eAAe,aAAa;AAClC,QAAM,QAAQ,aAAa;AAC3B,QAAM,UAAU,aAAa;AAC7B,QAAM,iBAAiB,aAAa;AACpC,QAAM,UAAU,aAAa;AAC7B,QAAM,QAAQ,aAAa;AAC3B,QAAM,wBAAwB,aAAa;AAE3C,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AACF;AAEA,IAAM,4BAA4B,CAAC,UAAqB;AACtD,QAAM,SAAoC,MAAM,OAAO,MAAM,KAAK,KAAK,MAAM;AAC7E,QAAM,OAAO,MAAM;AACnB,QAAM,YAAuC,MAAM,UAAU,MAAM,QAAQ,KAAK,MAAM;AACtF,QAAM,UAAU,MAAM;AACtB,QAAM,wBAAiD,MAAM,UAAU,MAAM,QAAQ,wBAAwB;AAC7G,QAAM,QAAQ,SAAS;AACvB,QAAM,eAAe,MAAM;AAC3B,QAAM,QAAmC,MAAM,eAAe,MAAM,aAAa,KAAK,MAAM;AAC5F,QAAM,UAAU,cAAc;AAC9B,QAAM,aAAa,eACf,MAAM,yBAAyB,KAAK,QAAM,GAAG,aAAa,OAAO,KAAK,IACtE;AACJ,QAAM,iBAAiB,aAAa,WAAW,cAAc;AAC7D,QAAM,UAAU,aAAa,WAAW,OAAO;AAE/C,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.mjs new file mode 100644 index 000000000..642bf8a03 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.mjs @@ -0,0 +1,8 @@ +import { + deriveState +} from "./chunk-TTPTJY6P.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + deriveState +}; +//# sourceMappingURL=deriveState.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/deriveState.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.d.mts new file mode 100644 index 000000000..85311275a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.d.mts @@ -0,0 +1,11 @@ +declare const DEV_BROWSER_JWT_KEY = "__clerk_db_jwt"; +declare const DEV_BROWSER_JWT_HEADER = "Clerk-Db-Jwt"; +declare function setDevBrowserJWTInURL(url: URL, jwt: string): URL; +/** + * Gets the __clerk_db_jwt JWT from either the hash or the search + * Side effect: + * Removes __clerk_db_jwt JWT from the URL (hash and searchParams) and updates the browser history + */ +declare function extractDevBrowserJWTFromURL(url: URL): string; + +export { DEV_BROWSER_JWT_HEADER, DEV_BROWSER_JWT_KEY, extractDevBrowserJWTFromURL, setDevBrowserJWTInURL }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.d.ts new file mode 100644 index 000000000..85311275a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.d.ts @@ -0,0 +1,11 @@ +declare const DEV_BROWSER_JWT_KEY = "__clerk_db_jwt"; +declare const DEV_BROWSER_JWT_HEADER = "Clerk-Db-Jwt"; +declare function setDevBrowserJWTInURL(url: URL, jwt: string): URL; +/** + * Gets the __clerk_db_jwt JWT from either the hash or the search + * Side effect: + * Removes __clerk_db_jwt JWT from the URL (hash and searchParams) and updates the browser history + */ +declare function extractDevBrowserJWTFromURL(url: URL): string; + +export { DEV_BROWSER_JWT_HEADER, DEV_BROWSER_JWT_KEY, extractDevBrowserJWTFromURL, setDevBrowserJWTInURL }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.js new file mode 100644 index 000000000..11d4e5b72 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.js @@ -0,0 +1,78 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/devBrowser.ts +var devBrowser_exports = {}; +__export(devBrowser_exports, { + DEV_BROWSER_JWT_HEADER: () => DEV_BROWSER_JWT_HEADER, + DEV_BROWSER_JWT_KEY: () => DEV_BROWSER_JWT_KEY, + extractDevBrowserJWTFromURL: () => extractDevBrowserJWTFromURL, + setDevBrowserJWTInURL: () => setDevBrowserJWTInURL +}); +module.exports = __toCommonJS(devBrowser_exports); +var DEV_BROWSER_JWT_KEY = "__clerk_db_jwt"; +var DEV_BROWSER_JWT_HEADER = "Clerk-Db-Jwt"; +function setDevBrowserJWTInURL(url, jwt) { + const resultURL = new URL(url); + const jwtFromSearch = resultURL.searchParams.get(DEV_BROWSER_JWT_KEY); + resultURL.searchParams.delete(DEV_BROWSER_JWT_KEY); + const jwtToSet = jwtFromSearch || jwt; + if (jwtToSet) { + resultURL.searchParams.set(DEV_BROWSER_JWT_KEY, jwtToSet); + } + return resultURL; +} +function extractDevBrowserJWTFromURL(url) { + const jwt = readDevBrowserJwtFromSearchParams(url); + const cleanUrl = removeDevBrowserJwt(url); + if (cleanUrl.href !== url.href && typeof globalThis.history !== "undefined") { + globalThis.history.replaceState(null, "", removeDevBrowserJwt(url)); + } + return jwt; +} +var readDevBrowserJwtFromSearchParams = (url) => { + return url.searchParams.get(DEV_BROWSER_JWT_KEY) || ""; +}; +var removeDevBrowserJwt = (url) => { + return removeDevBrowserJwtFromURLSearchParams(removeLegacyDevBrowserJwt(url)); +}; +var removeDevBrowserJwtFromURLSearchParams = (_url) => { + const url = new URL(_url); + url.searchParams.delete(DEV_BROWSER_JWT_KEY); + return url; +}; +var removeLegacyDevBrowserJwt = (_url) => { + const DEV_BROWSER_JWT_MARKER_REGEXP = /__clerk_db_jwt\[(.*)\]/; + const DEV_BROWSER_JWT_LEGACY_KEY = "__dev_session"; + const url = new URL(_url); + url.searchParams.delete(DEV_BROWSER_JWT_LEGACY_KEY); + url.hash = decodeURI(url.hash).replace(DEV_BROWSER_JWT_MARKER_REGEXP, ""); + if (url.href.endsWith("#")) { + url.hash = ""; + } + return url; +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + DEV_BROWSER_JWT_HEADER, + DEV_BROWSER_JWT_KEY, + extractDevBrowserJWTFromURL, + setDevBrowserJWTInURL +}); +//# sourceMappingURL=devBrowser.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.js.map new file mode 100644 index 000000000..6dea9dc51 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/devBrowser.ts"],"sourcesContent":["export const DEV_BROWSER_JWT_KEY = '__clerk_db_jwt';\nexport const DEV_BROWSER_JWT_HEADER = 'Clerk-Db-Jwt';\n\n// Sets the dev_browser JWT in the hash or the search\nexport function setDevBrowserJWTInURL(url: URL, jwt: string): URL {\n const resultURL = new URL(url);\n\n // extract & strip existing jwt from search\n const jwtFromSearch = resultURL.searchParams.get(DEV_BROWSER_JWT_KEY);\n resultURL.searchParams.delete(DEV_BROWSER_JWT_KEY);\n\n // Existing jwt takes precedence\n const jwtToSet = jwtFromSearch || jwt;\n\n if (jwtToSet) {\n resultURL.searchParams.set(DEV_BROWSER_JWT_KEY, jwtToSet);\n }\n\n return resultURL;\n}\n\n/**\n * Gets the __clerk_db_jwt JWT from either the hash or the search\n * Side effect:\n * Removes __clerk_db_jwt JWT from the URL (hash and searchParams) and updates the browser history\n */\nexport function extractDevBrowserJWTFromURL(url: URL): string {\n const jwt = readDevBrowserJwtFromSearchParams(url);\n const cleanUrl = removeDevBrowserJwt(url);\n if (cleanUrl.href !== url.href && typeof globalThis.history !== 'undefined') {\n globalThis.history.replaceState(null, '', removeDevBrowserJwt(url));\n }\n return jwt;\n}\n\nconst readDevBrowserJwtFromSearchParams = (url: URL) => {\n return url.searchParams.get(DEV_BROWSER_JWT_KEY) || '';\n};\n\nconst removeDevBrowserJwt = (url: URL) => {\n return removeDevBrowserJwtFromURLSearchParams(removeLegacyDevBrowserJwt(url));\n};\n\nconst removeDevBrowserJwtFromURLSearchParams = (_url: URL) => {\n const url = new URL(_url);\n url.searchParams.delete(DEV_BROWSER_JWT_KEY);\n return url;\n};\n\n/**\n * Removes the __clerk_db_jwt JWT from the URL hash, as well as\n * the legacy __dev_session JWT from the URL searchParams\n * We no longer need to use this value, however, we should remove it from the URL\n * Existing v4 apps will write the JWT to the hash and the search params in order to ensure\n * backwards compatibility with older v4 apps.\n * The only use case where this is needed now is when a user upgrades to clerk@5 locally\n * without changing the component's version on their dashboard.\n * In this scenario, the AP@4 -> localhost@5 redirect will still have the JWT in the hash,\n * in which case we need to remove it.\n */\nconst removeLegacyDevBrowserJwt = (_url: URL) => {\n const DEV_BROWSER_JWT_MARKER_REGEXP = /__clerk_db_jwt\\[(.*)\\]/;\n const DEV_BROWSER_JWT_LEGACY_KEY = '__dev_session';\n const url = new URL(_url);\n url.searchParams.delete(DEV_BROWSER_JWT_LEGACY_KEY);\n url.hash = decodeURI(url.hash).replace(DEV_BROWSER_JWT_MARKER_REGEXP, '');\n if (url.href.endsWith('#')) {\n url.hash = '';\n }\n return url;\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAO,IAAM,sBAAsB;AAC5B,IAAM,yBAAyB;AAG/B,SAAS,sBAAsB,KAAU,KAAkB;AAChE,QAAM,YAAY,IAAI,IAAI,GAAG;AAG7B,QAAM,gBAAgB,UAAU,aAAa,IAAI,mBAAmB;AACpE,YAAU,aAAa,OAAO,mBAAmB;AAGjD,QAAM,WAAW,iBAAiB;AAElC,MAAI,UAAU;AACZ,cAAU,aAAa,IAAI,qBAAqB,QAAQ;AAAA,EAC1D;AAEA,SAAO;AACT;AAOO,SAAS,4BAA4B,KAAkB;AAC5D,QAAM,MAAM,kCAAkC,GAAG;AACjD,QAAM,WAAW,oBAAoB,GAAG;AACxC,MAAI,SAAS,SAAS,IAAI,QAAQ,OAAO,WAAW,YAAY,aAAa;AAC3E,eAAW,QAAQ,aAAa,MAAM,IAAI,oBAAoB,GAAG,CAAC;AAAA,EACpE;AACA,SAAO;AACT;AAEA,IAAM,oCAAoC,CAAC,QAAa;AACtD,SAAO,IAAI,aAAa,IAAI,mBAAmB,KAAK;AACtD;AAEA,IAAM,sBAAsB,CAAC,QAAa;AACxC,SAAO,uCAAuC,0BAA0B,GAAG,CAAC;AAC9E;AAEA,IAAM,yCAAyC,CAAC,SAAc;AAC5D,QAAM,MAAM,IAAI,IAAI,IAAI;AACxB,MAAI,aAAa,OAAO,mBAAmB;AAC3C,SAAO;AACT;AAaA,IAAM,4BAA4B,CAAC,SAAc;AAC/C,QAAM,gCAAgC;AACtC,QAAM,6BAA6B;AACnC,QAAM,MAAM,IAAI,IAAI,IAAI;AACxB,MAAI,aAAa,OAAO,0BAA0B;AAClD,MAAI,OAAO,UAAU,IAAI,IAAI,EAAE,QAAQ,+BAA+B,EAAE;AACxE,MAAI,IAAI,KAAK,SAAS,GAAG,GAAG;AAC1B,QAAI,OAAO;AAAA,EACb;AACA,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.mjs new file mode 100644 index 000000000..13ecf386b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.mjs @@ -0,0 +1,14 @@ +import { + DEV_BROWSER_JWT_HEADER, + DEV_BROWSER_JWT_KEY, + extractDevBrowserJWTFromURL, + setDevBrowserJWTInURL +} from "./chunk-K64INQ4C.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + DEV_BROWSER_JWT_HEADER, + DEV_BROWSER_JWT_KEY, + extractDevBrowserJWTFromURL, + setDevBrowserJWTInURL +}; +//# sourceMappingURL=devBrowser.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/devBrowser.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.d.mts new file mode 100644 index 000000000..16316b9e7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.d.mts @@ -0,0 +1 @@ +export { waitForElement } from './waitForElement.mjs'; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.d.ts new file mode 100644 index 000000000..58d0008dd --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.d.ts @@ -0,0 +1 @@ +export { waitForElement } from './waitForElement.js'; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.js new file mode 100644 index 000000000..03e35314f --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.js @@ -0,0 +1,46 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/dom/index.ts +var dom_exports = {}; +__export(dom_exports, { + waitForElement: () => waitForElement +}); +module.exports = __toCommonJS(dom_exports); + +// src/dom/waitForElement.ts +function waitForElement(selector) { + return new Promise((resolve) => { + if (document.querySelector(selector)) { + return resolve(document.querySelector(selector)); + } + const observer = new MutationObserver(() => { + if (document.querySelector(selector)) { + observer.disconnect(); + resolve(document.querySelector(selector)); + } + }); + observer.observe(document.body, { childList: true, subtree: true }); + }); +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + waitForElement +}); +//# sourceMappingURL=index.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.js.map new file mode 100644 index 000000000..034cbefc6 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../../src/dom/index.ts","../../src/dom/waitForElement.ts"],"sourcesContent":["export { waitForElement } from './waitForElement';\n","/**\n * Uses a MutationObserver to wait for an element to be added to the DOM.\n */\nexport function waitForElement(selector: string): Promise {\n return new Promise(resolve => {\n if (document.querySelector(selector)) {\n return resolve(document.querySelector(selector) as HTMLElement);\n }\n\n const observer = new MutationObserver(() => {\n if (document.querySelector(selector)) {\n observer.disconnect();\n resolve(document.querySelector(selector) as HTMLElement);\n }\n });\n\n observer.observe(document.body, { childList: true, subtree: true });\n });\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACGO,SAAS,eAAe,UAA+C;AAC5E,SAAO,IAAI,QAAQ,aAAW;AAC5B,QAAI,SAAS,cAAc,QAAQ,GAAG;AACpC,aAAO,QAAQ,SAAS,cAAc,QAAQ,CAAgB;AAAA,IAChE;AAEA,UAAM,WAAW,IAAI,iBAAiB,MAAM;AAC1C,UAAI,SAAS,cAAc,QAAQ,GAAG;AACpC,iBAAS,WAAW;AACpB,gBAAQ,SAAS,cAAc,QAAQ,CAAgB;AAAA,MACzD;AAAA,IACF,CAAC;AAED,aAAS,QAAQ,SAAS,MAAM,EAAE,WAAW,MAAM,SAAS,KAAK,CAAC;AAAA,EACpE,CAAC;AACH;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.mjs new file mode 100644 index 000000000..bbf9a86ed --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.mjs @@ -0,0 +1,8 @@ +import { + waitForElement +} from "../chunk-MBKM7LRV.mjs"; +import "../chunk-7ELT755Q.mjs"; +export { + waitForElement +}; +//# sourceMappingURL=index.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/index.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.d.mts new file mode 100644 index 000000000..d4d4f85a2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.d.mts @@ -0,0 +1,6 @@ +/** + * Uses a MutationObserver to wait for an element to be added to the DOM. + */ +declare function waitForElement(selector: string): Promise; + +export { waitForElement }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.d.ts new file mode 100644 index 000000000..d4d4f85a2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.d.ts @@ -0,0 +1,6 @@ +/** + * Uses a MutationObserver to wait for an element to be added to the DOM. + */ +declare function waitForElement(selector: string): Promise; + +export { waitForElement }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.js new file mode 100644 index 000000000..121c5c5c2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.js @@ -0,0 +1,44 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/dom/waitForElement.ts +var waitForElement_exports = {}; +__export(waitForElement_exports, { + waitForElement: () => waitForElement +}); +module.exports = __toCommonJS(waitForElement_exports); +function waitForElement(selector) { + return new Promise((resolve) => { + if (document.querySelector(selector)) { + return resolve(document.querySelector(selector)); + } + const observer = new MutationObserver(() => { + if (document.querySelector(selector)) { + observer.disconnect(); + resolve(document.querySelector(selector)); + } + }); + observer.observe(document.body, { childList: true, subtree: true }); + }); +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + waitForElement +}); +//# sourceMappingURL=waitForElement.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.js.map new file mode 100644 index 000000000..617248d7a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../../src/dom/waitForElement.ts"],"sourcesContent":["/**\n * Uses a MutationObserver to wait for an element to be added to the DOM.\n */\nexport function waitForElement(selector: string): Promise {\n return new Promise(resolve => {\n if (document.querySelector(selector)) {\n return resolve(document.querySelector(selector) as HTMLElement);\n }\n\n const observer = new MutationObserver(() => {\n if (document.querySelector(selector)) {\n observer.disconnect();\n resolve(document.querySelector(selector) as HTMLElement);\n }\n });\n\n observer.observe(document.body, { childList: true, subtree: true });\n });\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAGO,SAAS,eAAe,UAA+C;AAC5E,SAAO,IAAI,QAAQ,aAAW;AAC5B,QAAI,SAAS,cAAc,QAAQ,GAAG;AACpC,aAAO,QAAQ,SAAS,cAAc,QAAQ,CAAgB;AAAA,IAChE;AAEA,UAAM,WAAW,IAAI,iBAAiB,MAAM;AAC1C,UAAI,SAAS,cAAc,QAAQ,GAAG;AACpC,iBAAS,WAAW;AACpB,gBAAQ,SAAS,cAAc,QAAQ,CAAgB;AAAA,MACzD;AAAA,IACF,CAAC;AAED,aAAS,QAAQ,SAAS,MAAM,EAAE,WAAW,MAAM,SAAS,KAAK,CAAC;AAAA,EACpE,CAAC;AACH;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.mjs new file mode 100644 index 000000000..7852044b5 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.mjs @@ -0,0 +1,8 @@ +import { + waitForElement +} from "../chunk-MBKM7LRV.mjs"; +import "../chunk-7ELT755Q.mjs"; +export { + waitForElement +}; +//# sourceMappingURL=waitForElement.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/dom/waitForElement.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.d.mts new file mode 100644 index 000000000..18806774a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.d.mts @@ -0,0 +1,143 @@ +import { ClerkAPIErrorJSON, ClerkAPIError } from '@clerk/types'; + +declare function isUnauthorizedError(e: any): boolean; +declare function isCaptchaError(e: ClerkAPIResponseError): boolean; +declare function is4xxError(e: any): boolean; +declare function isNetworkError(e: any): boolean; +interface ClerkAPIResponseOptions { + data: ClerkAPIErrorJSON[]; + status: number; + clerkTraceId?: string; +} +interface MetamaskError extends Error { + code: 4001 | 32602 | 32603; + message: string; + data?: unknown; +} +declare function isKnownError(error: any): error is ClerkAPIResponseError | ClerkRuntimeError | MetamaskError; +declare function isClerkAPIResponseError(err: any): err is ClerkAPIResponseError; +/** + * Checks if the provided error object is an instance of ClerkRuntimeError. + * + * @param {any} err - The error object to check. + * @returns {boolean} True if the error is a ClerkRuntimeError, false otherwise. + * + * @example + * const error = new ClerkRuntimeError('An error occurred'); + * if (isClerkRuntimeError(error)) { + * // Handle ClerkRuntimeError + * console.error('ClerkRuntimeError:', error.message); + * } else { + * // Handle other errors + * console.error('Other error:', error.message); + * } + */ +declare function isClerkRuntimeError(err: any): err is ClerkRuntimeError; +declare function isMetamaskError(err: any): err is MetamaskError; +declare function isUserLockedError(err: any): boolean; +declare function isPasswordPwnedError(err: any): boolean; +declare function parseErrors(data?: ClerkAPIErrorJSON[]): ClerkAPIError[]; +declare function parseError(error: ClerkAPIErrorJSON): ClerkAPIError; +declare function errorToJSON(error: ClerkAPIError | null): ClerkAPIErrorJSON; +declare class ClerkAPIResponseError extends Error { + clerkError: true; + status: number; + message: string; + clerkTraceId?: string; + errors: ClerkAPIError[]; + constructor(message: string, { data, status, clerkTraceId }: ClerkAPIResponseOptions); + toString: () => string; +} +/** + * Custom error class for representing Clerk runtime errors. + * + * @class ClerkRuntimeError + * @example + * throw new ClerkRuntimeError('An error occurred', { code: 'password_invalid' }); + */ +declare class ClerkRuntimeError extends Error { + clerkRuntimeError: true; + /** + * The error message. + * + * @type {string} + * @memberof ClerkRuntimeError + */ + message: string; + /** + * A unique code identifying the error, can be used for localization. + * + * @type {string} + * @memberof ClerkRuntimeError + */ + code: string; + constructor(message: string, { code }: { + code: string; + }); + /** + * Returns a string representation of the error. + * + * @returns {string} A formatted string with the error name and message. + * @memberof ClerkRuntimeError + */ + toString: () => string; +} +declare class EmailLinkError extends Error { + code: string; + constructor(code: string); +} +declare function isEmailLinkError(err: Error): err is EmailLinkError; +/** @deprecated Please use `EmailLinkErrorCodeStatus` instead.*/ +declare const EmailLinkErrorCode: { + Expired: string; + Failed: string; + ClientMismatch: string; +}; +declare const EmailLinkErrorCodeStatus: { + readonly Expired: "expired"; + readonly Failed: "failed"; + readonly ClientMismatch: "client_mismatch"; +}; +declare const DefaultMessages: Readonly<{ + InvalidProxyUrlErrorMessage: "The proxyUrl passed to Clerk is invalid. The expected value for proxyUrl is an absolute URL or a relative path with a leading '/'. (key={{url}})"; + InvalidPublishableKeyErrorMessage: "The publishableKey passed to Clerk is invalid. You can get your Publishable key at https://dashboard.clerk.com/last-active?path=api-keys. (key={{key}})"; + MissingPublishableKeyErrorMessage: "Missing publishableKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys."; + MissingSecretKeyErrorMessage: "Missing secretKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys."; + MissingClerkProvider: "{{source}} can only be used within the component. Learn more: https://clerk.com/docs/components/clerk-provider"; +}>; +type MessageKeys = keyof typeof DefaultMessages; +type Messages = Record; +type CustomMessages = Partial; +type ErrorThrowerOptions = { + packageName: string; + customMessages?: CustomMessages; +}; +interface ErrorThrower { + setPackageName(options: ErrorThrowerOptions): ErrorThrower; + setMessages(options: ErrorThrowerOptions): ErrorThrower; + throwInvalidPublishableKeyError(params: { + key?: string; + }): never; + throwInvalidProxyUrl(params: { + url?: string; + }): never; + throwMissingPublishableKeyError(): never; + throwMissingSecretKeyError(): never; + throwMissingClerkProviderError(params: { + source?: string; + }): never; + throw(message: string): never; +} +declare function buildErrorThrower({ packageName, customMessages }: ErrorThrowerOptions): ErrorThrower; +type ClerkWebAuthnErrorCode = 'passkey_not_supported' | 'passkey_pa_not_supported' | 'passkey_invalid_rpID_or_domain' | 'passkey_already_exists' | 'passkey_operation_aborted' | 'passkey_retrieval_cancelled' | 'passkey_retrieval_failed' | 'passkey_registration_cancelled' | 'passkey_registration_failed'; +declare class ClerkWebAuthnError extends ClerkRuntimeError { + /** + * A unique code identifying the error, can be used for localization. + */ + code: ClerkWebAuthnErrorCode; + constructor(message: string, { code }: { + code: ClerkWebAuthnErrorCode; + }); +} + +export { ClerkAPIResponseError, ClerkRuntimeError, ClerkWebAuthnError, EmailLinkError, EmailLinkErrorCode, EmailLinkErrorCodeStatus, type ErrorThrower, type ErrorThrowerOptions, type MetamaskError, buildErrorThrower, errorToJSON, is4xxError, isCaptchaError, isClerkAPIResponseError, isClerkRuntimeError, isEmailLinkError, isKnownError, isMetamaskError, isNetworkError, isPasswordPwnedError, isUnauthorizedError, isUserLockedError, parseError, parseErrors }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.d.ts new file mode 100644 index 000000000..18806774a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.d.ts @@ -0,0 +1,143 @@ +import { ClerkAPIErrorJSON, ClerkAPIError } from '@clerk/types'; + +declare function isUnauthorizedError(e: any): boolean; +declare function isCaptchaError(e: ClerkAPIResponseError): boolean; +declare function is4xxError(e: any): boolean; +declare function isNetworkError(e: any): boolean; +interface ClerkAPIResponseOptions { + data: ClerkAPIErrorJSON[]; + status: number; + clerkTraceId?: string; +} +interface MetamaskError extends Error { + code: 4001 | 32602 | 32603; + message: string; + data?: unknown; +} +declare function isKnownError(error: any): error is ClerkAPIResponseError | ClerkRuntimeError | MetamaskError; +declare function isClerkAPIResponseError(err: any): err is ClerkAPIResponseError; +/** + * Checks if the provided error object is an instance of ClerkRuntimeError. + * + * @param {any} err - The error object to check. + * @returns {boolean} True if the error is a ClerkRuntimeError, false otherwise. + * + * @example + * const error = new ClerkRuntimeError('An error occurred'); + * if (isClerkRuntimeError(error)) { + * // Handle ClerkRuntimeError + * console.error('ClerkRuntimeError:', error.message); + * } else { + * // Handle other errors + * console.error('Other error:', error.message); + * } + */ +declare function isClerkRuntimeError(err: any): err is ClerkRuntimeError; +declare function isMetamaskError(err: any): err is MetamaskError; +declare function isUserLockedError(err: any): boolean; +declare function isPasswordPwnedError(err: any): boolean; +declare function parseErrors(data?: ClerkAPIErrorJSON[]): ClerkAPIError[]; +declare function parseError(error: ClerkAPIErrorJSON): ClerkAPIError; +declare function errorToJSON(error: ClerkAPIError | null): ClerkAPIErrorJSON; +declare class ClerkAPIResponseError extends Error { + clerkError: true; + status: number; + message: string; + clerkTraceId?: string; + errors: ClerkAPIError[]; + constructor(message: string, { data, status, clerkTraceId }: ClerkAPIResponseOptions); + toString: () => string; +} +/** + * Custom error class for representing Clerk runtime errors. + * + * @class ClerkRuntimeError + * @example + * throw new ClerkRuntimeError('An error occurred', { code: 'password_invalid' }); + */ +declare class ClerkRuntimeError extends Error { + clerkRuntimeError: true; + /** + * The error message. + * + * @type {string} + * @memberof ClerkRuntimeError + */ + message: string; + /** + * A unique code identifying the error, can be used for localization. + * + * @type {string} + * @memberof ClerkRuntimeError + */ + code: string; + constructor(message: string, { code }: { + code: string; + }); + /** + * Returns a string representation of the error. + * + * @returns {string} A formatted string with the error name and message. + * @memberof ClerkRuntimeError + */ + toString: () => string; +} +declare class EmailLinkError extends Error { + code: string; + constructor(code: string); +} +declare function isEmailLinkError(err: Error): err is EmailLinkError; +/** @deprecated Please use `EmailLinkErrorCodeStatus` instead.*/ +declare const EmailLinkErrorCode: { + Expired: string; + Failed: string; + ClientMismatch: string; +}; +declare const EmailLinkErrorCodeStatus: { + readonly Expired: "expired"; + readonly Failed: "failed"; + readonly ClientMismatch: "client_mismatch"; +}; +declare const DefaultMessages: Readonly<{ + InvalidProxyUrlErrorMessage: "The proxyUrl passed to Clerk is invalid. The expected value for proxyUrl is an absolute URL or a relative path with a leading '/'. (key={{url}})"; + InvalidPublishableKeyErrorMessage: "The publishableKey passed to Clerk is invalid. You can get your Publishable key at https://dashboard.clerk.com/last-active?path=api-keys. (key={{key}})"; + MissingPublishableKeyErrorMessage: "Missing publishableKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys."; + MissingSecretKeyErrorMessage: "Missing secretKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys."; + MissingClerkProvider: "{{source}} can only be used within the component. Learn more: https://clerk.com/docs/components/clerk-provider"; +}>; +type MessageKeys = keyof typeof DefaultMessages; +type Messages = Record; +type CustomMessages = Partial; +type ErrorThrowerOptions = { + packageName: string; + customMessages?: CustomMessages; +}; +interface ErrorThrower { + setPackageName(options: ErrorThrowerOptions): ErrorThrower; + setMessages(options: ErrorThrowerOptions): ErrorThrower; + throwInvalidPublishableKeyError(params: { + key?: string; + }): never; + throwInvalidProxyUrl(params: { + url?: string; + }): never; + throwMissingPublishableKeyError(): never; + throwMissingSecretKeyError(): never; + throwMissingClerkProviderError(params: { + source?: string; + }): never; + throw(message: string): never; +} +declare function buildErrorThrower({ packageName, customMessages }: ErrorThrowerOptions): ErrorThrower; +type ClerkWebAuthnErrorCode = 'passkey_not_supported' | 'passkey_pa_not_supported' | 'passkey_invalid_rpID_or_domain' | 'passkey_already_exists' | 'passkey_operation_aborted' | 'passkey_retrieval_cancelled' | 'passkey_retrieval_failed' | 'passkey_registration_cancelled' | 'passkey_registration_failed'; +declare class ClerkWebAuthnError extends ClerkRuntimeError { + /** + * A unique code identifying the error, can be used for localization. + */ + code: ClerkWebAuthnErrorCode; + constructor(message: string, { code }: { + code: ClerkWebAuthnErrorCode; + }); +} + +export { ClerkAPIResponseError, ClerkRuntimeError, ClerkWebAuthnError, EmailLinkError, EmailLinkErrorCode, EmailLinkErrorCodeStatus, type ErrorThrower, type ErrorThrowerOptions, type MetamaskError, buildErrorThrower, errorToJSON, is4xxError, isCaptchaError, isClerkAPIResponseError, isClerkRuntimeError, isEmailLinkError, isKnownError, isMetamaskError, isNetworkError, isPasswordPwnedError, isUnauthorizedError, isUserLockedError, parseError, parseErrors }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.js new file mode 100644 index 000000000..b817f509f --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.js @@ -0,0 +1,269 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/error.ts +var error_exports = {}; +__export(error_exports, { + ClerkAPIResponseError: () => ClerkAPIResponseError, + ClerkRuntimeError: () => ClerkRuntimeError, + ClerkWebAuthnError: () => ClerkWebAuthnError, + EmailLinkError: () => EmailLinkError, + EmailLinkErrorCode: () => EmailLinkErrorCode, + EmailLinkErrorCodeStatus: () => EmailLinkErrorCodeStatus, + buildErrorThrower: () => buildErrorThrower, + errorToJSON: () => errorToJSON, + is4xxError: () => is4xxError, + isCaptchaError: () => isCaptchaError, + isClerkAPIResponseError: () => isClerkAPIResponseError, + isClerkRuntimeError: () => isClerkRuntimeError, + isEmailLinkError: () => isEmailLinkError, + isKnownError: () => isKnownError, + isMetamaskError: () => isMetamaskError, + isNetworkError: () => isNetworkError, + isPasswordPwnedError: () => isPasswordPwnedError, + isUnauthorizedError: () => isUnauthorizedError, + isUserLockedError: () => isUserLockedError, + parseError: () => parseError, + parseErrors: () => parseErrors +}); +module.exports = __toCommonJS(error_exports); +function isUnauthorizedError(e) { + const status = e?.status; + const code = e?.errors?.[0]?.code; + return code === "authentication_invalid" && status === 401; +} +function isCaptchaError(e) { + return ["captcha_invalid", "captcha_not_enabled", "captcha_missing_token"].includes(e.errors[0].code); +} +function is4xxError(e) { + const status = e?.status; + return !!status && status >= 400 && status < 500; +} +function isNetworkError(e) { + const message = (`${e.message}${e.name}` || "").toLowerCase().replace(/\s+/g, ""); + return message.includes("networkerror"); +} +function isKnownError(error) { + return isClerkAPIResponseError(error) || isMetamaskError(error) || isClerkRuntimeError(error); +} +function isClerkAPIResponseError(err) { + return "clerkError" in err; +} +function isClerkRuntimeError(err) { + return "clerkRuntimeError" in err; +} +function isMetamaskError(err) { + return "code" in err && [4001, 32602, 32603].includes(err.code) && "message" in err; +} +function isUserLockedError(err) { + return isClerkAPIResponseError(err) && err.errors?.[0]?.code === "user_locked"; +} +function isPasswordPwnedError(err) { + return isClerkAPIResponseError(err) && err.errors?.[0]?.code === "form_password_pwned"; +} +function parseErrors(data = []) { + return data.length > 0 ? data.map(parseError) : []; +} +function parseError(error) { + return { + code: error.code, + message: error.message, + longMessage: error.long_message, + meta: { + paramName: error?.meta?.param_name, + sessionId: error?.meta?.session_id, + emailAddresses: error?.meta?.email_addresses, + identifiers: error?.meta?.identifiers, + zxcvbn: error?.meta?.zxcvbn + } + }; +} +function errorToJSON(error) { + return { + code: error?.code || "", + message: error?.message || "", + long_message: error?.longMessage, + meta: { + param_name: error?.meta?.paramName, + session_id: error?.meta?.sessionId, + email_addresses: error?.meta?.emailAddresses, + identifiers: error?.meta?.identifiers, + zxcvbn: error?.meta?.zxcvbn + } + }; +} +var ClerkAPIResponseError = class _ClerkAPIResponseError extends Error { + constructor(message, { data, status, clerkTraceId }) { + super(message); + this.toString = () => { + let message = `[${this.name}] +Message:${this.message} +Status:${this.status} +Serialized errors: ${this.errors.map( + (e) => JSON.stringify(e) + )}`; + if (this.clerkTraceId) { + message += ` +Clerk Trace ID: ${this.clerkTraceId}`; + } + return message; + }; + Object.setPrototypeOf(this, _ClerkAPIResponseError.prototype); + this.status = status; + this.message = message; + this.clerkTraceId = clerkTraceId; + this.clerkError = true; + this.errors = parseErrors(data); + } +}; +var ClerkRuntimeError = class _ClerkRuntimeError extends Error { + constructor(message, { code }) { + const prefix = "\u{1F512} Clerk:"; + const regex = new RegExp(prefix.replace(" ", "\\s*"), "i"); + const sanitized = message.replace(regex, ""); + const _message = `${prefix} ${sanitized.trim()} + +(code="${code}") +`; + super(_message); + /** + * Returns a string representation of the error. + * + * @returns {string} A formatted string with the error name and message. + * @memberof ClerkRuntimeError + */ + this.toString = () => { + return `[${this.name}] +Message:${this.message}`; + }; + Object.setPrototypeOf(this, _ClerkRuntimeError.prototype); + this.code = code; + this.message = _message; + this.clerkRuntimeError = true; + this.name = "ClerkRuntimeError"; + } +}; +var EmailLinkError = class _EmailLinkError extends Error { + constructor(code) { + super(code); + this.code = code; + this.name = "EmailLinkError"; + Object.setPrototypeOf(this, _EmailLinkError.prototype); + } +}; +function isEmailLinkError(err) { + return err.name === "EmailLinkError"; +} +var EmailLinkErrorCode = { + Expired: "expired", + Failed: "failed", + ClientMismatch: "client_mismatch" +}; +var EmailLinkErrorCodeStatus = { + Expired: "expired", + Failed: "failed", + ClientMismatch: "client_mismatch" +}; +var DefaultMessages = Object.freeze({ + InvalidProxyUrlErrorMessage: `The proxyUrl passed to Clerk is invalid. The expected value for proxyUrl is an absolute URL or a relative path with a leading '/'. (key={{url}})`, + InvalidPublishableKeyErrorMessage: `The publishableKey passed to Clerk is invalid. You can get your Publishable key at https://dashboard.clerk.com/last-active?path=api-keys. (key={{key}})`, + MissingPublishableKeyErrorMessage: `Missing publishableKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`, + MissingSecretKeyErrorMessage: `Missing secretKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`, + MissingClerkProvider: `{{source}} can only be used within the component. Learn more: https://clerk.com/docs/components/clerk-provider` +}); +function buildErrorThrower({ packageName, customMessages }) { + let pkg = packageName; + const messages = { + ...DefaultMessages, + ...customMessages + }; + function buildMessage(rawMessage, replacements) { + if (!replacements) { + return `${pkg}: ${rawMessage}`; + } + let msg = rawMessage; + const matches = rawMessage.matchAll(/{{([a-zA-Z0-9-_]+)}}/g); + for (const match of matches) { + const replacement = (replacements[match[1]] || "").toString(); + msg = msg.replace(`{{${match[1]}}}`, replacement); + } + return `${pkg}: ${msg}`; + } + return { + setPackageName({ packageName: packageName2 }) { + if (typeof packageName2 === "string") { + pkg = packageName2; + } + return this; + }, + setMessages({ customMessages: customMessages2 }) { + Object.assign(messages, customMessages2 || {}); + return this; + }, + throwInvalidPublishableKeyError(params) { + throw new Error(buildMessage(messages.InvalidPublishableKeyErrorMessage, params)); + }, + throwInvalidProxyUrl(params) { + throw new Error(buildMessage(messages.InvalidProxyUrlErrorMessage, params)); + }, + throwMissingPublishableKeyError() { + throw new Error(buildMessage(messages.MissingPublishableKeyErrorMessage)); + }, + throwMissingSecretKeyError() { + throw new Error(buildMessage(messages.MissingSecretKeyErrorMessage)); + }, + throwMissingClerkProviderError(params) { + throw new Error(buildMessage(messages.MissingClerkProvider, params)); + }, + throw(message) { + throw new Error(buildMessage(message)); + } + }; +} +var ClerkWebAuthnError = class extends ClerkRuntimeError { + constructor(message, { code }) { + super(message, { code }); + this.code = code; + } +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + ClerkAPIResponseError, + ClerkRuntimeError, + ClerkWebAuthnError, + EmailLinkError, + EmailLinkErrorCode, + EmailLinkErrorCodeStatus, + buildErrorThrower, + errorToJSON, + is4xxError, + isCaptchaError, + isClerkAPIResponseError, + isClerkRuntimeError, + isEmailLinkError, + isKnownError, + isMetamaskError, + isNetworkError, + isPasswordPwnedError, + isUnauthorizedError, + isUserLockedError, + parseError, + parseErrors +}); +//# sourceMappingURL=error.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.js.map new file mode 100644 index 000000000..cc3236d54 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/error.ts"],"sourcesContent":["import type { ClerkAPIError, ClerkAPIErrorJSON } from '@clerk/types';\n\nexport function isUnauthorizedError(e: any): boolean {\n const status = e?.status;\n const code = e?.errors?.[0]?.code;\n return code === 'authentication_invalid' && status === 401;\n}\n\nexport function isCaptchaError(e: ClerkAPIResponseError): boolean {\n return ['captcha_invalid', 'captcha_not_enabled', 'captcha_missing_token'].includes(e.errors[0].code);\n}\n\nexport function is4xxError(e: any): boolean {\n const status = e?.status;\n return !!status && status >= 400 && status < 500;\n}\n\nexport function isNetworkError(e: any): boolean {\n // TODO: revise during error handling epic\n const message = (`${e.message}${e.name}` || '').toLowerCase().replace(/\\s+/g, '');\n return message.includes('networkerror');\n}\n\ninterface ClerkAPIResponseOptions {\n data: ClerkAPIErrorJSON[];\n status: number;\n clerkTraceId?: string;\n}\n\n// For a comprehensive Metamask error list, please see\n// https://docs.metamask.io/guide/ethereum-provider.html#errors\nexport interface MetamaskError extends Error {\n code: 4001 | 32602 | 32603;\n message: string;\n data?: unknown;\n}\n\nexport function isKnownError(error: any): error is ClerkAPIResponseError | ClerkRuntimeError | MetamaskError {\n return isClerkAPIResponseError(error) || isMetamaskError(error) || isClerkRuntimeError(error);\n}\n\nexport function isClerkAPIResponseError(err: any): err is ClerkAPIResponseError {\n return 'clerkError' in err;\n}\n\n/**\n * Checks if the provided error object is an instance of ClerkRuntimeError.\n *\n * @param {any} err - The error object to check.\n * @returns {boolean} True if the error is a ClerkRuntimeError, false otherwise.\n *\n * @example\n * const error = new ClerkRuntimeError('An error occurred');\n * if (isClerkRuntimeError(error)) {\n * // Handle ClerkRuntimeError\n * console.error('ClerkRuntimeError:', error.message);\n * } else {\n * // Handle other errors\n * console.error('Other error:', error.message);\n * }\n */\nexport function isClerkRuntimeError(err: any): err is ClerkRuntimeError {\n return 'clerkRuntimeError' in err;\n}\n\nexport function isMetamaskError(err: any): err is MetamaskError {\n return 'code' in err && [4001, 32602, 32603].includes(err.code) && 'message' in err;\n}\n\nexport function isUserLockedError(err: any) {\n return isClerkAPIResponseError(err) && err.errors?.[0]?.code === 'user_locked';\n}\n\nexport function isPasswordPwnedError(err: any) {\n return isClerkAPIResponseError(err) && err.errors?.[0]?.code === 'form_password_pwned';\n}\n\nexport function parseErrors(data: ClerkAPIErrorJSON[] = []): ClerkAPIError[] {\n return data.length > 0 ? data.map(parseError) : [];\n}\n\nexport function parseError(error: ClerkAPIErrorJSON): ClerkAPIError {\n return {\n code: error.code,\n message: error.message,\n longMessage: error.long_message,\n meta: {\n paramName: error?.meta?.param_name,\n sessionId: error?.meta?.session_id,\n emailAddresses: error?.meta?.email_addresses,\n identifiers: error?.meta?.identifiers,\n zxcvbn: error?.meta?.zxcvbn,\n },\n };\n}\n\nexport function errorToJSON(error: ClerkAPIError | null): ClerkAPIErrorJSON {\n return {\n code: error?.code || '',\n message: error?.message || '',\n long_message: error?.longMessage,\n meta: {\n param_name: error?.meta?.paramName,\n session_id: error?.meta?.sessionId,\n email_addresses: error?.meta?.emailAddresses,\n identifiers: error?.meta?.identifiers,\n zxcvbn: error?.meta?.zxcvbn,\n },\n };\n}\n\nexport class ClerkAPIResponseError extends Error {\n clerkError: true;\n\n status: number;\n message: string;\n clerkTraceId?: string;\n\n errors: ClerkAPIError[];\n\n constructor(message: string, { data, status, clerkTraceId }: ClerkAPIResponseOptions) {\n super(message);\n\n Object.setPrototypeOf(this, ClerkAPIResponseError.prototype);\n\n this.status = status;\n this.message = message;\n this.clerkTraceId = clerkTraceId;\n this.clerkError = true;\n this.errors = parseErrors(data);\n }\n\n public toString = () => {\n let message = `[${this.name}]\\nMessage:${this.message}\\nStatus:${this.status}\\nSerialized errors: ${this.errors.map(\n e => JSON.stringify(e),\n )}`;\n\n if (this.clerkTraceId) {\n message += `\\nClerk Trace ID: ${this.clerkTraceId}`;\n }\n\n return message;\n };\n}\n\n/**\n * Custom error class for representing Clerk runtime errors.\n *\n * @class ClerkRuntimeError\n * @example\n * throw new ClerkRuntimeError('An error occurred', { code: 'password_invalid' });\n */\nexport class ClerkRuntimeError extends Error {\n clerkRuntimeError: true;\n\n /**\n * The error message.\n *\n * @type {string}\n * @memberof ClerkRuntimeError\n */\n message: string;\n\n /**\n * A unique code identifying the error, can be used for localization.\n *\n * @type {string}\n * @memberof ClerkRuntimeError\n */\n code: string;\n\n constructor(message: string, { code }: { code: string }) {\n const prefix = '🔒 Clerk:';\n const regex = new RegExp(prefix.replace(' ', '\\\\s*'), 'i');\n const sanitized = message.replace(regex, '');\n const _message = `${prefix} ${sanitized.trim()}\\n\\n(code=\"${code}\")\\n`;\n super(_message);\n\n Object.setPrototypeOf(this, ClerkRuntimeError.prototype);\n\n this.code = code;\n this.message = _message;\n this.clerkRuntimeError = true;\n this.name = 'ClerkRuntimeError';\n }\n\n /**\n * Returns a string representation of the error.\n *\n * @returns {string} A formatted string with the error name and message.\n * @memberof ClerkRuntimeError\n */\n public toString = () => {\n return `[${this.name}]\\nMessage:${this.message}`;\n };\n}\n\nexport class EmailLinkError extends Error {\n code: string;\n\n constructor(code: string) {\n super(code);\n this.code = code;\n this.name = 'EmailLinkError' as const;\n Object.setPrototypeOf(this, EmailLinkError.prototype);\n }\n}\n\nexport function isEmailLinkError(err: Error): err is EmailLinkError {\n return err.name === 'EmailLinkError';\n}\n\n/** @deprecated Please use `EmailLinkErrorCodeStatus` instead.*/\nexport const EmailLinkErrorCode = {\n Expired: 'expired',\n Failed: 'failed',\n ClientMismatch: 'client_mismatch',\n};\n\nexport const EmailLinkErrorCodeStatus = {\n Expired: 'expired',\n Failed: 'failed',\n ClientMismatch: 'client_mismatch',\n} as const;\n\nconst DefaultMessages = Object.freeze({\n InvalidProxyUrlErrorMessage: `The proxyUrl passed to Clerk is invalid. The expected value for proxyUrl is an absolute URL or a relative path with a leading '/'. (key={{url}})`,\n InvalidPublishableKeyErrorMessage: `The publishableKey passed to Clerk is invalid. You can get your Publishable key at https://dashboard.clerk.com/last-active?path=api-keys. (key={{key}})`,\n MissingPublishableKeyErrorMessage: `Missing publishableKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`,\n MissingSecretKeyErrorMessage: `Missing secretKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`,\n MissingClerkProvider: `{{source}} can only be used within the component. Learn more: https://clerk.com/docs/components/clerk-provider`,\n});\n\ntype MessageKeys = keyof typeof DefaultMessages;\n\ntype Messages = Record;\n\ntype CustomMessages = Partial;\n\nexport type ErrorThrowerOptions = {\n packageName: string;\n customMessages?: CustomMessages;\n};\n\nexport interface ErrorThrower {\n setPackageName(options: ErrorThrowerOptions): ErrorThrower;\n\n setMessages(options: ErrorThrowerOptions): ErrorThrower;\n\n throwInvalidPublishableKeyError(params: { key?: string }): never;\n\n throwInvalidProxyUrl(params: { url?: string }): never;\n\n throwMissingPublishableKeyError(): never;\n\n throwMissingSecretKeyError(): never;\n\n throwMissingClerkProviderError(params: { source?: string }): never;\n\n throw(message: string): never;\n}\n\nexport function buildErrorThrower({ packageName, customMessages }: ErrorThrowerOptions): ErrorThrower {\n let pkg = packageName;\n\n const messages = {\n ...DefaultMessages,\n ...customMessages,\n };\n\n function buildMessage(rawMessage: string, replacements?: Record) {\n if (!replacements) {\n return `${pkg}: ${rawMessage}`;\n }\n\n let msg = rawMessage;\n const matches = rawMessage.matchAll(/{{([a-zA-Z0-9-_]+)}}/g);\n\n for (const match of matches) {\n const replacement = (replacements[match[1]] || '').toString();\n msg = msg.replace(`{{${match[1]}}}`, replacement);\n }\n\n return `${pkg}: ${msg}`;\n }\n\n return {\n setPackageName({ packageName }: ErrorThrowerOptions): ErrorThrower {\n if (typeof packageName === 'string') {\n pkg = packageName;\n }\n return this;\n },\n\n setMessages({ customMessages }: ErrorThrowerOptions): ErrorThrower {\n Object.assign(messages, customMessages || {});\n return this;\n },\n\n throwInvalidPublishableKeyError(params: { key?: string }): never {\n throw new Error(buildMessage(messages.InvalidPublishableKeyErrorMessage, params));\n },\n\n throwInvalidProxyUrl(params: { url?: string }): never {\n throw new Error(buildMessage(messages.InvalidProxyUrlErrorMessage, params));\n },\n\n throwMissingPublishableKeyError(): never {\n throw new Error(buildMessage(messages.MissingPublishableKeyErrorMessage));\n },\n\n throwMissingSecretKeyError(): never {\n throw new Error(buildMessage(messages.MissingSecretKeyErrorMessage));\n },\n\n throwMissingClerkProviderError(params: { source?: string }): never {\n throw new Error(buildMessage(messages.MissingClerkProvider, params));\n },\n\n throw(message: string): never {\n throw new Error(buildMessage(message));\n },\n };\n}\n\ntype ClerkWebAuthnErrorCode =\n // Generic\n | 'passkey_not_supported'\n | 'passkey_pa_not_supported'\n | 'passkey_invalid_rpID_or_domain'\n | 'passkey_already_exists'\n | 'passkey_operation_aborted'\n // Retrieval\n | 'passkey_retrieval_cancelled'\n | 'passkey_retrieval_failed'\n // Registration\n | 'passkey_registration_cancelled'\n | 'passkey_registration_failed';\n\nexport class ClerkWebAuthnError extends ClerkRuntimeError {\n /**\n * A unique code identifying the error, can be used for localization.\n */\n code: ClerkWebAuthnErrorCode;\n\n constructor(message: string, { code }: { code: ClerkWebAuthnErrorCode }) {\n super(message, { code });\n this.code = code;\n }\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAEO,SAAS,oBAAoB,GAAiB;AACnD,QAAM,SAAS,GAAG;AAClB,QAAM,OAAO,GAAG,SAAS,CAAC,GAAG;AAC7B,SAAO,SAAS,4BAA4B,WAAW;AACzD;AAEO,SAAS,eAAe,GAAmC;AAChE,SAAO,CAAC,mBAAmB,uBAAuB,uBAAuB,EAAE,SAAS,EAAE,OAAO,CAAC,EAAE,IAAI;AACtG;AAEO,SAAS,WAAW,GAAiB;AAC1C,QAAM,SAAS,GAAG;AAClB,SAAO,CAAC,CAAC,UAAU,UAAU,OAAO,SAAS;AAC/C;AAEO,SAAS,eAAe,GAAiB;AAE9C,QAAM,WAAW,GAAG,EAAE,OAAO,GAAG,EAAE,IAAI,MAAM,IAAI,YAAY,EAAE,QAAQ,QAAQ,EAAE;AAChF,SAAO,QAAQ,SAAS,cAAc;AACxC;AAgBO,SAAS,aAAa,OAAgF;AAC3G,SAAO,wBAAwB,KAAK,KAAK,gBAAgB,KAAK,KAAK,oBAAoB,KAAK;AAC9F;AAEO,SAAS,wBAAwB,KAAwC;AAC9E,SAAO,gBAAgB;AACzB;AAkBO,SAAS,oBAAoB,KAAoC;AACtE,SAAO,uBAAuB;AAChC;AAEO,SAAS,gBAAgB,KAAgC;AAC9D,SAAO,UAAU,OAAO,CAAC,MAAM,OAAO,KAAK,EAAE,SAAS,IAAI,IAAI,KAAK,aAAa;AAClF;AAEO,SAAS,kBAAkB,KAAU;AAC1C,SAAO,wBAAwB,GAAG,KAAK,IAAI,SAAS,CAAC,GAAG,SAAS;AACnE;AAEO,SAAS,qBAAqB,KAAU;AAC7C,SAAO,wBAAwB,GAAG,KAAK,IAAI,SAAS,CAAC,GAAG,SAAS;AACnE;AAEO,SAAS,YAAY,OAA4B,CAAC,GAAoB;AAC3E,SAAO,KAAK,SAAS,IAAI,KAAK,IAAI,UAAU,IAAI,CAAC;AACnD;AAEO,SAAS,WAAW,OAAyC;AAClE,SAAO;AAAA,IACL,MAAM,MAAM;AAAA,IACZ,SAAS,MAAM;AAAA,IACf,aAAa,MAAM;AAAA,IACnB,MAAM;AAAA,MACJ,WAAW,OAAO,MAAM;AAAA,MACxB,WAAW,OAAO,MAAM;AAAA,MACxB,gBAAgB,OAAO,MAAM;AAAA,MAC7B,aAAa,OAAO,MAAM;AAAA,MAC1B,QAAQ,OAAO,MAAM;AAAA,IACvB;AAAA,EACF;AACF;AAEO,SAAS,YAAY,OAAgD;AAC1E,SAAO;AAAA,IACL,MAAM,OAAO,QAAQ;AAAA,IACrB,SAAS,OAAO,WAAW;AAAA,IAC3B,cAAc,OAAO;AAAA,IACrB,MAAM;AAAA,MACJ,YAAY,OAAO,MAAM;AAAA,MACzB,YAAY,OAAO,MAAM;AAAA,MACzB,iBAAiB,OAAO,MAAM;AAAA,MAC9B,aAAa,OAAO,MAAM;AAAA,MAC1B,QAAQ,OAAO,MAAM;AAAA,IACvB;AAAA,EACF;AACF;AAEO,IAAM,wBAAN,MAAM,+BAA8B,MAAM;AAAA,EAS/C,YAAY,SAAiB,EAAE,MAAM,QAAQ,aAAa,GAA4B;AACpF,UAAM,OAAO;AAWf,SAAO,WAAW,MAAM;AACtB,UAAI,UAAU,IAAI,KAAK,IAAI;AAAA,UAAc,KAAK,OAAO;AAAA,SAAY,KAAK,MAAM;AAAA,qBAAwB,KAAK,OAAO;AAAA,QAC9G,OAAK,KAAK,UAAU,CAAC;AAAA,MACvB,CAAC;AAED,UAAI,KAAK,cAAc;AACrB,mBAAW;AAAA,kBAAqB,KAAK,YAAY;AAAA,MACnD;AAEA,aAAO;AAAA,IACT;AAnBE,WAAO,eAAe,MAAM,uBAAsB,SAAS;AAE3D,SAAK,SAAS;AACd,SAAK,UAAU;AACf,SAAK,eAAe;AACpB,SAAK,aAAa;AAClB,SAAK,SAAS,YAAY,IAAI;AAAA,EAChC;AAaF;AASO,IAAM,oBAAN,MAAM,2BAA0B,MAAM;AAAA,EAmB3C,YAAY,SAAiB,EAAE,KAAK,GAAqB;AACvD,UAAM,SAAS;AACf,UAAM,QAAQ,IAAI,OAAO,OAAO,QAAQ,KAAK,MAAM,GAAG,GAAG;AACzD,UAAM,YAAY,QAAQ,QAAQ,OAAO,EAAE;AAC3C,UAAM,WAAW,GAAG,MAAM,IAAI,UAAU,KAAK,CAAC;AAAA;AAAA,SAAc,IAAI;AAAA;AAChE,UAAM,QAAQ;AAgBhB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,SAAO,WAAW,MAAM;AACtB,aAAO,IAAI,KAAK,IAAI;AAAA,UAAc,KAAK,OAAO;AAAA,IAChD;AAhBE,WAAO,eAAe,MAAM,mBAAkB,SAAS;AAEvD,SAAK,OAAO;AACZ,SAAK,UAAU;AACf,SAAK,oBAAoB;AACzB,SAAK,OAAO;AAAA,EACd;AAWF;AAEO,IAAM,iBAAN,MAAM,wBAAuB,MAAM;AAAA,EAGxC,YAAY,MAAc;AACxB,UAAM,IAAI;AACV,SAAK,OAAO;AACZ,SAAK,OAAO;AACZ,WAAO,eAAe,MAAM,gBAAe,SAAS;AAAA,EACtD;AACF;AAEO,SAAS,iBAAiB,KAAmC;AAClE,SAAO,IAAI,SAAS;AACtB;AAGO,IAAM,qBAAqB;AAAA,EAChC,SAAS;AAAA,EACT,QAAQ;AAAA,EACR,gBAAgB;AAClB;AAEO,IAAM,2BAA2B;AAAA,EACtC,SAAS;AAAA,EACT,QAAQ;AAAA,EACR,gBAAgB;AAClB;AAEA,IAAM,kBAAkB,OAAO,OAAO;AAAA,EACpC,6BAA6B;AAAA,EAC7B,mCAAmC;AAAA,EACnC,mCAAmC;AAAA,EACnC,8BAA8B;AAAA,EAC9B,sBAAsB;AACxB,CAAC;AA+BM,SAAS,kBAAkB,EAAE,aAAa,eAAe,GAAsC;AACpG,MAAI,MAAM;AAEV,QAAM,WAAW;AAAA,IACf,GAAG;AAAA,IACH,GAAG;AAAA,EACL;AAEA,WAAS,aAAa,YAAoB,cAAgD;AACxF,QAAI,CAAC,cAAc;AACjB,aAAO,GAAG,GAAG,KAAK,UAAU;AAAA,IAC9B;AAEA,QAAI,MAAM;AACV,UAAM,UAAU,WAAW,SAAS,uBAAuB;AAE3D,eAAW,SAAS,SAAS;AAC3B,YAAM,eAAe,aAAa,MAAM,CAAC,CAAC,KAAK,IAAI,SAAS;AAC5D,YAAM,IAAI,QAAQ,KAAK,MAAM,CAAC,CAAC,MAAM,WAAW;AAAA,IAClD;AAEA,WAAO,GAAG,GAAG,KAAK,GAAG;AAAA,EACvB;AAEA,SAAO;AAAA,IACL,eAAe,EAAE,aAAAA,aAAY,GAAsC;AACjE,UAAI,OAAOA,iBAAgB,UAAU;AACnC,cAAMA;AAAA,MACR;AACA,aAAO;AAAA,IACT;AAAA,IAEA,YAAY,EAAE,gBAAAC,gBAAe,GAAsC;AACjE,aAAO,OAAO,UAAUA,mBAAkB,CAAC,CAAC;AAC5C,aAAO;AAAA,IACT;AAAA,IAEA,gCAAgC,QAAiC;AAC/D,YAAM,IAAI,MAAM,aAAa,SAAS,mCAAmC,MAAM,CAAC;AAAA,IAClF;AAAA,IAEA,qBAAqB,QAAiC;AACpD,YAAM,IAAI,MAAM,aAAa,SAAS,6BAA6B,MAAM,CAAC;AAAA,IAC5E;AAAA,IAEA,kCAAyC;AACvC,YAAM,IAAI,MAAM,aAAa,SAAS,iCAAiC,CAAC;AAAA,IAC1E;AAAA,IAEA,6BAAoC;AAClC,YAAM,IAAI,MAAM,aAAa,SAAS,4BAA4B,CAAC;AAAA,IACrE;AAAA,IAEA,+BAA+B,QAAoC;AACjE,YAAM,IAAI,MAAM,aAAa,SAAS,sBAAsB,MAAM,CAAC;AAAA,IACrE;AAAA,IAEA,MAAM,SAAwB;AAC5B,YAAM,IAAI,MAAM,aAAa,OAAO,CAAC;AAAA,IACvC;AAAA,EACF;AACF;AAgBO,IAAM,qBAAN,cAAiC,kBAAkB;AAAA,EAMxD,YAAY,SAAiB,EAAE,KAAK,GAAqC;AACvE,UAAM,SAAS,EAAE,KAAK,CAAC;AACvB,SAAK,OAAO;AAAA,EACd;AACF;","names":["packageName","customMessages"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.mjs new file mode 100644 index 000000000..1b92e6f50 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.mjs @@ -0,0 +1,48 @@ +import { + ClerkAPIResponseError, + ClerkRuntimeError, + ClerkWebAuthnError, + EmailLinkError, + EmailLinkErrorCode, + EmailLinkErrorCodeStatus, + buildErrorThrower, + errorToJSON, + is4xxError, + isCaptchaError, + isClerkAPIResponseError, + isClerkRuntimeError, + isEmailLinkError, + isKnownError, + isMetamaskError, + isNetworkError, + isPasswordPwnedError, + isUnauthorizedError, + isUserLockedError, + parseError, + parseErrors +} from "./chunk-JXRB7SGQ.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + ClerkAPIResponseError, + ClerkRuntimeError, + ClerkWebAuthnError, + EmailLinkError, + EmailLinkErrorCode, + EmailLinkErrorCodeStatus, + buildErrorThrower, + errorToJSON, + is4xxError, + isCaptchaError, + isClerkAPIResponseError, + isClerkRuntimeError, + isEmailLinkError, + isKnownError, + isMetamaskError, + isNetworkError, + isPasswordPwnedError, + isUnauthorizedError, + isUserLockedError, + parseError, + parseErrors +}; +//# sourceMappingURL=error.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/error.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.d.mts new file mode 100644 index 000000000..4f0671347 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.d.mts @@ -0,0 +1,19 @@ +/** + * Read an expected JSON type File. + * + * Probably paired with: + * + */ +declare function readJSONFile(file: File): Promise; +declare const MimeTypeToExtensionMap: Readonly<{ + readonly 'image/png': "png"; + readonly 'image/jpeg': "jpg"; + readonly 'image/gif': "gif"; + readonly 'image/webp': "webp"; + readonly 'image/x-icon': "ico"; + readonly 'image/vnd.microsoft.icon': "ico"; +}>; +type SupportedMimeType = keyof typeof MimeTypeToExtensionMap; +declare const extension: (mimeType: SupportedMimeType) => string; + +export { type SupportedMimeType, extension, readJSONFile }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.d.ts new file mode 100644 index 000000000..4f0671347 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.d.ts @@ -0,0 +1,19 @@ +/** + * Read an expected JSON type File. + * + * Probably paired with: + * + */ +declare function readJSONFile(file: File): Promise; +declare const MimeTypeToExtensionMap: Readonly<{ + readonly 'image/png': "png"; + readonly 'image/jpeg': "jpg"; + readonly 'image/gif': "gif"; + readonly 'image/webp': "webp"; + readonly 'image/x-icon': "ico"; + readonly 'image/vnd.microsoft.icon': "ico"; +}>; +type SupportedMimeType = keyof typeof MimeTypeToExtensionMap; +declare const extension: (mimeType: SupportedMimeType) => string; + +export { type SupportedMimeType, extension, readJSONFile }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.js new file mode 100644 index 000000000..b9e011575 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.js @@ -0,0 +1,54 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/file.ts +var file_exports = {}; +__export(file_exports, { + extension: () => extension, + readJSONFile: () => readJSONFile +}); +module.exports = __toCommonJS(file_exports); +function readJSONFile(file) { + return new Promise((resolve, reject) => { + const reader = new FileReader(); + reader.addEventListener("load", function() { + const result = JSON.parse(reader.result); + resolve(result); + }); + reader.addEventListener("error", reject); + reader.readAsText(file); + }); +} +var MimeTypeToExtensionMap = Object.freeze({ + "image/png": "png", + "image/jpeg": "jpg", + "image/gif": "gif", + "image/webp": "webp", + "image/x-icon": "ico", + "image/vnd.microsoft.icon": "ico" +}); +var extension = (mimeType) => { + return MimeTypeToExtensionMap[mimeType]; +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + extension, + readJSONFile +}); +//# sourceMappingURL=file.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.js.map new file mode 100644 index 000000000..ee9bd08f7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/file.ts"],"sourcesContent":["/**\n * Read an expected JSON type File.\n *\n * Probably paired with:\n * \n */\nexport function readJSONFile(file: File): Promise {\n return new Promise((resolve, reject) => {\n const reader = new FileReader();\n reader.addEventListener('load', function () {\n const result = JSON.parse(reader.result as string);\n resolve(result);\n });\n\n reader.addEventListener('error', reject);\n reader.readAsText(file);\n });\n}\n\nconst MimeTypeToExtensionMap = Object.freeze({\n 'image/png': 'png',\n 'image/jpeg': 'jpg',\n 'image/gif': 'gif',\n 'image/webp': 'webp',\n 'image/x-icon': 'ico',\n 'image/vnd.microsoft.icon': 'ico',\n} as const);\n\nexport type SupportedMimeType = keyof typeof MimeTypeToExtensionMap;\n\nexport const extension = (mimeType: SupportedMimeType): string => {\n return MimeTypeToExtensionMap[mimeType];\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAMO,SAAS,aAAa,MAA8B;AACzD,SAAO,IAAI,QAAQ,CAAC,SAAS,WAAW;AACtC,UAAM,SAAS,IAAI,WAAW;AAC9B,WAAO,iBAAiB,QAAQ,WAAY;AAC1C,YAAM,SAAS,KAAK,MAAM,OAAO,MAAgB;AACjD,cAAQ,MAAM;AAAA,IAChB,CAAC;AAED,WAAO,iBAAiB,SAAS,MAAM;AACvC,WAAO,WAAW,IAAI;AAAA,EACxB,CAAC;AACH;AAEA,IAAM,yBAAyB,OAAO,OAAO;AAAA,EAC3C,aAAa;AAAA,EACb,cAAc;AAAA,EACd,aAAa;AAAA,EACb,cAAc;AAAA,EACd,gBAAgB;AAAA,EAChB,4BAA4B;AAC9B,CAAU;AAIH,IAAM,YAAY,CAAC,aAAwC;AAChE,SAAO,uBAAuB,QAAQ;AACxC;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.mjs new file mode 100644 index 000000000..dac4401d4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.mjs @@ -0,0 +1,10 @@ +import { + extension, + readJSONFile +} from "./chunk-5JU2E5TY.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + extension, + readJSONFile +}; +//# sourceMappingURL=file.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/file.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.d.mts new file mode 100644 index 000000000..d697721d0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.d.mts @@ -0,0 +1,9 @@ +/** + * Retrieves an environment variable across runtime environments. + * @param name - The environment variable name to retrieve + * @param context - Optional context object that may contain environment values + * @returns The environment variable value or empty string if not found + */ +declare const getEnvVariable: (name: string, context?: Record) => string; + +export { getEnvVariable }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.d.ts new file mode 100644 index 000000000..d697721d0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.d.ts @@ -0,0 +1,9 @@ +/** + * Retrieves an environment variable across runtime environments. + * @param name - The environment variable name to retrieve + * @param context - Optional context object that may contain environment values + * @returns The environment variable value or empty string if not found + */ +declare const getEnvVariable: (name: string, context?: Record) => string; + +export { getEnvVariable }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.js new file mode 100644 index 000000000..1c27c2d24 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.js @@ -0,0 +1,59 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/getEnvVariable.ts +var getEnvVariable_exports = {}; +__export(getEnvVariable_exports, { + getEnvVariable: () => getEnvVariable +}); +module.exports = __toCommonJS(getEnvVariable_exports); +var import_meta = {}; +var hasCloudflareProxyContext = (context) => { + return !!context?.cloudflare?.env; +}; +var hasCloudflareContext = (context) => { + return !!context?.env; +}; +var getEnvVariable = (name, context) => { + if (typeof process !== "undefined" && process.env && typeof process.env[name] === "string") { + return process.env[name]; + } + if (typeof import_meta !== "undefined" && import_meta.env && typeof import_meta.env[name] === "string") { + return import_meta.env[name]; + } + if (hasCloudflareProxyContext(context)) { + return context.cloudflare.env[name] || ""; + } + if (hasCloudflareContext(context)) { + return context.env[name] || ""; + } + if (context && typeof context[name] === "string") { + return context[name]; + } + try { + return globalThis[name]; + } catch { + } + return ""; +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + getEnvVariable +}); +//# sourceMappingURL=getEnvVariable.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.js.map new file mode 100644 index 000000000..069e88a86 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/getEnvVariable.ts"],"sourcesContent":["type CloudflareEnv = { env: Record };\n\nconst hasCloudflareProxyContext = (context: any): context is { cloudflare: CloudflareEnv } => {\n return !!context?.cloudflare?.env;\n};\n\nconst hasCloudflareContext = (context: any): context is CloudflareEnv => {\n return !!context?.env;\n};\n\n/**\n * Retrieves an environment variable across runtime environments.\n * @param name - The environment variable name to retrieve\n * @param context - Optional context object that may contain environment values\n * @returns The environment variable value or empty string if not found\n */\nexport const getEnvVariable = (name: string, context?: Record): string => {\n // Node envs\n if (typeof process !== 'undefined' && process.env && typeof process.env[name] === 'string') {\n return process.env[name];\n }\n\n // Vite specific\n if (typeof import.meta !== 'undefined' && import.meta.env && typeof import.meta.env[name] === 'string') {\n return import.meta.env[name];\n }\n\n if (hasCloudflareProxyContext(context)) {\n return context.cloudflare.env[name] || '';\n }\n\n // Cloudflare\n if (hasCloudflareContext(context)) {\n return context.env[name] || '';\n }\n\n // Check whether the value exists in the context object directly\n if (context && typeof context[name] === 'string') {\n return context[name];\n }\n\n // Cloudflare workers\n try {\n return globalThis[name as keyof typeof globalThis];\n } catch {\n // This will raise an error in Cloudflare Pages\n }\n\n return '';\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAEA,IAAM,4BAA4B,CAAC,YAA2D;AAC5F,SAAO,CAAC,CAAC,SAAS,YAAY;AAChC;AAEA,IAAM,uBAAuB,CAAC,YAA2C;AACvE,SAAO,CAAC,CAAC,SAAS;AACpB;AAQO,IAAM,iBAAiB,CAAC,MAAc,YAA0C;AAErF,MAAI,OAAO,YAAY,eAAe,QAAQ,OAAO,OAAO,QAAQ,IAAI,IAAI,MAAM,UAAU;AAC1F,WAAO,QAAQ,IAAI,IAAI;AAAA,EACzB;AAGA,MAAI,OAAO,gBAAgB,eAAe,YAAY,OAAO,OAAO,YAAY,IAAI,IAAI,MAAM,UAAU;AACtG,WAAO,YAAY,IAAI,IAAI;AAAA,EAC7B;AAEA,MAAI,0BAA0B,OAAO,GAAG;AACtC,WAAO,QAAQ,WAAW,IAAI,IAAI,KAAK;AAAA,EACzC;AAGA,MAAI,qBAAqB,OAAO,GAAG;AACjC,WAAO,QAAQ,IAAI,IAAI,KAAK;AAAA,EAC9B;AAGA,MAAI,WAAW,OAAO,QAAQ,IAAI,MAAM,UAAU;AAChD,WAAO,QAAQ,IAAI;AAAA,EACrB;AAGA,MAAI;AACF,WAAO,WAAW,IAA+B;AAAA,EACnD,QAAQ;AAAA,EAER;AAEA,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.mjs new file mode 100644 index 000000000..309f5669c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.mjs @@ -0,0 +1,8 @@ +import { + getEnvVariable +} from "./chunk-TALGHI24.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + getEnvVariable +}; +//# sourceMappingURL=getEnvVariable.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/getEnvVariable.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.d.mts new file mode 100644 index 000000000..65e5184f8 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.d.mts @@ -0,0 +1,5 @@ +declare const globs: { + toRegexp: (pattern: string) => RegExp; +}; + +export { globs }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.d.ts new file mode 100644 index 000000000..65e5184f8 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.d.ts @@ -0,0 +1,5 @@ +declare const globs: { + toRegexp: (pattern: string) => RegExp; +}; + +export { globs }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.js new file mode 100644 index 000000000..db0a262f0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.js @@ -0,0 +1,54 @@ +"use strict"; +var __create = Object.create; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __getProtoOf = Object.getPrototypeOf; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toESM = (mod, isNodeMode, target) => (target = mod != null ? __create(__getProtoOf(mod)) : {}, __copyProps( + // If the importer is in node compatibility mode or this is not an ESM + // file that has been converted to a CommonJS file using a Babel- + // compatible transform (i.e. "__esModule" has not been set), then set + // "default" to the CommonJS "module.exports" for node compatibility. + isNodeMode || !mod || !mod.__esModule ? __defProp(target, "default", { value: mod, enumerable: true }) : target, + mod +)); +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/globs.ts +var globs_exports = {}; +__export(globs_exports, { + globs: () => globs +}); +module.exports = __toCommonJS(globs_exports); +var import_glob_to_regexp = __toESM(require("glob-to-regexp")); +var globs = { + toRegexp: (pattern) => { + try { + return (0, import_glob_to_regexp.default)(pattern); + } catch (e) { + throw new Error( + `Invalid pattern: ${pattern}. +Consult the documentation of glob-to-regexp here: https://www.npmjs.com/package/glob-to-regexp. +${e.message}` + ); + } + } +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + globs +}); +//# sourceMappingURL=globs.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.js.map new file mode 100644 index 000000000..9ba16aad7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/globs.ts"],"sourcesContent":["import globToRegexp from 'glob-to-regexp';\n\nexport const globs = {\n toRegexp: (pattern: string): RegExp => {\n try {\n return globToRegexp(pattern);\n } catch (e: any) {\n throw new Error(\n `Invalid pattern: ${pattern}.\\nConsult the documentation of glob-to-regexp here: https://www.npmjs.com/package/glob-to-regexp.\\n${e.message}`,\n );\n }\n },\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,4BAAyB;AAElB,IAAM,QAAQ;AAAA,EACnB,UAAU,CAAC,YAA4B;AACrC,QAAI;AACF,iBAAO,sBAAAA,SAAa,OAAO;AAAA,IAC7B,SAAS,GAAQ;AACf,YAAM,IAAI;AAAA,QACR,oBAAoB,OAAO;AAAA;AAAA,EAAuG,EAAE,OAAO;AAAA,MAC7I;AAAA,IACF;AAAA,EACF;AACF;","names":["globToRegexp"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.mjs new file mode 100644 index 000000000..2fde4476b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.mjs @@ -0,0 +1,21 @@ +import "./chunk-7ELT755Q.mjs"; + +// src/globs.ts +import globToRegexp from "glob-to-regexp"; +var globs = { + toRegexp: (pattern) => { + try { + return globToRegexp(pattern); + } catch (e) { + throw new Error( + `Invalid pattern: ${pattern}. +Consult the documentation of glob-to-regexp here: https://www.npmjs.com/package/glob-to-regexp. +${e.message}` + ); + } + } +}; +export { + globs +}; +//# sourceMappingURL=globs.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.mjs.map new file mode 100644 index 000000000..773541017 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/globs.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/globs.ts"],"sourcesContent":["import globToRegexp from 'glob-to-regexp';\n\nexport const globs = {\n toRegexp: (pattern: string): RegExp => {\n try {\n return globToRegexp(pattern);\n } catch (e: any) {\n throw new Error(\n `Invalid pattern: ${pattern}.\\nConsult the documentation of glob-to-regexp here: https://www.npmjs.com/package/glob-to-regexp.\\n${e.message}`,\n );\n }\n },\n};\n"],"mappings":";;;AAAA,OAAO,kBAAkB;AAElB,IAAM,QAAQ;AAAA,EACnB,UAAU,CAAC,YAA4B;AACrC,QAAI;AACF,aAAO,aAAa,OAAO;AAAA,IAC7B,SAAS,GAAQ;AACf,YAAM,IAAI;AAAA,QACR,oBAAoB,OAAO;AAAA;AAAA,EAAuG,EAAE,OAAO;AAAA,MAC7I;AAAA,IACF;AAAA,EACF;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn-D2uLOn6s.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn-D2uLOn6s.d.mts new file mode 100644 index 000000000..668952c9e --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn-D2uLOn6s.d.mts @@ -0,0 +1,5 @@ +type VOrFnReturnsV = T | undefined | ((v: URL) => T); +declare function handleValueOrFn(value: VOrFnReturnsV, url: URL): T | undefined; +declare function handleValueOrFn(value: VOrFnReturnsV, url: URL, defaultValue: T): T; + +export { handleValueOrFn as h }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn-D2uLOn6s.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn-D2uLOn6s.d.ts new file mode 100644 index 000000000..668952c9e --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn-D2uLOn6s.d.ts @@ -0,0 +1,5 @@ +type VOrFnReturnsV = T | undefined | ((v: URL) => T); +declare function handleValueOrFn(value: VOrFnReturnsV, url: URL): T | undefined; +declare function handleValueOrFn(value: VOrFnReturnsV, url: URL, defaultValue: T): T; + +export { handleValueOrFn as h }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.d.mts new file mode 100644 index 000000000..95ab8e95c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.d.mts @@ -0,0 +1,8 @@ +import { h as handleValueOrFn$1 } from './handleValueOrFn-D2uLOn6s.mjs'; + +/** + * @deprecated - use `handleValueOrFn` from `@clerk/shared/utils` instead + */ +declare const handleValueOrFn: typeof handleValueOrFn$1; + +export { handleValueOrFn }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.d.ts new file mode 100644 index 000000000..d9186f20f --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.d.ts @@ -0,0 +1,8 @@ +import { h as handleValueOrFn$1 } from './handleValueOrFn-D2uLOn6s.js'; + +/** + * @deprecated - use `handleValueOrFn` from `@clerk/shared/utils` instead + */ +declare const handleValueOrFn: typeof handleValueOrFn$1; + +export { handleValueOrFn }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.js new file mode 100644 index 000000000..4b2cddde5 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.js @@ -0,0 +1,47 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/handleValueOrFn.ts +var handleValueOrFn_exports = {}; +__export(handleValueOrFn_exports, { + handleValueOrFn: () => handleValueOrFn2 +}); +module.exports = __toCommonJS(handleValueOrFn_exports); + +// src/utils/handleValueOrFn.ts +function handleValueOrFn(value, url, defaultValue) { + if (typeof value === "function") { + return value(url); + } + if (typeof value !== "undefined") { + return value; + } + if (typeof defaultValue !== "undefined") { + return defaultValue; + } + return void 0; +} + +// src/handleValueOrFn.ts +var handleValueOrFn2 = handleValueOrFn; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + handleValueOrFn +}); +//# sourceMappingURL=handleValueOrFn.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.js.map new file mode 100644 index 000000000..699f0b435 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/handleValueOrFn.ts","../src/utils/handleValueOrFn.ts"],"sourcesContent":["import { handleValueOrFn as origHandleValueOrFn } from './utils/handleValueOrFn';\n\n/**\n * @deprecated - use `handleValueOrFn` from `@clerk/shared/utils` instead\n */\nexport const handleValueOrFn = origHandleValueOrFn;\n","type VOrFnReturnsV = T | undefined | ((v: URL) => T);\nexport function handleValueOrFn(value: VOrFnReturnsV, url: URL): T | undefined;\nexport function handleValueOrFn(value: VOrFnReturnsV, url: URL, defaultValue: T): T;\nexport function handleValueOrFn(value: VOrFnReturnsV, url: URL, defaultValue?: unknown): unknown {\n if (typeof value === 'function') {\n return (value as (v: URL) => T)(url);\n }\n\n if (typeof value !== 'undefined') {\n return value;\n }\n\n if (typeof defaultValue !== 'undefined') {\n return defaultValue;\n }\n\n return undefined;\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA,yBAAAA;AAAA;AAAA;;;ACGO,SAAS,gBAAmB,OAAyB,KAAU,cAAiC;AACrG,MAAI,OAAO,UAAU,YAAY;AAC/B,WAAQ,MAAwB,GAAG;AAAA,EACrC;AAEA,MAAI,OAAO,UAAU,aAAa;AAChC,WAAO;AAAA,EACT;AAEA,MAAI,OAAO,iBAAiB,aAAa;AACvC,WAAO;AAAA,EACT;AAEA,SAAO;AACT;;;ADZO,IAAMC,mBAAkB;","names":["handleValueOrFn","handleValueOrFn"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.mjs new file mode 100644 index 000000000..73432027e --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.mjs @@ -0,0 +1,11 @@ +import { + handleValueOrFn +} from "./chunk-O32JQBM6.mjs"; +import "./chunk-7ELT755Q.mjs"; + +// src/handleValueOrFn.ts +var handleValueOrFn2 = handleValueOrFn; +export { + handleValueOrFn2 as handleValueOrFn +}; +//# sourceMappingURL=handleValueOrFn.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.mjs.map new file mode 100644 index 000000000..78e1c94c9 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/handleValueOrFn.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/handleValueOrFn.ts"],"sourcesContent":["import { handleValueOrFn as origHandleValueOrFn } from './utils/handleValueOrFn';\n\n/**\n * @deprecated - use `handleValueOrFn` from `@clerk/shared/utils` instead\n */\nexport const handleValueOrFn = origHandleValueOrFn;\n"],"mappings":";;;;;;AAKO,IAAMA,mBAAkB;","names":["handleValueOrFn"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.d.mts new file mode 100644 index 000000000..2d9f52cb4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.d.mts @@ -0,0 +1,29 @@ +export { createDeferredPromise, fastDeepMergeAndKeep, fastDeepMergeAndReplace, isDevelopmentEnvironment, isProductionEnvironment, isStaging, isTestEnvironment, logErrorInDevMode, noop } from './utils/index.mjs'; +export { h as handleValueOrFn } from './handleValueOrFn-D2uLOn6s.mjs'; +export { apiUrlFromPublishableKey } from './apiUrlFromPublishableKey.mjs'; +export { inBrowser, isBrowserOnline, isValidBrowser, isValidBrowserOnline, userAgentIsRobot } from './browser.mjs'; +export { colorToSameTypeString, hasAlpha, hexStringToRgbaColor, isHSLColor, isRGBColor, isTransparent, isValidHexString, isValidHslaString, isValidRgbaString, stringToHslaColor, stringToSameTypeColor } from './color.mjs'; +export { CURRENT_DEV_INSTANCE_SUFFIXES, DEV_OR_STAGING_SUFFIXES, LEGACY_DEV_INSTANCE_SUFFIXES, LOCAL_API_URL, LOCAL_ENV_SUFFIXES, PROD_API_URL, STAGING_API_URL, STAGING_ENV_SUFFIXES, iconImageUrl } from './constants.mjs'; +export { RelativeDateCase, addYears, dateTo12HourTime, differenceInCalendarDays, formatRelative, normalizeDate } from './date.mjs'; +export { deprecated, deprecatedObjectProperty, deprecatedProperty } from './deprecated.mjs'; +export { deriveState } from './deriveState.mjs'; +export { ClerkAPIResponseError, ClerkRuntimeError, ClerkWebAuthnError, EmailLinkError, EmailLinkErrorCode, EmailLinkErrorCodeStatus, ErrorThrower, ErrorThrowerOptions, MetamaskError, buildErrorThrower, errorToJSON, is4xxError, isCaptchaError, isClerkAPIResponseError, isClerkRuntimeError, isEmailLinkError, isKnownError, isMetamaskError, isNetworkError, isPasswordPwnedError, isUnauthorizedError, isUserLockedError, parseError, parseErrors } from './error.mjs'; +export { SupportedMimeType, extension, readJSONFile } from './file.mjs'; +export { isomorphicAtob } from './isomorphicAtob.mjs'; +export { isomorphicBtoa } from './isomorphicBtoa.mjs'; +export { buildPublishableKey, createDevOrStagingUrlCache, getCookieSuffix, getSuffixedCookieName, isDevelopmentFromPublishableKey, isDevelopmentFromSecretKey, isProductionFromPublishableKey, isProductionFromSecretKey, isPublishableKey, parsePublishableKey } from './keys.mjs'; +export { LoadClerkJsScriptOptions, buildClerkJsScriptAttributes, clerkJsScriptUrl, loadClerkJsScript, setClerkJsLoadingErrorPackageName } from './loadClerkJsScript.mjs'; +export { loadScript } from './loadScript.mjs'; +export { LocalStorageBroadcastChannel } from './localStorageBroadcastChannel.mjs'; +export { Poller, PollerCallback, PollerRun, PollerStop } from './poller.mjs'; +export { isHttpOrHttps, isProxyUrlRelative, isValidProxyUrl, proxyUrlToAbsoluteURL } from './proxy.mjs'; +export { camelToSnake, deepCamelToSnake, deepSnakeToCamel, getNonUndefinedValues, isIPV4Address, isTruthy, snakeToCamel, titleize, toSentence } from './underscore.mjs'; +export { addClerkPrefix, cleanDoubleSlashes, getClerkJsMajorVersionOrTag, getScriptUrl, hasLeadingSlash, hasTrailingSlash, isAbsoluteUrl, isCurrentDevAccountPortalOrigin, isLegacyDevAccountPortalOrigin, isNonEmptyURL, joinURL, parseSearchParams, stripScheme, withLeadingSlash, withTrailingSlash, withoutLeadingSlash, withoutTrailingSlash } from './url.mjs'; +export { versionSelector } from './versionSelector.mjs'; +export { applyFunctionToObj, filterProps, removeUndefined, without } from './object.mjs'; +export { logger } from './logger.mjs'; +export { createWorkerTimers } from './workerTimers/index.mjs'; +export { DEV_BROWSER_JWT_KEY, extractDevBrowserJWTFromURL, setDevBrowserJWTInURL } from './devBrowser.mjs'; +export { getEnvVariable } from './getEnvVariable.mjs'; +export { PathMatcherParam, PathPattern, WithPathPatternWildcard, createPathMatcher } from './pathMatcher.mjs'; +import '@clerk/types'; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.d.ts new file mode 100644 index 000000000..8b6c91f96 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.d.ts @@ -0,0 +1,29 @@ +export { createDeferredPromise, fastDeepMergeAndKeep, fastDeepMergeAndReplace, isDevelopmentEnvironment, isProductionEnvironment, isStaging, isTestEnvironment, logErrorInDevMode, noop } from './utils/index.js'; +export { h as handleValueOrFn } from './handleValueOrFn-D2uLOn6s.js'; +export { apiUrlFromPublishableKey } from './apiUrlFromPublishableKey.js'; +export { inBrowser, isBrowserOnline, isValidBrowser, isValidBrowserOnline, userAgentIsRobot } from './browser.js'; +export { colorToSameTypeString, hasAlpha, hexStringToRgbaColor, isHSLColor, isRGBColor, isTransparent, isValidHexString, isValidHslaString, isValidRgbaString, stringToHslaColor, stringToSameTypeColor } from './color.js'; +export { CURRENT_DEV_INSTANCE_SUFFIXES, DEV_OR_STAGING_SUFFIXES, LEGACY_DEV_INSTANCE_SUFFIXES, LOCAL_API_URL, LOCAL_ENV_SUFFIXES, PROD_API_URL, STAGING_API_URL, STAGING_ENV_SUFFIXES, iconImageUrl } from './constants.js'; +export { RelativeDateCase, addYears, dateTo12HourTime, differenceInCalendarDays, formatRelative, normalizeDate } from './date.js'; +export { deprecated, deprecatedObjectProperty, deprecatedProperty } from './deprecated.js'; +export { deriveState } from './deriveState.js'; +export { ClerkAPIResponseError, ClerkRuntimeError, ClerkWebAuthnError, EmailLinkError, EmailLinkErrorCode, EmailLinkErrorCodeStatus, ErrorThrower, ErrorThrowerOptions, MetamaskError, buildErrorThrower, errorToJSON, is4xxError, isCaptchaError, isClerkAPIResponseError, isClerkRuntimeError, isEmailLinkError, isKnownError, isMetamaskError, isNetworkError, isPasswordPwnedError, isUnauthorizedError, isUserLockedError, parseError, parseErrors } from './error.js'; +export { SupportedMimeType, extension, readJSONFile } from './file.js'; +export { isomorphicAtob } from './isomorphicAtob.js'; +export { isomorphicBtoa } from './isomorphicBtoa.js'; +export { buildPublishableKey, createDevOrStagingUrlCache, getCookieSuffix, getSuffixedCookieName, isDevelopmentFromPublishableKey, isDevelopmentFromSecretKey, isProductionFromPublishableKey, isProductionFromSecretKey, isPublishableKey, parsePublishableKey } from './keys.js'; +export { LoadClerkJsScriptOptions, buildClerkJsScriptAttributes, clerkJsScriptUrl, loadClerkJsScript, setClerkJsLoadingErrorPackageName } from './loadClerkJsScript.js'; +export { loadScript } from './loadScript.js'; +export { LocalStorageBroadcastChannel } from './localStorageBroadcastChannel.js'; +export { Poller, PollerCallback, PollerRun, PollerStop } from './poller.js'; +export { isHttpOrHttps, isProxyUrlRelative, isValidProxyUrl, proxyUrlToAbsoluteURL } from './proxy.js'; +export { camelToSnake, deepCamelToSnake, deepSnakeToCamel, getNonUndefinedValues, isIPV4Address, isTruthy, snakeToCamel, titleize, toSentence } from './underscore.js'; +export { addClerkPrefix, cleanDoubleSlashes, getClerkJsMajorVersionOrTag, getScriptUrl, hasLeadingSlash, hasTrailingSlash, isAbsoluteUrl, isCurrentDevAccountPortalOrigin, isLegacyDevAccountPortalOrigin, isNonEmptyURL, joinURL, parseSearchParams, stripScheme, withLeadingSlash, withTrailingSlash, withoutLeadingSlash, withoutTrailingSlash } from './url.js'; +export { versionSelector } from './versionSelector.js'; +export { applyFunctionToObj, filterProps, removeUndefined, without } from './object.js'; +export { logger } from './logger.js'; +export { createWorkerTimers } from './workerTimers/index.js'; +export { DEV_BROWSER_JWT_KEY, extractDevBrowserJWTFromURL, setDevBrowserJWTInURL } from './devBrowser.js'; +export { getEnvVariable } from './getEnvVariable.js'; +export { PathMatcherParam, PathPattern, WithPathPatternWildcard, createPathMatcher } from './pathMatcher.js'; +import '@clerk/types'; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.js new file mode 100644 index 000000000..82f5d88e5 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.js @@ -0,0 +1,2029 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/index.ts +var index_exports = {}; +__export(index_exports, { + CURRENT_DEV_INSTANCE_SUFFIXES: () => CURRENT_DEV_INSTANCE_SUFFIXES, + ClerkAPIResponseError: () => ClerkAPIResponseError, + ClerkRuntimeError: () => ClerkRuntimeError, + ClerkWebAuthnError: () => ClerkWebAuthnError, + DEV_BROWSER_JWT_KEY: () => DEV_BROWSER_JWT_KEY, + DEV_OR_STAGING_SUFFIXES: () => DEV_OR_STAGING_SUFFIXES, + EmailLinkError: () => EmailLinkError, + EmailLinkErrorCode: () => EmailLinkErrorCode, + EmailLinkErrorCodeStatus: () => EmailLinkErrorCodeStatus, + LEGACY_DEV_INSTANCE_SUFFIXES: () => LEGACY_DEV_INSTANCE_SUFFIXES, + LOCAL_API_URL: () => LOCAL_API_URL, + LOCAL_ENV_SUFFIXES: () => LOCAL_ENV_SUFFIXES, + LocalStorageBroadcastChannel: () => LocalStorageBroadcastChannel, + PROD_API_URL: () => PROD_API_URL, + Poller: () => Poller, + STAGING_API_URL: () => STAGING_API_URL, + STAGING_ENV_SUFFIXES: () => STAGING_ENV_SUFFIXES, + addClerkPrefix: () => addClerkPrefix, + addYears: () => addYears, + apiUrlFromPublishableKey: () => apiUrlFromPublishableKey, + applyFunctionToObj: () => applyFunctionToObj, + buildClerkJsScriptAttributes: () => buildClerkJsScriptAttributes, + buildErrorThrower: () => buildErrorThrower, + buildPublishableKey: () => buildPublishableKey, + camelToSnake: () => camelToSnake, + cleanDoubleSlashes: () => cleanDoubleSlashes, + clerkJsScriptUrl: () => clerkJsScriptUrl, + colorToSameTypeString: () => colorToSameTypeString, + createDeferredPromise: () => createDeferredPromise, + createDevOrStagingUrlCache: () => createDevOrStagingUrlCache, + createPathMatcher: () => createPathMatcher, + createWorkerTimers: () => createWorkerTimers, + dateTo12HourTime: () => dateTo12HourTime, + deepCamelToSnake: () => deepCamelToSnake, + deepSnakeToCamel: () => deepSnakeToCamel, + deprecated: () => deprecated, + deprecatedObjectProperty: () => deprecatedObjectProperty, + deprecatedProperty: () => deprecatedProperty, + deriveState: () => deriveState, + differenceInCalendarDays: () => differenceInCalendarDays, + errorToJSON: () => errorToJSON, + extension: () => extension, + extractDevBrowserJWTFromURL: () => extractDevBrowserJWTFromURL, + fastDeepMergeAndKeep: () => fastDeepMergeAndKeep, + fastDeepMergeAndReplace: () => fastDeepMergeAndReplace, + filterProps: () => filterProps, + formatRelative: () => formatRelative, + getClerkJsMajorVersionOrTag: () => getClerkJsMajorVersionOrTag, + getCookieSuffix: () => getCookieSuffix, + getEnvVariable: () => getEnvVariable, + getNonUndefinedValues: () => getNonUndefinedValues, + getScriptUrl: () => getScriptUrl, + getSuffixedCookieName: () => getSuffixedCookieName, + handleValueOrFn: () => handleValueOrFn, + hasAlpha: () => hasAlpha, + hasLeadingSlash: () => hasLeadingSlash, + hasTrailingSlash: () => hasTrailingSlash, + hexStringToRgbaColor: () => hexStringToRgbaColor, + iconImageUrl: () => iconImageUrl, + inBrowser: () => inBrowser, + is4xxError: () => is4xxError, + isAbsoluteUrl: () => isAbsoluteUrl, + isBrowserOnline: () => isBrowserOnline, + isCaptchaError: () => isCaptchaError, + isClerkAPIResponseError: () => isClerkAPIResponseError, + isClerkRuntimeError: () => isClerkRuntimeError, + isCurrentDevAccountPortalOrigin: () => isCurrentDevAccountPortalOrigin, + isDevelopmentEnvironment: () => isDevelopmentEnvironment, + isDevelopmentFromPublishableKey: () => isDevelopmentFromPublishableKey, + isDevelopmentFromSecretKey: () => isDevelopmentFromSecretKey, + isEmailLinkError: () => isEmailLinkError, + isHSLColor: () => isHSLColor, + isHttpOrHttps: () => isHttpOrHttps, + isIPV4Address: () => isIPV4Address, + isKnownError: () => isKnownError, + isLegacyDevAccountPortalOrigin: () => isLegacyDevAccountPortalOrigin, + isMetamaskError: () => isMetamaskError, + isNetworkError: () => isNetworkError, + isNonEmptyURL: () => isNonEmptyURL, + isPasswordPwnedError: () => isPasswordPwnedError, + isProductionEnvironment: () => isProductionEnvironment, + isProductionFromPublishableKey: () => isProductionFromPublishableKey, + isProductionFromSecretKey: () => isProductionFromSecretKey, + isProxyUrlRelative: () => isProxyUrlRelative, + isPublishableKey: () => isPublishableKey, + isRGBColor: () => isRGBColor, + isStaging: () => isStaging, + isTestEnvironment: () => isTestEnvironment, + isTransparent: () => isTransparent, + isTruthy: () => isTruthy, + isUnauthorizedError: () => isUnauthorizedError, + isUserLockedError: () => isUserLockedError, + isValidBrowser: () => isValidBrowser, + isValidBrowserOnline: () => isValidBrowserOnline, + isValidHexString: () => isValidHexString, + isValidHslaString: () => isValidHslaString, + isValidProxyUrl: () => isValidProxyUrl, + isValidRgbaString: () => isValidRgbaString, + isomorphicAtob: () => isomorphicAtob, + isomorphicBtoa: () => isomorphicBtoa, + joinURL: () => joinURL, + loadClerkJsScript: () => loadClerkJsScript, + loadScript: () => loadScript, + logErrorInDevMode: () => logErrorInDevMode, + logger: () => logger, + noop: () => noop, + normalizeDate: () => normalizeDate, + parseError: () => parseError, + parseErrors: () => parseErrors, + parsePublishableKey: () => parsePublishableKey, + parseSearchParams: () => parseSearchParams, + proxyUrlToAbsoluteURL: () => proxyUrlToAbsoluteURL, + readJSONFile: () => readJSONFile, + removeUndefined: () => removeUndefined, + setClerkJsLoadingErrorPackageName: () => setClerkJsLoadingErrorPackageName, + setDevBrowserJWTInURL: () => setDevBrowserJWTInURL, + snakeToCamel: () => snakeToCamel, + stringToHslaColor: () => stringToHslaColor, + stringToSameTypeColor: () => stringToSameTypeColor, + stripScheme: () => stripScheme, + titleize: () => titleize, + toSentence: () => toSentence, + userAgentIsRobot: () => userAgentIsRobot, + versionSelector: () => versionSelector, + withLeadingSlash: () => withLeadingSlash, + withTrailingSlash: () => withTrailingSlash, + without: () => without, + withoutLeadingSlash: () => withoutLeadingSlash, + withoutTrailingSlash: () => withoutTrailingSlash +}); +module.exports = __toCommonJS(index_exports); + +// src/utils/noop.ts +var noop = (..._args) => { +}; + +// src/utils/createDeferredPromise.ts +var createDeferredPromise = () => { + let resolve = noop; + let reject = noop; + const promise = new Promise((res, rej) => { + resolve = res; + reject = rej; + }); + return { promise, resolve, reject }; +}; + +// src/utils/instance.ts +function isStaging(frontendApi) { + return frontendApi.endsWith(".lclstage.dev") || frontendApi.endsWith(".stgstage.dev") || frontendApi.endsWith(".clerkstage.dev") || frontendApi.endsWith(".accountsstage.dev"); +} + +// src/utils/runtimeEnvironment.ts +var isDevelopmentEnvironment = () => { + try { + return process.env.NODE_ENV === "development"; + } catch { + } + return false; +}; +var isTestEnvironment = () => { + try { + return process.env.NODE_ENV === "test"; + } catch { + } + return false; +}; +var isProductionEnvironment = () => { + try { + return process.env.NODE_ENV === "production"; + } catch { + } + return false; +}; + +// src/utils/logErrorInDevMode.ts +var logErrorInDevMode = (message) => { + if (isDevelopmentEnvironment()) { + console.error(`Clerk: ${message}`); + } +}; + +// src/utils/handleValueOrFn.ts +function handleValueOrFn(value, url, defaultValue) { + if (typeof value === "function") { + return value(url); + } + if (typeof value !== "undefined") { + return value; + } + if (typeof defaultValue !== "undefined") { + return defaultValue; + } + return void 0; +} + +// src/utils/fastDeepMerge.ts +var fastDeepMergeAndReplace = (source, target) => { + if (!source || !target) { + return; + } + for (const key in source) { + if (Object.prototype.hasOwnProperty.call(source, key) && source[key] !== null && typeof source[key] === `object`) { + if (target[key] === void 0) { + target[key] = new (Object.getPrototypeOf(source[key])).constructor(); + } + fastDeepMergeAndReplace(source[key], target[key]); + } else if (Object.prototype.hasOwnProperty.call(source, key)) { + target[key] = source[key]; + } + } +}; +var fastDeepMergeAndKeep = (source, target) => { + if (!source || !target) { + return; + } + for (const key in source) { + if (Object.prototype.hasOwnProperty.call(source, key) && source[key] !== null && typeof source[key] === `object`) { + if (target[key] === void 0) { + target[key] = new (Object.getPrototypeOf(source[key])).constructor(); + } + fastDeepMergeAndKeep(source[key], target[key]); + } else if (Object.prototype.hasOwnProperty.call(source, key) && target[key] === void 0) { + target[key] = source[key]; + } + } +}; + +// src/constants.ts +var LEGACY_DEV_INSTANCE_SUFFIXES = [".lcl.dev", ".lclstage.dev", ".lclclerk.com"]; +var CURRENT_DEV_INSTANCE_SUFFIXES = [".accounts.dev", ".accountsstage.dev", ".accounts.lclclerk.com"]; +var DEV_OR_STAGING_SUFFIXES = [ + ".lcl.dev", + ".stg.dev", + ".lclstage.dev", + ".stgstage.dev", + ".dev.lclclerk.com", + ".stg.lclclerk.com", + ".accounts.lclclerk.com", + "accountsstage.dev", + "accounts.dev" +]; +var LOCAL_ENV_SUFFIXES = [".lcl.dev", "lclstage.dev", ".lclclerk.com", ".accounts.lclclerk.com"]; +var STAGING_ENV_SUFFIXES = [".accountsstage.dev"]; +var LOCAL_API_URL = "https://api.lclclerk.com"; +var STAGING_API_URL = "https://api.clerkstage.dev"; +var PROD_API_URL = "https://api.clerk.com"; +function iconImageUrl(id, format = "svg") { + return `https://img.clerk.com/static/${id}.${format}`; +} + +// src/isomorphicAtob.ts +var isomorphicAtob = (data) => { + if (typeof atob !== "undefined" && typeof atob === "function") { + return atob(data); + } else if (typeof global !== "undefined" && global.Buffer) { + return new global.Buffer(data, "base64").toString(); + } + return data; +}; + +// src/isomorphicBtoa.ts +var isomorphicBtoa = (data) => { + if (typeof btoa !== "undefined" && typeof btoa === "function") { + return btoa(data); + } else if (typeof global !== "undefined" && global.Buffer) { + return new global.Buffer(data).toString("base64"); + } + return data; +}; + +// src/keys.ts +var PUBLISHABLE_KEY_LIVE_PREFIX = "pk_live_"; +var PUBLISHABLE_KEY_TEST_PREFIX = "pk_test_"; +var PUBLISHABLE_FRONTEND_API_DEV_REGEX = /^(([a-z]+)-){2}([0-9]{1,2})\.clerk\.accounts([a-z.]*)(dev|com)$/i; +function buildPublishableKey(frontendApi) { + const isDevKey = PUBLISHABLE_FRONTEND_API_DEV_REGEX.test(frontendApi) || frontendApi.startsWith("clerk.") && LEGACY_DEV_INSTANCE_SUFFIXES.some((s2) => frontendApi.endsWith(s2)); + const keyPrefix = isDevKey ? PUBLISHABLE_KEY_TEST_PREFIX : PUBLISHABLE_KEY_LIVE_PREFIX; + return `${keyPrefix}${isomorphicBtoa(`${frontendApi}$`)}`; +} +function parsePublishableKey(key, options = {}) { + key = key || ""; + if (!key || !isPublishableKey(key)) { + if (options.fatal && !key) { + throw new Error( + "Publishable key is missing. Ensure that your publishable key is correctly configured. Double-check your environment configuration for your keys, or access them here: https://dashboard.clerk.com/last-active?path=api-keys" + ); + } + if (options.fatal && !isPublishableKey(key)) { + throw new Error("Publishable key not valid."); + } + return null; + } + const instanceType = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) ? "production" : "development"; + let frontendApi = isomorphicAtob(key.split("_")[2]); + frontendApi = frontendApi.slice(0, -1); + if (options.proxyUrl) { + frontendApi = options.proxyUrl; + } else if (instanceType !== "development" && options.domain) { + frontendApi = `clerk.${options.domain}`; + } + return { + instanceType, + frontendApi + }; +} +function isPublishableKey(key = "") { + try { + const hasValidPrefix = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) || key.startsWith(PUBLISHABLE_KEY_TEST_PREFIX); + const hasValidFrontendApiPostfix = isomorphicAtob(key.split("_")[2] || "").endsWith("$"); + return hasValidPrefix && hasValidFrontendApiPostfix; + } catch { + return false; + } +} +function createDevOrStagingUrlCache() { + const devOrStagingUrlCache = /* @__PURE__ */ new Map(); + return { + isDevOrStagingUrl: (url) => { + if (!url) { + return false; + } + const hostname = typeof url === "string" ? url : url.hostname; + let res = devOrStagingUrlCache.get(hostname); + if (res === void 0) { + res = DEV_OR_STAGING_SUFFIXES.some((s2) => hostname.endsWith(s2)); + devOrStagingUrlCache.set(hostname, res); + } + return res; + } + }; +} +function isDevelopmentFromPublishableKey(apiKey) { + return apiKey.startsWith("test_") || apiKey.startsWith("pk_test_"); +} +function isProductionFromPublishableKey(apiKey) { + return apiKey.startsWith("live_") || apiKey.startsWith("pk_live_"); +} +function isDevelopmentFromSecretKey(apiKey) { + return apiKey.startsWith("test_") || apiKey.startsWith("sk_test_"); +} +function isProductionFromSecretKey(apiKey) { + return apiKey.startsWith("live_") || apiKey.startsWith("sk_live_"); +} +async function getCookieSuffix(publishableKey, subtle = globalThis.crypto.subtle) { + const data = new TextEncoder().encode(publishableKey); + const digest = await subtle.digest("sha-1", data); + const stringDigest = String.fromCharCode(...new Uint8Array(digest)); + return isomorphicBtoa(stringDigest).replace(/\+/gi, "-").replace(/\//gi, "_").substring(0, 8); +} +var getSuffixedCookieName = (cookieName, cookieSuffix) => { + return `${cookieName}_${cookieSuffix}`; +}; + +// src/apiUrlFromPublishableKey.ts +var apiUrlFromPublishableKey = (publishableKey) => { + const frontendApi = parsePublishableKey(publishableKey)?.frontendApi; + if (frontendApi?.startsWith("clerk.") && LEGACY_DEV_INSTANCE_SUFFIXES.some((suffix) => frontendApi?.endsWith(suffix))) { + return PROD_API_URL; + } + if (LOCAL_ENV_SUFFIXES.some((suffix) => frontendApi?.endsWith(suffix))) { + return LOCAL_API_URL; + } + if (STAGING_ENV_SUFFIXES.some((suffix) => frontendApi?.endsWith(suffix))) { + return STAGING_API_URL; + } + return PROD_API_URL; +}; + +// src/browser.ts +function inBrowser() { + return typeof window !== "undefined"; +} +var botAgents = [ + "bot", + "spider", + "crawl", + "APIs-Google", + "AdsBot", + "Googlebot", + "mediapartners", + "Google Favicon", + "FeedFetcher", + "Google-Read-Aloud", + "DuplexWeb-Google", + "googleweblight", + "bing", + "yandex", + "baidu", + "duckduck", + "yahoo", + "ecosia", + "ia_archiver", + "facebook", + "instagram", + "pinterest", + "reddit", + "slack", + "twitter", + "whatsapp", + "youtube", + "semrush" +]; +var botAgentRegex = new RegExp(botAgents.join("|"), "i"); +function userAgentIsRobot(userAgent) { + return !userAgent ? false : botAgentRegex.test(userAgent); +} +function isValidBrowser() { + const navigator = inBrowser() ? window?.navigator : null; + if (!navigator) { + return false; + } + return !userAgentIsRobot(navigator?.userAgent) && !navigator?.webdriver; +} +function isBrowserOnline() { + const navigator = inBrowser() ? window?.navigator : null; + if (!navigator) { + return false; + } + const isNavigatorOnline = navigator?.onLine; + const isExperimentalConnectionOnline = navigator?.connection?.rtt !== 0 && navigator?.connection?.downlink !== 0; + return isExperimentalConnectionOnline && isNavigatorOnline; +} +function isValidBrowserOnline() { + return isBrowserOnline() && isValidBrowser(); +} + +// src/color.ts +var IS_HEX_COLOR_REGEX = /^#?([A-F0-9]{6}|[A-F0-9]{3})$/i; +var IS_RGB_COLOR_REGEX = /^rgb\((\d+),\s*(\d+),\s*(\d+)\)$/i; +var IS_RGBA_COLOR_REGEX = /^rgba\((\d+),\s*(\d+),\s*(\d+)(,\s*\d+(\.\d+)?)\)$/i; +var IS_HSL_COLOR_REGEX = /^hsl\((\d+),\s*([\d.]+)%,\s*([\d.]+)%\)$/i; +var IS_HSLA_COLOR_REGEX = /^hsla\((\d+),\s*([\d.]+)%,\s*([\d.]+)%(,\s*\d+(\.\d+)?)*\)$/i; +var isValidHexString = (s2) => { + return !!s2.match(IS_HEX_COLOR_REGEX); +}; +var isValidRgbaString = (s2) => { + return !!(s2.match(IS_RGB_COLOR_REGEX) || s2.match(IS_RGBA_COLOR_REGEX)); +}; +var isValidHslaString = (s2) => { + return !!s2.match(IS_HSL_COLOR_REGEX) || !!s2.match(IS_HSLA_COLOR_REGEX); +}; +var isRGBColor = (c) => { + return typeof c !== "string" && "r" in c; +}; +var isHSLColor = (c) => { + return typeof c !== "string" && "h" in c; +}; +var isTransparent = (c) => { + return c === "transparent"; +}; +var hasAlpha = (color) => { + return typeof color !== "string" && color.a != void 0 && color.a < 1; +}; +var CLEAN_HSLA_REGEX = /[hsla()]/g; +var CLEAN_RGBA_REGEX = /[rgba()]/g; +var stringToHslaColor = (value) => { + if (value === "transparent") { + return { h: 0, s: 0, l: 0, a: 0 }; + } + if (isValidHexString(value)) { + return hexStringToHslaColor(value); + } + if (isValidHslaString(value)) { + return parseHslaString(value); + } + if (isValidRgbaString(value)) { + return rgbaStringToHslaColor(value); + } + return null; +}; +var stringToSameTypeColor = (value) => { + value = value.trim(); + if (isValidHexString(value)) { + return value.startsWith("#") ? value : `#${value}`; + } + if (isValidRgbaString(value)) { + return parseRgbaString(value); + } + if (isValidHslaString(value)) { + return parseHslaString(value); + } + if (isTransparent(value)) { + return value; + } + return ""; +}; +var colorToSameTypeString = (color) => { + if (typeof color === "string" && (isValidHexString(color) || isTransparent(color))) { + return color; + } + if (isRGBColor(color)) { + return rgbaColorToRgbaString(color); + } + if (isHSLColor(color)) { + return hslaColorToHslaString(color); + } + return ""; +}; +var hexStringToRgbaColor = (hex) => { + hex = hex.replace("#", ""); + const r = parseInt(hex.substring(0, 2), 16); + const g = parseInt(hex.substring(2, 4), 16); + const b = parseInt(hex.substring(4, 6), 16); + return { r, g, b }; +}; +var rgbaColorToRgbaString = (color) => { + const { a, b, g, r } = color; + return color.a === 0 ? "transparent" : color.a != void 0 ? `rgba(${r},${g},${b},${a})` : `rgb(${r},${g},${b})`; +}; +var hslaColorToHslaString = (color) => { + const { h, s: s2, l, a } = color; + const sPerc = Math.round(s2 * 100); + const lPerc = Math.round(l * 100); + return color.a === 0 ? "transparent" : color.a != void 0 ? `hsla(${h},${sPerc}%,${lPerc}%,${a})` : `hsl(${h},${sPerc}%,${lPerc}%)`; +}; +var hexStringToHslaColor = (hex) => { + const rgbaString = colorToSameTypeString(hexStringToRgbaColor(hex)); + return rgbaStringToHslaColor(rgbaString); +}; +var rgbaStringToHslaColor = (rgba) => { + const rgbaColor = parseRgbaString(rgba); + const r = rgbaColor.r / 255; + const g = rgbaColor.g / 255; + const b = rgbaColor.b / 255; + const max = Math.max(r, g, b), min = Math.min(r, g, b); + let h, s2; + const l = (max + min) / 2; + if (max == min) { + h = s2 = 0; + } else { + const d = max - min; + s2 = l >= 0.5 ? d / (2 - (max + min)) : d / (max + min); + switch (max) { + case r: + h = (g - b) / d * 60; + break; + case g: + h = ((b - r) / d + 2) * 60; + break; + default: + h = ((r - g) / d + 4) * 60; + break; + } + } + const res = { h: Math.round(h), s: s2, l }; + const a = rgbaColor.a; + if (a != void 0) { + res.a = a; + } + return res; +}; +var parseRgbaString = (str) => { + const [r, g, b, a] = str.replace(CLEAN_RGBA_REGEX, "").split(",").map((c) => Number.parseFloat(c)); + return { r, g, b, a }; +}; +var parseHslaString = (str) => { + const [h, s2, l, a] = str.replace(CLEAN_HSLA_REGEX, "").split(",").map((c) => Number.parseFloat(c)); + return { h, s: s2 / 100, l: l / 100, a }; +}; + +// src/date.ts +var MILLISECONDS_IN_DAY = 864e5; +function dateTo12HourTime(date) { + if (!date) { + return ""; + } + return date.toLocaleString("en-US", { + hour: "2-digit", + minute: "numeric", + hour12: true + }); +} +function differenceInCalendarDays(a, b, { absolute = true } = {}) { + if (!a || !b) { + return 0; + } + const utcA = Date.UTC(a.getFullYear(), a.getMonth(), a.getDate()); + const utcB = Date.UTC(b.getFullYear(), b.getMonth(), b.getDate()); + const diff = Math.floor((utcB - utcA) / MILLISECONDS_IN_DAY); + return absolute ? Math.abs(diff) : diff; +} +function normalizeDate(d) { + try { + return new Date(d || /* @__PURE__ */ new Date()); + } catch { + return /* @__PURE__ */ new Date(); + } +} +function formatRelative(props) { + const { date, relativeTo } = props; + if (!date || !relativeTo) { + return null; + } + const a = normalizeDate(date); + const b = normalizeDate(relativeTo); + const differenceInDays = differenceInCalendarDays(b, a, { absolute: false }); + if (differenceInDays < -6) { + return { relativeDateCase: "other", date: a }; + } + if (differenceInDays < -1) { + return { relativeDateCase: "previous6Days", date: a }; + } + if (differenceInDays === -1) { + return { relativeDateCase: "lastDay", date: a }; + } + if (differenceInDays === 0) { + return { relativeDateCase: "sameDay", date: a }; + } + if (differenceInDays === 1) { + return { relativeDateCase: "nextDay", date: a }; + } + if (differenceInDays < 7) { + return { relativeDateCase: "next6Days", date: a }; + } + return { relativeDateCase: "other", date: a }; +} +function addYears(initialDate, yearsToAdd) { + const date = normalizeDate(initialDate); + date.setFullYear(date.getFullYear() + yearsToAdd); + return date; +} + +// src/deprecated.ts +var displayedWarnings = /* @__PURE__ */ new Set(); +var deprecated = (fnName, warning, key) => { + const hideWarning = isTestEnvironment() || isProductionEnvironment(); + const messageId = key ?? fnName; + if (displayedWarnings.has(messageId) || hideWarning) { + return; + } + displayedWarnings.add(messageId); + console.warn( + `Clerk - DEPRECATION WARNING: "${fnName}" is deprecated and will be removed in the next major release. +${warning}` + ); +}; +var deprecatedProperty = (cls, propName, warning, isStatic = false) => { + const target = isStatic ? cls : cls.prototype; + let value = target[propName]; + Object.defineProperty(target, propName, { + get() { + deprecated(propName, warning, `${cls.name}:${propName}`); + return value; + }, + set(v) { + value = v; + } + }); +}; +var deprecatedObjectProperty = (obj, propName, warning, key) => { + let value = obj[propName]; + Object.defineProperty(obj, propName, { + get() { + deprecated(propName, warning, key); + return value; + }, + set(v) { + value = v; + } + }); +}; + +// src/deriveState.ts +var deriveState = (clerkLoaded, state, initialState) => { + if (!clerkLoaded && initialState) { + return deriveFromSsrInitialState(initialState); + } + return deriveFromClientSideState(state); +}; +var deriveFromSsrInitialState = (initialState) => { + const userId = initialState.userId; + const user = initialState.user; + const sessionId = initialState.sessionId; + const session = initialState.session; + const organization = initialState.organization; + const orgId = initialState.orgId; + const orgRole = initialState.orgRole; + const orgPermissions = initialState.orgPermissions; + const orgSlug = initialState.orgSlug; + const actor = initialState.actor; + const factorVerificationAge = initialState.factorVerificationAge; + return { + userId, + user, + sessionId, + session, + organization, + orgId, + orgRole, + orgPermissions, + orgSlug, + actor, + factorVerificationAge + }; +}; +var deriveFromClientSideState = (state) => { + const userId = state.user ? state.user.id : state.user; + const user = state.user; + const sessionId = state.session ? state.session.id : state.session; + const session = state.session; + const factorVerificationAge = state.session ? state.session.factorVerificationAge : null; + const actor = session?.actor; + const organization = state.organization; + const orgId = state.organization ? state.organization.id : state.organization; + const orgSlug = organization?.slug; + const membership = organization ? user?.organizationMemberships?.find((om) => om.organization.id === orgId) : organization; + const orgPermissions = membership ? membership.permissions : membership; + const orgRole = membership ? membership.role : membership; + return { + userId, + user, + sessionId, + session, + organization, + orgId, + orgRole, + orgSlug, + orgPermissions, + actor, + factorVerificationAge + }; +}; + +// src/error.ts +function isUnauthorizedError(e) { + const status = e?.status; + const code = e?.errors?.[0]?.code; + return code === "authentication_invalid" && status === 401; +} +function isCaptchaError(e) { + return ["captcha_invalid", "captcha_not_enabled", "captcha_missing_token"].includes(e.errors[0].code); +} +function is4xxError(e) { + const status = e?.status; + return !!status && status >= 400 && status < 500; +} +function isNetworkError(e) { + const message = (`${e.message}${e.name}` || "").toLowerCase().replace(/\s+/g, ""); + return message.includes("networkerror"); +} +function isKnownError(error) { + return isClerkAPIResponseError(error) || isMetamaskError(error) || isClerkRuntimeError(error); +} +function isClerkAPIResponseError(err) { + return "clerkError" in err; +} +function isClerkRuntimeError(err) { + return "clerkRuntimeError" in err; +} +function isMetamaskError(err) { + return "code" in err && [4001, 32602, 32603].includes(err.code) && "message" in err; +} +function isUserLockedError(err) { + return isClerkAPIResponseError(err) && err.errors?.[0]?.code === "user_locked"; +} +function isPasswordPwnedError(err) { + return isClerkAPIResponseError(err) && err.errors?.[0]?.code === "form_password_pwned"; +} +function parseErrors(data = []) { + return data.length > 0 ? data.map(parseError) : []; +} +function parseError(error) { + return { + code: error.code, + message: error.message, + longMessage: error.long_message, + meta: { + paramName: error?.meta?.param_name, + sessionId: error?.meta?.session_id, + emailAddresses: error?.meta?.email_addresses, + identifiers: error?.meta?.identifiers, + zxcvbn: error?.meta?.zxcvbn + } + }; +} +function errorToJSON(error) { + return { + code: error?.code || "", + message: error?.message || "", + long_message: error?.longMessage, + meta: { + param_name: error?.meta?.paramName, + session_id: error?.meta?.sessionId, + email_addresses: error?.meta?.emailAddresses, + identifiers: error?.meta?.identifiers, + zxcvbn: error?.meta?.zxcvbn + } + }; +} +var ClerkAPIResponseError = class _ClerkAPIResponseError extends Error { + constructor(message, { data, status, clerkTraceId }) { + super(message); + this.toString = () => { + let message = `[${this.name}] +Message:${this.message} +Status:${this.status} +Serialized errors: ${this.errors.map( + (e) => JSON.stringify(e) + )}`; + if (this.clerkTraceId) { + message += ` +Clerk Trace ID: ${this.clerkTraceId}`; + } + return message; + }; + Object.setPrototypeOf(this, _ClerkAPIResponseError.prototype); + this.status = status; + this.message = message; + this.clerkTraceId = clerkTraceId; + this.clerkError = true; + this.errors = parseErrors(data); + } +}; +var ClerkRuntimeError = class _ClerkRuntimeError extends Error { + constructor(message, { code }) { + const prefix = "\u{1F512} Clerk:"; + const regex = new RegExp(prefix.replace(" ", "\\s*"), "i"); + const sanitized = message.replace(regex, ""); + const _message = `${prefix} ${sanitized.trim()} + +(code="${code}") +`; + super(_message); + /** + * Returns a string representation of the error. + * + * @returns {string} A formatted string with the error name and message. + * @memberof ClerkRuntimeError + */ + this.toString = () => { + return `[${this.name}] +Message:${this.message}`; + }; + Object.setPrototypeOf(this, _ClerkRuntimeError.prototype); + this.code = code; + this.message = _message; + this.clerkRuntimeError = true; + this.name = "ClerkRuntimeError"; + } +}; +var EmailLinkError = class _EmailLinkError extends Error { + constructor(code) { + super(code); + this.code = code; + this.name = "EmailLinkError"; + Object.setPrototypeOf(this, _EmailLinkError.prototype); + } +}; +function isEmailLinkError(err) { + return err.name === "EmailLinkError"; +} +var EmailLinkErrorCode = { + Expired: "expired", + Failed: "failed", + ClientMismatch: "client_mismatch" +}; +var EmailLinkErrorCodeStatus = { + Expired: "expired", + Failed: "failed", + ClientMismatch: "client_mismatch" +}; +var DefaultMessages = Object.freeze({ + InvalidProxyUrlErrorMessage: `The proxyUrl passed to Clerk is invalid. The expected value for proxyUrl is an absolute URL or a relative path with a leading '/'. (key={{url}})`, + InvalidPublishableKeyErrorMessage: `The publishableKey passed to Clerk is invalid. You can get your Publishable key at https://dashboard.clerk.com/last-active?path=api-keys. (key={{key}})`, + MissingPublishableKeyErrorMessage: `Missing publishableKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`, + MissingSecretKeyErrorMessage: `Missing secretKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`, + MissingClerkProvider: `{{source}} can only be used within the component. Learn more: https://clerk.com/docs/components/clerk-provider` +}); +function buildErrorThrower({ packageName, customMessages }) { + let pkg = packageName; + const messages = { + ...DefaultMessages, + ...customMessages + }; + function buildMessage(rawMessage, replacements) { + if (!replacements) { + return `${pkg}: ${rawMessage}`; + } + let msg = rawMessage; + const matches = rawMessage.matchAll(/{{([a-zA-Z0-9-_]+)}}/g); + for (const match of matches) { + const replacement = (replacements[match[1]] || "").toString(); + msg = msg.replace(`{{${match[1]}}}`, replacement); + } + return `${pkg}: ${msg}`; + } + return { + setPackageName({ packageName: packageName2 }) { + if (typeof packageName2 === "string") { + pkg = packageName2; + } + return this; + }, + setMessages({ customMessages: customMessages2 }) { + Object.assign(messages, customMessages2 || {}); + return this; + }, + throwInvalidPublishableKeyError(params) { + throw new Error(buildMessage(messages.InvalidPublishableKeyErrorMessage, params)); + }, + throwInvalidProxyUrl(params) { + throw new Error(buildMessage(messages.InvalidProxyUrlErrorMessage, params)); + }, + throwMissingPublishableKeyError() { + throw new Error(buildMessage(messages.MissingPublishableKeyErrorMessage)); + }, + throwMissingSecretKeyError() { + throw new Error(buildMessage(messages.MissingSecretKeyErrorMessage)); + }, + throwMissingClerkProviderError(params) { + throw new Error(buildMessage(messages.MissingClerkProvider, params)); + }, + throw(message) { + throw new Error(buildMessage(message)); + } + }; +} +var ClerkWebAuthnError = class extends ClerkRuntimeError { + constructor(message, { code }) { + super(message, { code }); + this.code = code; + } +}; + +// src/file.ts +function readJSONFile(file) { + return new Promise((resolve, reject) => { + const reader = new FileReader(); + reader.addEventListener("load", function() { + const result = JSON.parse(reader.result); + resolve(result); + }); + reader.addEventListener("error", reject); + reader.readAsText(file); + }); +} +var MimeTypeToExtensionMap = Object.freeze({ + "image/png": "png", + "image/jpeg": "jpg", + "image/gif": "gif", + "image/webp": "webp", + "image/x-icon": "ico", + "image/vnd.microsoft.icon": "ico" +}); +var extension = (mimeType) => { + return MimeTypeToExtensionMap[mimeType]; +}; + +// src/retry.ts +var defaultOptions = { + initialDelay: 125, + maxDelayBetweenRetries: 0, + factor: 2, + shouldRetry: (_2, iteration) => iteration < 5, + retryImmediately: true, + jitter: true +}; +var RETRY_IMMEDIATELY_DELAY = 100; +var sleep = async (ms) => new Promise((s2) => setTimeout(s2, ms)); +var applyJitter = (delay, jitter) => { + return jitter ? delay * (1 + Math.random()) : delay; +}; +var createExponentialDelayAsyncFn = (opts) => { + let timesCalled = 0; + const calculateDelayInMs = () => { + const constant = opts.initialDelay; + const base = opts.factor; + let delay = constant * Math.pow(base, timesCalled); + delay = applyJitter(delay, opts.jitter); + return Math.min(opts.maxDelayBetweenRetries || delay, delay); + }; + return async () => { + await sleep(calculateDelayInMs()); + timesCalled++; + }; +}; +var retry = async (callback, options = {}) => { + let iterations = 0; + const { shouldRetry, initialDelay, maxDelayBetweenRetries, factor, retryImmediately, jitter } = { + ...defaultOptions, + ...options + }; + const delay = createExponentialDelayAsyncFn({ + initialDelay, + maxDelayBetweenRetries, + factor, + jitter + }); + while (true) { + try { + return await callback(); + } catch (e) { + iterations++; + if (!shouldRetry(e, iterations)) { + throw e; + } + if (retryImmediately && iterations === 1) { + await sleep(applyJitter(RETRY_IMMEDIATELY_DELAY, jitter)); + } else { + await delay(); + } + } + } +}; + +// src/loadScript.ts +var NO_DOCUMENT_ERROR = "loadScript cannot be called when document does not exist"; +var NO_SRC_ERROR = "loadScript cannot be called without a src"; +async function loadScript(src = "", opts) { + const { async, defer, beforeLoad, crossOrigin, nonce } = opts || {}; + const load = () => { + return new Promise((resolve, reject) => { + if (!src) { + reject(new Error(NO_SRC_ERROR)); + } + if (!document || !document.body) { + reject(NO_DOCUMENT_ERROR); + } + const script = document.createElement("script"); + if (crossOrigin) script.setAttribute("crossorigin", crossOrigin); + script.async = async || false; + script.defer = defer || false; + script.addEventListener("load", () => { + script.remove(); + resolve(script); + }); + script.addEventListener("error", () => { + script.remove(); + reject(); + }); + script.src = src; + script.nonce = nonce; + beforeLoad?.(script); + document.body.appendChild(script); + }); + }; + return retry(load, { shouldRetry: (_2, iterations) => iterations <= 5 }); +} + +// src/proxy.ts +function isValidProxyUrl(key) { + if (!key) { + return true; + } + return isHttpOrHttps(key) || isProxyUrlRelative(key); +} +function isHttpOrHttps(key) { + return /^http(s)?:\/\//.test(key || ""); +} +function isProxyUrlRelative(key) { + return key.startsWith("/"); +} +function proxyUrlToAbsoluteURL(url) { + if (!url) { + return ""; + } + return isProxyUrlRelative(url) ? new URL(url, window.location.origin).toString() : url; +} + +// src/url.ts +function parseSearchParams(queryString = "") { + if (queryString.startsWith("?")) { + queryString = queryString.slice(1); + } + return new URLSearchParams(queryString); +} +function stripScheme(url = "") { + return (url || "").replace(/^.+:\/\//, ""); +} +function addClerkPrefix(str) { + if (!str) { + return ""; + } + let regex; + if (str.match(/^(clerk\.)+\w*$/)) { + regex = /(clerk\.)*(?=clerk\.)/; + } else if (str.match(/\.clerk.accounts/)) { + return str; + } else { + regex = /^(clerk\.)*/gi; + } + const stripped = str.replace(regex, ""); + return `clerk.${stripped}`; +} +var getClerkJsMajorVersionOrTag = (frontendApi, version) => { + if (!version && isStaging(frontendApi)) { + return "canary"; + } + if (!version) { + return "latest"; + } + return version.split(".")[0] || "latest"; +}; +var getScriptUrl = (frontendApi, { clerkJSVersion }) => { + const noSchemeFrontendApi = frontendApi.replace(/http(s)?:\/\//, ""); + const major = getClerkJsMajorVersionOrTag(frontendApi, clerkJSVersion); + return `https://${noSchemeFrontendApi}/npm/@clerk/clerk-js@${clerkJSVersion || major}/dist/clerk.browser.js`; +}; +function isLegacyDevAccountPortalOrigin(host) { + return LEGACY_DEV_INSTANCE_SUFFIXES.some((legacyDevSuffix) => { + return host.startsWith("accounts.") && host.endsWith(legacyDevSuffix); + }); +} +function isCurrentDevAccountPortalOrigin(host) { + return CURRENT_DEV_INSTANCE_SUFFIXES.some((currentDevSuffix) => { + return host.endsWith(currentDevSuffix) && !host.endsWith(".clerk" + currentDevSuffix); + }); +} +var TRAILING_SLASH_RE = /\/$|\/\?|\/#/; +function hasTrailingSlash(input = "", respectQueryAndFragment) { + if (!respectQueryAndFragment) { + return input.endsWith("/"); + } + return TRAILING_SLASH_RE.test(input); +} +function withTrailingSlash(input = "", respectQueryAndFragment) { + if (!respectQueryAndFragment) { + return input.endsWith("/") ? input : input + "/"; + } + if (hasTrailingSlash(input, true)) { + return input || "/"; + } + let path = input; + let fragment = ""; + const fragmentIndex = input.indexOf("#"); + if (fragmentIndex >= 0) { + path = input.slice(0, fragmentIndex); + fragment = input.slice(fragmentIndex); + if (!path) { + return fragment; + } + } + const [s0, ...s2] = path.split("?"); + return s0 + "/" + (s2.length > 0 ? `?${s2.join("?")}` : "") + fragment; +} +function withoutTrailingSlash(input = "", respectQueryAndFragment) { + if (!respectQueryAndFragment) { + return (hasTrailingSlash(input) ? input.slice(0, -1) : input) || "/"; + } + if (!hasTrailingSlash(input, true)) { + return input || "/"; + } + let path = input; + let fragment = ""; + const fragmentIndex = input.indexOf("#"); + if (fragmentIndex >= 0) { + path = input.slice(0, fragmentIndex); + fragment = input.slice(fragmentIndex); + } + const [s0, ...s2] = path.split("?"); + return (s0.slice(0, -1) || "/") + (s2.length > 0 ? `?${s2.join("?")}` : "") + fragment; +} +function hasLeadingSlash(input = "") { + return input.startsWith("/"); +} +function withoutLeadingSlash(input = "") { + return (hasLeadingSlash(input) ? input.slice(1) : input) || "/"; +} +function withLeadingSlash(input = "") { + return hasLeadingSlash(input) ? input : "/" + input; +} +function cleanDoubleSlashes(input = "") { + return input.split("://").map((string_) => string_.replace(/\/{2,}/g, "/")).join("://"); +} +function isNonEmptyURL(url) { + return url && url !== "/"; +} +var JOIN_LEADING_SLASH_RE = /^\.?\//; +function joinURL(base, ...input) { + let url = base || ""; + for (const segment of input.filter((url2) => isNonEmptyURL(url2))) { + if (url) { + const _segment = segment.replace(JOIN_LEADING_SLASH_RE, ""); + url = withTrailingSlash(url) + _segment; + } else { + url = segment; + } + } + return url; +} +var ABSOLUTE_URL_REGEX = /^[a-zA-Z][a-zA-Z\d+\-.]*?:/; +var isAbsoluteUrl = (url) => ABSOLUTE_URL_REGEX.test(url); + +// src/versionSelector.ts +var versionSelector = (clerkJSVersion, packageVersion = "5.54.0") => { + if (clerkJSVersion) { + return clerkJSVersion; + } + const prereleaseTag = getPrereleaseTag(packageVersion); + if (prereleaseTag) { + if (prereleaseTag === "snapshot") { + return "5.54.0"; + } + return prereleaseTag; + } + return getMajorVersion(packageVersion); +}; +var getPrereleaseTag = (packageVersion) => packageVersion.trim().replace(/^v/, "").match(/-(.+?)(\.|$)/)?.[1]; +var getMajorVersion = (packageVersion) => packageVersion.trim().replace(/^v/, "").split(".")[0]; + +// src/loadClerkJsScript.ts +var FAILED_TO_LOAD_ERROR = "Clerk: Failed to load Clerk"; +var { isDevOrStagingUrl } = createDevOrStagingUrlCache(); +var errorThrower = buildErrorThrower({ packageName: "@clerk/shared" }); +function setClerkJsLoadingErrorPackageName(packageName) { + errorThrower.setPackageName({ packageName }); +} +var loadClerkJsScript = async (opts) => { + const existingScript = document.querySelector("script[data-clerk-js-script]"); + if (existingScript) { + return new Promise((resolve, reject) => { + existingScript.addEventListener("load", () => { + resolve(existingScript); + }); + existingScript.addEventListener("error", () => { + reject(FAILED_TO_LOAD_ERROR); + }); + }); + } + if (!opts?.publishableKey) { + errorThrower.throwMissingPublishableKeyError(); + return; + } + return loadScript(clerkJsScriptUrl(opts), { + async: true, + crossOrigin: "anonymous", + nonce: opts.nonce, + beforeLoad: applyClerkJsScriptAttributes(opts) + }).catch(() => { + throw new Error(FAILED_TO_LOAD_ERROR); + }); +}; +var clerkJsScriptUrl = (opts) => { + const { clerkJSUrl, clerkJSVariant, clerkJSVersion, proxyUrl, domain, publishableKey } = opts; + if (clerkJSUrl) { + return clerkJSUrl; + } + let scriptHost = ""; + if (!!proxyUrl && isValidProxyUrl(proxyUrl)) { + scriptHost = proxyUrlToAbsoluteURL(proxyUrl).replace(/http(s)?:\/\//, ""); + } else if (domain && !isDevOrStagingUrl(parsePublishableKey(publishableKey)?.frontendApi || "")) { + scriptHost = addClerkPrefix(domain); + } else { + scriptHost = parsePublishableKey(publishableKey)?.frontendApi || ""; + } + const variant = clerkJSVariant ? `${clerkJSVariant.replace(/\.+$/, "")}.` : ""; + const version = versionSelector(clerkJSVersion); + return `https://${scriptHost}/npm/@clerk/clerk-js@${version}/dist/clerk.${variant}browser.js`; +}; +var buildClerkJsScriptAttributes = (options) => { + const obj = {}; + if (options.publishableKey) { + obj["data-clerk-publishable-key"] = options.publishableKey; + } + if (options.proxyUrl) { + obj["data-clerk-proxy-url"] = options.proxyUrl; + } + if (options.domain) { + obj["data-clerk-domain"] = options.domain; + } + if (options.nonce) { + obj.nonce = options.nonce; + } + return obj; +}; +var applyClerkJsScriptAttributes = (options) => (script) => { + const attributes = buildClerkJsScriptAttributes(options); + for (const attribute in attributes) { + script.setAttribute(attribute, attributes[attribute]); + } +}; + +// src/localStorageBroadcastChannel.ts +var KEY_PREFIX = "__lsbc__"; +var LocalStorageBroadcastChannel = class { + constructor(name) { + this.eventTarget = window; + this.postMessage = (data) => { + if (typeof window === "undefined") { + return; + } + try { + window.localStorage.setItem(this.channelKey, JSON.stringify(data)); + window.localStorage.removeItem(this.channelKey); + } catch { + } + }; + this.addEventListener = (eventName, listener) => { + this.eventTarget.addEventListener(this.prefixEventName(eventName), (e) => { + listener(e); + }); + }; + this.setupLocalStorageListener = () => { + const notifyListeners = (e) => { + if (e.key !== this.channelKey || !e.newValue) { + return; + } + try { + const data = JSON.parse(e.newValue || ""); + const event = new MessageEvent(this.prefixEventName("message"), { + data + }); + this.eventTarget.dispatchEvent(event); + } catch { + } + }; + window.addEventListener("storage", notifyListeners); + }; + this.channelKey = KEY_PREFIX + name; + this.setupLocalStorageListener(); + } + prefixEventName(eventName) { + return this.channelKey + eventName; + } +}; + +// src/workerTimers/workerTimers.worker.ts +var workerTimers_worker_default = 'const respond=r=>{self.postMessage(r)},workerToTabIds={};self.addEventListener("message",r=>{const e=r.data;switch(e.type){case"setTimeout":workerToTabIds[e.id]=setTimeout(()=>{respond({id:e.id}),delete workerToTabIds[e.id]},e.ms);break;case"clearTimeout":workerToTabIds[e.id]&&(clearTimeout(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break;case"setInterval":workerToTabIds[e.id]=setInterval(()=>{respond({id:e.id})},e.ms);break;case"clearInterval":workerToTabIds[e.id]&&(clearInterval(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break}});\n'; + +// src/workerTimers/createWorkerTimers.ts +var createWebWorker = (source, opts = {}) => { + if (typeof Worker === "undefined") { + return null; + } + try { + const blob = new Blob([source], { type: "application/javascript; charset=utf-8" }); + const workerScript = globalThis.URL.createObjectURL(blob); + return new Worker(workerScript, opts); + } catch { + console.warn("Clerk: Cannot create worker from blob. Consider adding worker-src blob:; to your CSP"); + return null; + } +}; +var fallbackTimers = () => { + const setTimeout2 = globalThis.setTimeout.bind(globalThis); + const setInterval = globalThis.setInterval.bind(globalThis); + const clearTimeout = globalThis.clearTimeout.bind(globalThis); + const clearInterval = globalThis.clearInterval.bind(globalThis); + return { setTimeout: setTimeout2, setInterval, clearTimeout, clearInterval, cleanup: noop }; +}; +var createWorkerTimers = () => { + let id = 0; + const generateId = () => id++; + const callbacks = /* @__PURE__ */ new Map(); + const post = (w, p) => w?.postMessage(p); + const handleMessage = (e) => { + callbacks.get(e.data.id)?.(); + }; + let worker = createWebWorker(workerTimers_worker_default, { name: "clerk-timers" }); + worker?.addEventListener("message", handleMessage); + if (!worker) { + return fallbackTimers(); + } + const init = () => { + if (!worker) { + worker = createWebWorker(workerTimers_worker_default, { name: "clerk-timers" }); + worker?.addEventListener("message", handleMessage); + } + }; + const cleanup = () => { + if (worker) { + worker.terminate(); + worker = null; + callbacks.clear(); + } + }; + const setTimeout2 = (cb, ms) => { + init(); + const id2 = generateId(); + callbacks.set(id2, () => { + cb(); + callbacks.delete(id2); + }); + post(worker, { type: "setTimeout", id: id2, ms }); + return id2; + }; + const setInterval = (cb, ms) => { + init(); + const id2 = generateId(); + callbacks.set(id2, cb); + post(worker, { type: "setInterval", id: id2, ms }); + return id2; + }; + const clearTimeout = (id2) => { + init(); + callbacks.delete(id2); + post(worker, { type: "clearTimeout", id: id2 }); + }; + const clearInterval = (id2) => { + init(); + callbacks.delete(id2); + post(worker, { type: "clearInterval", id: id2 }); + }; + return { setTimeout: setTimeout2, setInterval, clearTimeout, clearInterval, cleanup }; +}; + +// src/poller.ts +function Poller({ delayInMs } = { delayInMs: 1e3 }) { + const workerTimers = createWorkerTimers(); + let timerId; + let stopped = false; + const stop = () => { + if (timerId) { + workerTimers.clearTimeout(timerId); + workerTimers.cleanup(); + } + stopped = true; + }; + const run = async (cb) => { + stopped = false; + await cb(stop); + if (stopped) { + return; + } + timerId = workerTimers.setTimeout(() => { + void run(cb); + }, delayInMs); + }; + return { run, stop }; +} + +// src/underscore.ts +var toSentence = (items) => { + if (items.length == 0) { + return ""; + } + if (items.length == 1) { + return items[0]; + } + let sentence = items.slice(0, -1).join(", "); + sentence += `, or ${items.slice(-1)}`; + return sentence; +}; +var IP_V4_ADDRESS_REGEX = /^(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$/; +function isIPV4Address(str) { + return IP_V4_ADDRESS_REGEX.test(str || ""); +} +function titleize(str) { + const s2 = str || ""; + return s2.charAt(0).toUpperCase() + s2.slice(1); +} +function snakeToCamel(str) { + return str ? str.replace(/([-_][a-z])/g, (match) => match.toUpperCase().replace(/-|_/, "")) : ""; +} +function camelToSnake(str) { + return str ? str.replace(/[A-Z]/g, (letter) => `_${letter.toLowerCase()}`) : ""; +} +var createDeepObjectTransformer = (transform) => { + const deepTransform = (obj) => { + if (!obj) { + return obj; + } + if (Array.isArray(obj)) { + return obj.map((el) => { + if (typeof el === "object" || Array.isArray(el)) { + return deepTransform(el); + } + return el; + }); + } + const copy = { ...obj }; + const keys = Object.keys(copy); + for (const oldName of keys) { + const newName = transform(oldName.toString()); + if (newName !== oldName) { + copy[newName] = copy[oldName]; + delete copy[oldName]; + } + if (typeof copy[newName] === "object") { + copy[newName] = deepTransform(copy[newName]); + } + } + return copy; + }; + return deepTransform; +}; +var deepCamelToSnake = createDeepObjectTransformer(camelToSnake); +var deepSnakeToCamel = createDeepObjectTransformer(snakeToCamel); +function isTruthy(value) { + if (typeof value === `boolean`) { + return value; + } + if (value === void 0 || value === null) { + return false; + } + if (typeof value === `string`) { + if (value.toLowerCase() === `true`) { + return true; + } + if (value.toLowerCase() === `false`) { + return false; + } + } + const number = parseInt(value, 10); + if (isNaN(number)) { + return false; + } + if (number > 0) { + return true; + } + return false; +} +function getNonUndefinedValues(obj) { + return Object.entries(obj).reduce((acc, [key, value]) => { + if (value !== void 0) { + acc[key] = value; + } + return acc; + }, {}); +} + +// src/object.ts +var without = (obj, ...props) => { + const copy = { ...obj }; + for (const prop of props) { + delete copy[prop]; + } + return copy; +}; +var removeUndefined = (obj) => { + return Object.entries(obj).reduce((acc, [key, value]) => { + if (value !== void 0 && value !== null) { + acc[key] = value; + } + return acc; + }, {}); +}; +var applyFunctionToObj = (obj, fn) => { + const result = {}; + for (const key in obj) { + result[key] = fn(obj[key], key); + } + return result; +}; +var filterProps = (obj, filter) => { + const result = {}; + for (const key in obj) { + if (obj[key] && filter(obj[key])) { + result[key] = obj[key]; + } + } + return result; +}; + +// src/logger.ts +var loggedMessages = /* @__PURE__ */ new Set(); +var logger = { + /** + * A custom logger that ensures messages are logged only once. + * Reduces noise and duplicated messages when logs are in a hot codepath. + */ + warnOnce: (msg) => { + if (loggedMessages.has(msg)) { + return; + } + loggedMessages.add(msg); + console.warn(msg); + }, + logOnce: (msg) => { + if (loggedMessages.has(msg)) { + return; + } + console.log(msg); + loggedMessages.add(msg); + } +}; + +// src/devBrowser.ts +var DEV_BROWSER_JWT_KEY = "__clerk_db_jwt"; +function setDevBrowserJWTInURL(url, jwt) { + const resultURL = new URL(url); + const jwtFromSearch = resultURL.searchParams.get(DEV_BROWSER_JWT_KEY); + resultURL.searchParams.delete(DEV_BROWSER_JWT_KEY); + const jwtToSet = jwtFromSearch || jwt; + if (jwtToSet) { + resultURL.searchParams.set(DEV_BROWSER_JWT_KEY, jwtToSet); + } + return resultURL; +} +function extractDevBrowserJWTFromURL(url) { + const jwt = readDevBrowserJwtFromSearchParams(url); + const cleanUrl = removeDevBrowserJwt(url); + if (cleanUrl.href !== url.href && typeof globalThis.history !== "undefined") { + globalThis.history.replaceState(null, "", removeDevBrowserJwt(url)); + } + return jwt; +} +var readDevBrowserJwtFromSearchParams = (url) => { + return url.searchParams.get(DEV_BROWSER_JWT_KEY) || ""; +}; +var removeDevBrowserJwt = (url) => { + return removeDevBrowserJwtFromURLSearchParams(removeLegacyDevBrowserJwt(url)); +}; +var removeDevBrowserJwtFromURLSearchParams = (_url) => { + const url = new URL(_url); + url.searchParams.delete(DEV_BROWSER_JWT_KEY); + return url; +}; +var removeLegacyDevBrowserJwt = (_url) => { + const DEV_BROWSER_JWT_MARKER_REGEXP = /__clerk_db_jwt\[(.*)\]/; + const DEV_BROWSER_JWT_LEGACY_KEY = "__dev_session"; + const url = new URL(_url); + url.searchParams.delete(DEV_BROWSER_JWT_LEGACY_KEY); + url.hash = decodeURI(url.hash).replace(DEV_BROWSER_JWT_MARKER_REGEXP, ""); + if (url.href.endsWith("#")) { + url.hash = ""; + } + return url; +}; + +// src/getEnvVariable.ts +var import_meta = {}; +var hasCloudflareProxyContext = (context) => { + return !!context?.cloudflare?.env; +}; +var hasCloudflareContext = (context) => { + return !!context?.env; +}; +var getEnvVariable = (name, context) => { + if (typeof process !== "undefined" && process.env && typeof process.env[name] === "string") { + return process.env[name]; + } + if (typeof import_meta !== "undefined" && import_meta.env && typeof import_meta.env[name] === "string") { + return import_meta.env[name]; + } + if (hasCloudflareProxyContext(context)) { + return context.cloudflare.env[name] || ""; + } + if (hasCloudflareContext(context)) { + return context.env[name] || ""; + } + if (context && typeof context[name] === "string") { + return context[name]; + } + try { + return globalThis[name]; + } catch { + } + return ""; +}; + +// src/compiled/path-to-regexp/index.js +function _(r) { + for (var n = [], e = 0; e < r.length; ) { + var a = r[e]; + if (a === "*" || a === "+" || a === "?") { + n.push({ + type: "MODIFIER", + index: e, + value: r[e++] + }); + continue; + } + if (a === "\\") { + n.push({ + type: "ESCAPED_CHAR", + index: e++, + value: r[e++] + }); + continue; + } + if (a === "{") { + n.push({ + type: "OPEN", + index: e, + value: r[e++] + }); + continue; + } + if (a === "}") { + n.push({ + type: "CLOSE", + index: e, + value: r[e++] + }); + continue; + } + if (a === ":") { + for (var u = "", t = e + 1; t < r.length; ) { + var c = r.charCodeAt(t); + if (c >= 48 && c <= 57 || c >= 65 && c <= 90 || c >= 97 && c <= 122 || c === 95) { + u += r[t++]; + continue; + } + break; + } + if (!u) throw new TypeError("Missing parameter name at ".concat(e)); + n.push({ + type: "NAME", + index: e, + value: u + }), e = t; + continue; + } + if (a === "(") { + var o = 1, m = "", t = e + 1; + if (r[t] === "?") throw new TypeError('Pattern cannot start with "?" at '.concat(t)); + for (; t < r.length; ) { + if (r[t] === "\\") { + m += r[t++] + r[t++]; + continue; + } + if (r[t] === ")") { + if (o--, o === 0) { + t++; + break; + } + } else if (r[t] === "(" && (o++, r[t + 1] !== "?")) + throw new TypeError("Capturing groups are not allowed at ".concat(t)); + m += r[t++]; + } + if (o) throw new TypeError("Unbalanced pattern at ".concat(e)); + if (!m) throw new TypeError("Missing pattern at ".concat(e)); + n.push({ + type: "PATTERN", + index: e, + value: m + }), e = t; + continue; + } + n.push({ + type: "CHAR", + index: e, + value: r[e++] + }); + } + return n.push({ + type: "END", + index: e, + value: "" + }), n; +} +function F(r, n) { + n === void 0 && (n = {}); + for (var e = _(r), a = n.prefixes, u = a === void 0 ? "./" : a, t = n.delimiter, c = t === void 0 ? "/#?" : t, o = [], m = 0, h = 0, p = "", f = function(l) { + if (h < e.length && e[h].type === l) return e[h++].value; + }, w = function(l) { + var v = f(l); + if (v !== void 0) return v; + var E = e[h], N = E.type, S = E.index; + throw new TypeError("Unexpected ".concat(N, " at ").concat(S, ", expected ").concat(l)); + }, d = function() { + for (var l = "", v; v = f("CHAR") || f("ESCAPED_CHAR"); ) l += v; + return l; + }, M = function(l) { + for (var v = 0, E = c; v < E.length; v++) { + var N = E[v]; + if (l.indexOf(N) > -1) return true; + } + return false; + }, A = function(l) { + var v = o[o.length - 1], E = l || (v && typeof v == "string" ? v : ""); + if (v && !E) + throw new TypeError('Must have text between two parameters, missing text after "'.concat(v.name, '"')); + return !E || M(E) ? "[^".concat(s(c), "]+?") : "(?:(?!".concat(s(E), ")[^").concat(s(c), "])+?"); + }; h < e.length; ) { + var T = f("CHAR"), x = f("NAME"), C = f("PATTERN"); + if (x || C) { + var g = T || ""; + u.indexOf(g) === -1 && (p += g, g = ""), p && (o.push(p), p = ""), o.push({ + name: x || m++, + prefix: g, + suffix: "", + pattern: C || A(g), + modifier: f("MODIFIER") || "" + }); + continue; + } + var i = T || f("ESCAPED_CHAR"); + if (i) { + p += i; + continue; + } + p && (o.push(p), p = ""); + var R = f("OPEN"); + if (R) { + var g = d(), y = f("NAME") || "", O = f("PATTERN") || "", b = d(); + w("CLOSE"), o.push({ + name: y || (O ? m++ : ""), + pattern: y && !O ? A(g) : O, + prefix: g, + suffix: b, + modifier: f("MODIFIER") || "" + }); + continue; + } + w("END"); + } + return o; +} +function s(r) { + return r.replace(/([.+*?=^!:${}()[\]|/\\])/g, "\\$1"); +} +function D(r) { + return r && r.sensitive ? "" : "i"; +} +function $(r, n) { + if (!n) return r; + for (var e = /\((?:\?<(.*?)>)?(?!\?)/g, a = 0, u = e.exec(r.source); u; ) + n.push({ + name: u[1] || a++, + prefix: "", + suffix: "", + modifier: "", + pattern: "" + }), u = e.exec(r.source); + return r; +} +function W(r, n, e) { + var a = r.map(function(u) { + return P(u, n, e).source; + }); + return new RegExp("(?:".concat(a.join("|"), ")"), D(e)); +} +function L(r, n, e) { + return U(F(r, e), n, e); +} +function U(r, n, e) { + e === void 0 && (e = {}); + for (var a = e.strict, u = a === void 0 ? false : a, t = e.start, c = t === void 0 ? true : t, o = e.end, m = o === void 0 ? true : o, h = e.encode, p = h === void 0 ? function(v) { + return v; + } : h, f = e.delimiter, w = f === void 0 ? "/#?" : f, d = e.endsWith, M = d === void 0 ? "" : d, A = "[".concat(s(M), "]|$"), T = "[".concat(s(w), "]"), x = c ? "^" : "", C = 0, g = r; C < g.length; C++) { + var i = g[C]; + if (typeof i == "string") x += s(p(i)); + else { + var R = s(p(i.prefix)), y = s(p(i.suffix)); + if (i.pattern) + if (n && n.push(i), R || y) + if (i.modifier === "+" || i.modifier === "*") { + var O = i.modifier === "*" ? "?" : ""; + x += "(?:".concat(R, "((?:").concat(i.pattern, ")(?:").concat(y).concat(R, "(?:").concat(i.pattern, "))*)").concat(y, ")").concat(O); + } else x += "(?:".concat(R, "(").concat(i.pattern, ")").concat(y, ")").concat(i.modifier); + else { + if (i.modifier === "+" || i.modifier === "*") + throw new TypeError('Can not repeat "'.concat(i.name, '" without a prefix and suffix')); + x += "(".concat(i.pattern, ")").concat(i.modifier); + } + else x += "(?:".concat(R).concat(y, ")").concat(i.modifier); + } + } + if (m) u || (x += "".concat(T, "?")), x += e.endsWith ? "(?=".concat(A, ")") : "$"; + else { + var b = r[r.length - 1], l = typeof b == "string" ? T.indexOf(b[b.length - 1]) > -1 : b === void 0; + u || (x += "(?:".concat(T, "(?=").concat(A, "))?")), l || (x += "(?=".concat(T, "|").concat(A, ")")); + } + return new RegExp(x, D(e)); +} +function P(r, n, e) { + return r instanceof RegExp ? $(r, n) : Array.isArray(r) ? W(r, n, e) : L(r, n, e); +} + +// src/pathToRegexp.ts +var pathToRegexp = (path) => { + try { + return P(path); + } catch (e) { + throw new Error( + `Invalid path: ${path}. +Consult the documentation of path-to-regexp here: https://github.com/pillarjs/path-to-regexp/tree/6.x +${e.message}` + ); + } +}; + +// src/pathMatcher.ts +var precomputePathRegex = (patterns) => { + return patterns.map((pattern) => pattern instanceof RegExp ? pattern : pathToRegexp(pattern)); +}; +var createPathMatcher = (patterns) => { + const routePatterns = [patterns || ""].flat().filter(Boolean); + const matchers = precomputePathRegex(routePatterns); + return (pathname) => matchers.some((matcher) => matcher.test(pathname)); +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + CURRENT_DEV_INSTANCE_SUFFIXES, + ClerkAPIResponseError, + ClerkRuntimeError, + ClerkWebAuthnError, + DEV_BROWSER_JWT_KEY, + DEV_OR_STAGING_SUFFIXES, + EmailLinkError, + EmailLinkErrorCode, + EmailLinkErrorCodeStatus, + LEGACY_DEV_INSTANCE_SUFFIXES, + LOCAL_API_URL, + LOCAL_ENV_SUFFIXES, + LocalStorageBroadcastChannel, + PROD_API_URL, + Poller, + STAGING_API_URL, + STAGING_ENV_SUFFIXES, + addClerkPrefix, + addYears, + apiUrlFromPublishableKey, + applyFunctionToObj, + buildClerkJsScriptAttributes, + buildErrorThrower, + buildPublishableKey, + camelToSnake, + cleanDoubleSlashes, + clerkJsScriptUrl, + colorToSameTypeString, + createDeferredPromise, + createDevOrStagingUrlCache, + createPathMatcher, + createWorkerTimers, + dateTo12HourTime, + deepCamelToSnake, + deepSnakeToCamel, + deprecated, + deprecatedObjectProperty, + deprecatedProperty, + deriveState, + differenceInCalendarDays, + errorToJSON, + extension, + extractDevBrowserJWTFromURL, + fastDeepMergeAndKeep, + fastDeepMergeAndReplace, + filterProps, + formatRelative, + getClerkJsMajorVersionOrTag, + getCookieSuffix, + getEnvVariable, + getNonUndefinedValues, + getScriptUrl, + getSuffixedCookieName, + handleValueOrFn, + hasAlpha, + hasLeadingSlash, + hasTrailingSlash, + hexStringToRgbaColor, + iconImageUrl, + inBrowser, + is4xxError, + isAbsoluteUrl, + isBrowserOnline, + isCaptchaError, + isClerkAPIResponseError, + isClerkRuntimeError, + isCurrentDevAccountPortalOrigin, + isDevelopmentEnvironment, + isDevelopmentFromPublishableKey, + isDevelopmentFromSecretKey, + isEmailLinkError, + isHSLColor, + isHttpOrHttps, + isIPV4Address, + isKnownError, + isLegacyDevAccountPortalOrigin, + isMetamaskError, + isNetworkError, + isNonEmptyURL, + isPasswordPwnedError, + isProductionEnvironment, + isProductionFromPublishableKey, + isProductionFromSecretKey, + isProxyUrlRelative, + isPublishableKey, + isRGBColor, + isStaging, + isTestEnvironment, + isTransparent, + isTruthy, + isUnauthorizedError, + isUserLockedError, + isValidBrowser, + isValidBrowserOnline, + isValidHexString, + isValidHslaString, + isValidProxyUrl, + isValidRgbaString, + isomorphicAtob, + isomorphicBtoa, + joinURL, + loadClerkJsScript, + loadScript, + logErrorInDevMode, + logger, + noop, + normalizeDate, + parseError, + parseErrors, + parsePublishableKey, + parseSearchParams, + proxyUrlToAbsoluteURL, + readJSONFile, + removeUndefined, + setClerkJsLoadingErrorPackageName, + setDevBrowserJWTInURL, + snakeToCamel, + stringToHslaColor, + stringToSameTypeColor, + stripScheme, + titleize, + toSentence, + userAgentIsRobot, + versionSelector, + withLeadingSlash, + withTrailingSlash, + without, + withoutLeadingSlash, + withoutTrailingSlash +}); +//# sourceMappingURL=index.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.js.map new file mode 100644 index 000000000..9b00b7abf --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/index.ts","../src/utils/noop.ts","../src/utils/createDeferredPromise.ts","../src/utils/instance.ts","../src/utils/runtimeEnvironment.ts","../src/utils/logErrorInDevMode.ts","../src/utils/handleValueOrFn.ts","../src/utils/fastDeepMerge.ts","../src/constants.ts","../src/isomorphicAtob.ts","../src/isomorphicBtoa.ts","../src/keys.ts","../src/apiUrlFromPublishableKey.ts","../src/browser.ts","../src/color.ts","../src/date.ts","../src/deprecated.ts","../src/deriveState.ts","../src/error.ts","../src/file.ts","../src/retry.ts","../src/loadScript.ts","../src/proxy.ts","../src/url.ts","../src/versionSelector.ts","../src/loadClerkJsScript.ts","../src/localStorageBroadcastChannel.ts","../src/workerTimers/workerTimers.worker.ts","../src/workerTimers/createWorkerTimers.ts","../src/poller.ts","../src/underscore.ts","../src/object.ts","../src/logger.ts","../src/devBrowser.ts","../src/getEnvVariable.ts","../src/compiled/path-to-regexp/index.js","../src/pathToRegexp.ts","../src/pathMatcher.ts"],"sourcesContent":["/** The following files are not exported on purpose:\n * - cookie.ts\n * - globs.ts\n *\n * The following folders are also not exported on purpose:\n * - react\n *\n * People should always use @clerk/shared/ instead\n */\n\nexport * from './utils';\n\nexport { apiUrlFromPublishableKey } from './apiUrlFromPublishableKey';\nexport * from './browser';\nexport * from './color';\nexport * from './constants';\nexport * from './date';\nexport * from './deprecated';\nexport { deriveState } from './deriveState';\nexport * from './error';\nexport * from './file';\nexport { isomorphicAtob } from './isomorphicAtob';\nexport { isomorphicBtoa } from './isomorphicBtoa';\nexport * from './keys';\nexport * from './loadClerkJsScript';\nexport { loadScript } from './loadScript';\nexport { LocalStorageBroadcastChannel } from './localStorageBroadcastChannel';\nexport * from './poller';\nexport * from './proxy';\nexport * from './underscore';\nexport * from './url';\nexport { versionSelector } from './versionSelector';\nexport * from './object';\nexport * from './logger';\nexport { createWorkerTimers } from './workerTimers';\nexport { DEV_BROWSER_JWT_KEY, extractDevBrowserJWTFromURL, setDevBrowserJWTInURL } from './devBrowser';\nexport { getEnvVariable } from './getEnvVariable';\nexport * from './pathMatcher';\n","export const noop = (..._args: any[]): void => {\n // do nothing.\n};\n","import { noop } from './noop';\n\ntype Callback = (val?: any) => void;\n\n/**\n * Create a promise that can be resolved or rejected from\n * outside the Promise constructor callback\n */\nexport const createDeferredPromise = () => {\n let resolve: Callback = noop;\n let reject: Callback = noop;\n const promise = new Promise((res, rej) => {\n resolve = res;\n reject = rej;\n });\n return { promise, resolve, reject };\n};\n","/**\n * Check if the frontendApi ends with a staging domain\n */\nexport function isStaging(frontendApi: string): boolean {\n return (\n frontendApi.endsWith('.lclstage.dev') ||\n frontendApi.endsWith('.stgstage.dev') ||\n frontendApi.endsWith('.clerkstage.dev') ||\n frontendApi.endsWith('.accountsstage.dev')\n );\n}\n","export const isDevelopmentEnvironment = (): boolean => {\n try {\n return process.env.NODE_ENV === 'development';\n // eslint-disable-next-line no-empty\n } catch {}\n\n // TODO: add support for import.meta.env.DEV that is being used by vite\n\n return false;\n};\n\nexport const isTestEnvironment = (): boolean => {\n try {\n return process.env.NODE_ENV === 'test';\n // eslint-disable-next-line no-empty\n } catch {}\n\n // TODO: add support for import.meta.env.DEV that is being used by vite\n return false;\n};\n\nexport const isProductionEnvironment = (): boolean => {\n try {\n return process.env.NODE_ENV === 'production';\n // eslint-disable-next-line no-empty\n } catch {}\n\n // TODO: add support for import.meta.env.DEV that is being used by vite\n return false;\n};\n","import { isDevelopmentEnvironment } from './runtimeEnvironment';\n\nexport const logErrorInDevMode = (message: string) => {\n if (isDevelopmentEnvironment()) {\n console.error(`Clerk: ${message}`);\n }\n};\n","type VOrFnReturnsV = T | undefined | ((v: URL) => T);\nexport function handleValueOrFn(value: VOrFnReturnsV, url: URL): T | undefined;\nexport function handleValueOrFn(value: VOrFnReturnsV, url: URL, defaultValue: T): T;\nexport function handleValueOrFn(value: VOrFnReturnsV, url: URL, defaultValue?: unknown): unknown {\n if (typeof value === 'function') {\n return (value as (v: URL) => T)(url);\n }\n\n if (typeof value !== 'undefined') {\n return value;\n }\n\n if (typeof defaultValue !== 'undefined') {\n return defaultValue;\n }\n\n return undefined;\n}\n","/**\n * Merges 2 objects without creating new object references\n * The merged props will appear on the `target` object\n * If `target` already has a value for a given key it will not be overwritten\n */\nexport const fastDeepMergeAndReplace = (\n source: Record | undefined | null,\n target: Record | undefined | null,\n) => {\n if (!source || !target) {\n return;\n }\n\n for (const key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key) && source[key] !== null && typeof source[key] === `object`) {\n if (target[key] === undefined) {\n target[key] = new (Object.getPrototypeOf(source[key]).constructor)();\n }\n fastDeepMergeAndReplace(source[key], target[key]);\n } else if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n};\n\nexport const fastDeepMergeAndKeep = (\n source: Record | undefined | null,\n target: Record | undefined | null,\n) => {\n if (!source || !target) {\n return;\n }\n\n for (const key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key) && source[key] !== null && typeof source[key] === `object`) {\n if (target[key] === undefined) {\n target[key] = new (Object.getPrototypeOf(source[key]).constructor)();\n }\n fastDeepMergeAndKeep(source[key], target[key]);\n } else if (Object.prototype.hasOwnProperty.call(source, key) && target[key] === undefined) {\n target[key] = source[key];\n }\n }\n};\n","export const LEGACY_DEV_INSTANCE_SUFFIXES = ['.lcl.dev', '.lclstage.dev', '.lclclerk.com'];\nexport const CURRENT_DEV_INSTANCE_SUFFIXES = ['.accounts.dev', '.accountsstage.dev', '.accounts.lclclerk.com'];\nexport const DEV_OR_STAGING_SUFFIXES = [\n '.lcl.dev',\n '.stg.dev',\n '.lclstage.dev',\n '.stgstage.dev',\n '.dev.lclclerk.com',\n '.stg.lclclerk.com',\n '.accounts.lclclerk.com',\n 'accountsstage.dev',\n 'accounts.dev',\n];\nexport const LOCAL_ENV_SUFFIXES = ['.lcl.dev', 'lclstage.dev', '.lclclerk.com', '.accounts.lclclerk.com'];\nexport const STAGING_ENV_SUFFIXES = ['.accountsstage.dev'];\nexport const LOCAL_API_URL = 'https://api.lclclerk.com';\nexport const STAGING_API_URL = 'https://api.clerkstage.dev';\nexport const PROD_API_URL = 'https://api.clerk.com';\n\n/**\n * Returns the URL for a static image\n * using the new img.clerk.com service\n */\nexport function iconImageUrl(id: string, format: 'svg' | 'jpeg' = 'svg'): string {\n return `https://img.clerk.com/static/${id}.${format}`;\n}\n","/**\n * A function that decodes a string of data which has been encoded using base-64 encoding.\n * Uses `atob` if available, otherwise uses `Buffer` from `global`. If neither are available, returns the data as-is.\n */\nexport const isomorphicAtob = (data: string) => {\n if (typeof atob !== 'undefined' && typeof atob === 'function') {\n return atob(data);\n } else if (typeof global !== 'undefined' && global.Buffer) {\n return new global.Buffer(data, 'base64').toString();\n }\n return data;\n};\n","export const isomorphicBtoa = (data: string) => {\n if (typeof btoa !== 'undefined' && typeof btoa === 'function') {\n return btoa(data);\n } else if (typeof global !== 'undefined' && global.Buffer) {\n return new global.Buffer(data).toString('base64');\n }\n return data;\n};\n","import type { PublishableKey } from '@clerk/types';\n\nimport { DEV_OR_STAGING_SUFFIXES, LEGACY_DEV_INSTANCE_SUFFIXES } from './constants';\nimport { isomorphicAtob } from './isomorphicAtob';\nimport { isomorphicBtoa } from './isomorphicBtoa';\n\ntype ParsePublishableKeyOptions = {\n fatal?: boolean;\n domain?: string;\n proxyUrl?: string;\n};\n\nconst PUBLISHABLE_KEY_LIVE_PREFIX = 'pk_live_';\nconst PUBLISHABLE_KEY_TEST_PREFIX = 'pk_test_';\n\n// This regex matches the publishable like frontend API keys (e.g. foo-bar-13.clerk.accounts.dev)\nconst PUBLISHABLE_FRONTEND_API_DEV_REGEX = /^(([a-z]+)-){2}([0-9]{1,2})\\.clerk\\.accounts([a-z.]*)(dev|com)$/i;\n\nexport function buildPublishableKey(frontendApi: string): string {\n const isDevKey =\n PUBLISHABLE_FRONTEND_API_DEV_REGEX.test(frontendApi) ||\n (frontendApi.startsWith('clerk.') && LEGACY_DEV_INSTANCE_SUFFIXES.some(s => frontendApi.endsWith(s)));\n const keyPrefix = isDevKey ? PUBLISHABLE_KEY_TEST_PREFIX : PUBLISHABLE_KEY_LIVE_PREFIX;\n return `${keyPrefix}${isomorphicBtoa(`${frontendApi}$`)}`;\n}\n\nexport function parsePublishableKey(\n key: string | undefined,\n options: ParsePublishableKeyOptions & { fatal: true },\n): PublishableKey;\nexport function parsePublishableKey(\n key: string | undefined,\n options?: ParsePublishableKeyOptions,\n): PublishableKey | null;\nexport function parsePublishableKey(\n key: string | undefined,\n options: { fatal?: boolean; domain?: string; proxyUrl?: string } = {},\n): PublishableKey | null {\n key = key || '';\n\n if (!key || !isPublishableKey(key)) {\n if (options.fatal && !key) {\n throw new Error(\n 'Publishable key is missing. Ensure that your publishable key is correctly configured. Double-check your environment configuration for your keys, or access them here: https://dashboard.clerk.com/last-active?path=api-keys',\n );\n }\n if (options.fatal && !isPublishableKey(key)) {\n throw new Error('Publishable key not valid.');\n }\n return null;\n }\n\n const instanceType = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) ? 'production' : 'development';\n\n let frontendApi = isomorphicAtob(key.split('_')[2]);\n\n // TODO(@dimkl): validate packages/clerk-js/src/utils/instance.ts\n frontendApi = frontendApi.slice(0, -1);\n\n if (options.proxyUrl) {\n frontendApi = options.proxyUrl;\n } else if (instanceType !== 'development' && options.domain) {\n frontendApi = `clerk.${options.domain}`;\n }\n\n return {\n instanceType,\n frontendApi,\n };\n}\n\n/**\n * Checks if the provided key is a valid publishable key.\n *\n * @param key - The key to be checked. Defaults to an empty string if not provided.\n * @returns `true` if 'key' is a valid publishable key, `false` otherwise.\n */\nexport function isPublishableKey(key: string = '') {\n try {\n const hasValidPrefix = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) || key.startsWith(PUBLISHABLE_KEY_TEST_PREFIX);\n\n const hasValidFrontendApiPostfix = isomorphicAtob(key.split('_')[2] || '').endsWith('$');\n\n return hasValidPrefix && hasValidFrontendApiPostfix;\n } catch {\n return false;\n }\n}\n\nexport function createDevOrStagingUrlCache() {\n const devOrStagingUrlCache = new Map();\n\n return {\n isDevOrStagingUrl: (url: string | URL): boolean => {\n if (!url) {\n return false;\n }\n\n const hostname = typeof url === 'string' ? url : url.hostname;\n let res = devOrStagingUrlCache.get(hostname);\n if (res === undefined) {\n res = DEV_OR_STAGING_SUFFIXES.some(s => hostname.endsWith(s));\n devOrStagingUrlCache.set(hostname, res);\n }\n return res;\n },\n };\n}\n\nexport function isDevelopmentFromPublishableKey(apiKey: string): boolean {\n return apiKey.startsWith('test_') || apiKey.startsWith('pk_test_');\n}\n\nexport function isProductionFromPublishableKey(apiKey: string): boolean {\n return apiKey.startsWith('live_') || apiKey.startsWith('pk_live_');\n}\n\nexport function isDevelopmentFromSecretKey(apiKey: string): boolean {\n return apiKey.startsWith('test_') || apiKey.startsWith('sk_test_');\n}\n\nexport function isProductionFromSecretKey(apiKey: string): boolean {\n return apiKey.startsWith('live_') || apiKey.startsWith('sk_live_');\n}\n\nexport async function getCookieSuffix(\n publishableKey: string,\n subtle: SubtleCrypto = globalThis.crypto.subtle,\n): Promise {\n const data = new TextEncoder().encode(publishableKey);\n const digest = await subtle.digest('sha-1', data);\n const stringDigest = String.fromCharCode(...new Uint8Array(digest));\n // Base 64 Encoding with URL and Filename Safe Alphabet: https://datatracker.ietf.org/doc/html/rfc4648#section-5\n return isomorphicBtoa(stringDigest).replace(/\\+/gi, '-').replace(/\\//gi, '_').substring(0, 8);\n}\n\nexport const getSuffixedCookieName = (cookieName: string, cookieSuffix: string): string => {\n return `${cookieName}_${cookieSuffix}`;\n};\n","import {\n LEGACY_DEV_INSTANCE_SUFFIXES,\n LOCAL_API_URL,\n LOCAL_ENV_SUFFIXES,\n PROD_API_URL,\n STAGING_API_URL,\n STAGING_ENV_SUFFIXES,\n} from './constants';\nimport { parsePublishableKey } from './keys';\n\nexport const apiUrlFromPublishableKey = (publishableKey: string) => {\n const frontendApi = parsePublishableKey(publishableKey)?.frontendApi;\n\n if (frontendApi?.startsWith('clerk.') && LEGACY_DEV_INSTANCE_SUFFIXES.some(suffix => frontendApi?.endsWith(suffix))) {\n return PROD_API_URL;\n }\n\n if (LOCAL_ENV_SUFFIXES.some(suffix => frontendApi?.endsWith(suffix))) {\n return LOCAL_API_URL;\n }\n if (STAGING_ENV_SUFFIXES.some(suffix => frontendApi?.endsWith(suffix))) {\n return STAGING_API_URL;\n }\n return PROD_API_URL;\n};\n","/**\n * Checks if the window object is defined. You can also use this to check if something is happening on the client side.\n * @returns {boolean}\n */\nexport function inBrowser(): boolean {\n return typeof window !== 'undefined';\n}\n\nconst botAgents = [\n 'bot',\n 'spider',\n 'crawl',\n 'APIs-Google',\n 'AdsBot',\n 'Googlebot',\n 'mediapartners',\n 'Google Favicon',\n 'FeedFetcher',\n 'Google-Read-Aloud',\n 'DuplexWeb-Google',\n 'googleweblight',\n 'bing',\n 'yandex',\n 'baidu',\n 'duckduck',\n 'yahoo',\n 'ecosia',\n 'ia_archiver',\n 'facebook',\n 'instagram',\n 'pinterest',\n 'reddit',\n 'slack',\n 'twitter',\n 'whatsapp',\n 'youtube',\n 'semrush',\n];\nconst botAgentRegex = new RegExp(botAgents.join('|'), 'i');\n\n/**\n * Checks if the user agent is a bot.\n * @param userAgent - Any user agent string\n * @returns {boolean}\n */\nexport function userAgentIsRobot(userAgent: string): boolean {\n return !userAgent ? false : botAgentRegex.test(userAgent);\n}\n\n/**\n * Checks if the current environment is a browser and the user agent is not a bot.\n * @returns {boolean}\n */\nexport function isValidBrowser(): boolean {\n const navigator = inBrowser() ? window?.navigator : null;\n if (!navigator) {\n return false;\n }\n return !userAgentIsRobot(navigator?.userAgent) && !navigator?.webdriver;\n}\n\n/**\n * Checks if the current environment is a browser and if the navigator is online.\n * @returns {boolean}\n */\nexport function isBrowserOnline(): boolean {\n const navigator = inBrowser() ? window?.navigator : null;\n if (!navigator) {\n return false;\n }\n\n const isNavigatorOnline = navigator?.onLine;\n\n // Being extra safe with the experimental `connection` property, as it is not defined in all browsers\n // https://developer.mozilla.org/en-US/docs/Web/API/Navigator/connection#browser_compatibility\n // @ts-ignore\n const isExperimentalConnectionOnline = navigator?.connection?.rtt !== 0 && navigator?.connection?.downlink !== 0;\n return isExperimentalConnectionOnline && isNavigatorOnline;\n}\n\n/**\n * Runs `isBrowserOnline` and `isValidBrowser` to check if the current environment is a valid browser and if the navigator is online.\n * @returns {boolean}\n */\nexport function isValidBrowserOnline(): boolean {\n return isBrowserOnline() && isValidBrowser();\n}\n","import type { Color, HslaColor, RgbaColor, TransparentColor } from '@clerk/types';\n\nconst IS_HEX_COLOR_REGEX = /^#?([A-F0-9]{6}|[A-F0-9]{3})$/i;\n\nconst IS_RGB_COLOR_REGEX = /^rgb\\((\\d+),\\s*(\\d+),\\s*(\\d+)\\)$/i;\nconst IS_RGBA_COLOR_REGEX = /^rgba\\((\\d+),\\s*(\\d+),\\s*(\\d+)(,\\s*\\d+(\\.\\d+)?)\\)$/i;\n\nconst IS_HSL_COLOR_REGEX = /^hsl\\((\\d+),\\s*([\\d.]+)%,\\s*([\\d.]+)%\\)$/i;\nconst IS_HSLA_COLOR_REGEX = /^hsla\\((\\d+),\\s*([\\d.]+)%,\\s*([\\d.]+)%(,\\s*\\d+(\\.\\d+)?)*\\)$/i;\n\nexport const isValidHexString = (s: string) => {\n return !!s.match(IS_HEX_COLOR_REGEX);\n};\n\nexport const isValidRgbaString = (s: string) => {\n return !!(s.match(IS_RGB_COLOR_REGEX) || s.match(IS_RGBA_COLOR_REGEX));\n};\n\nexport const isValidHslaString = (s: string) => {\n return !!s.match(IS_HSL_COLOR_REGEX) || !!s.match(IS_HSLA_COLOR_REGEX);\n};\n\nexport const isRGBColor = (c: Color): c is RgbaColor => {\n return typeof c !== 'string' && 'r' in c;\n};\n\nexport const isHSLColor = (c: Color): c is HslaColor => {\n return typeof c !== 'string' && 'h' in c;\n};\n\nexport const isTransparent = (c: Color): c is TransparentColor => {\n return c === 'transparent';\n};\n\nexport const hasAlpha = (color: Color): boolean => {\n return typeof color !== 'string' && color.a != undefined && color.a < 1;\n};\n\nconst CLEAN_HSLA_REGEX = /[hsla()]/g;\nconst CLEAN_RGBA_REGEX = /[rgba()]/g;\n\nexport const stringToHslaColor = (value: string): HslaColor | null => {\n if (value === 'transparent') {\n return { h: 0, s: 0, l: 0, a: 0 };\n }\n\n if (isValidHexString(value)) {\n return hexStringToHslaColor(value);\n }\n\n if (isValidHslaString(value)) {\n return parseHslaString(value);\n }\n\n if (isValidRgbaString(value)) {\n return rgbaStringToHslaColor(value);\n }\n\n return null;\n};\n\nexport const stringToSameTypeColor = (value: string): Color => {\n value = value.trim();\n if (isValidHexString(value)) {\n return value.startsWith('#') ? value : `#${value}`;\n }\n\n if (isValidRgbaString(value)) {\n return parseRgbaString(value);\n }\n\n if (isValidHslaString(value)) {\n return parseHslaString(value);\n }\n\n if (isTransparent(value)) {\n return value;\n }\n return '';\n};\n\nexport const colorToSameTypeString = (color: Color): string | TransparentColor => {\n if (typeof color === 'string' && (isValidHexString(color) || isTransparent(color))) {\n return color;\n }\n\n if (isRGBColor(color)) {\n return rgbaColorToRgbaString(color);\n }\n\n if (isHSLColor(color)) {\n return hslaColorToHslaString(color);\n }\n\n return '';\n};\n\nexport const hexStringToRgbaColor = (hex: string): RgbaColor => {\n hex = hex.replace('#', '');\n const r = parseInt(hex.substring(0, 2), 16);\n const g = parseInt(hex.substring(2, 4), 16);\n const b = parseInt(hex.substring(4, 6), 16);\n return { r, g, b };\n};\n\nconst rgbaColorToRgbaString = (color: RgbaColor): string => {\n const { a, b, g, r } = color;\n return color.a === 0 ? 'transparent' : color.a != undefined ? `rgba(${r},${g},${b},${a})` : `rgb(${r},${g},${b})`;\n};\n\nconst hslaColorToHslaString = (color: HslaColor): string => {\n const { h, s, l, a } = color;\n const sPerc = Math.round(s * 100);\n const lPerc = Math.round(l * 100);\n return color.a === 0\n ? 'transparent'\n : color.a != undefined\n ? `hsla(${h},${sPerc}%,${lPerc}%,${a})`\n : `hsl(${h},${sPerc}%,${lPerc}%)`;\n};\n\nconst hexStringToHslaColor = (hex: string): HslaColor => {\n const rgbaString = colorToSameTypeString(hexStringToRgbaColor(hex));\n return rgbaStringToHslaColor(rgbaString);\n};\n\nconst rgbaStringToHslaColor = (rgba: string): HslaColor => {\n const rgbaColor = parseRgbaString(rgba);\n const r = rgbaColor.r / 255;\n const g = rgbaColor.g / 255;\n const b = rgbaColor.b / 255;\n\n const max = Math.max(r, g, b),\n min = Math.min(r, g, b);\n let h, s;\n const l = (max + min) / 2;\n\n if (max == min) {\n h = s = 0;\n } else {\n const d = max - min;\n s = l >= 0.5 ? d / (2 - (max + min)) : d / (max + min);\n switch (max) {\n case r:\n h = ((g - b) / d) * 60;\n break;\n case g:\n h = ((b - r) / d + 2) * 60;\n break;\n default:\n h = ((r - g) / d + 4) * 60;\n break;\n }\n }\n\n const res: HslaColor = { h: Math.round(h), s, l };\n const a = rgbaColor.a;\n if (a != undefined) {\n res.a = a;\n }\n return res;\n};\n\nconst parseRgbaString = (str: string): RgbaColor => {\n const [r, g, b, a] = str\n .replace(CLEAN_RGBA_REGEX, '')\n .split(',')\n .map(c => Number.parseFloat(c));\n return { r, g, b, a };\n};\n\nconst parseHslaString = (str: string): HslaColor => {\n const [h, s, l, a] = str\n .replace(CLEAN_HSLA_REGEX, '')\n .split(',')\n .map(c => Number.parseFloat(c));\n return { h, s: s / 100, l: l / 100, a };\n};\n","const MILLISECONDS_IN_DAY = 86400000;\n\nexport function dateTo12HourTime(date: Date): string {\n if (!date) {\n return '';\n }\n return date.toLocaleString('en-US', {\n hour: '2-digit',\n minute: 'numeric',\n hour12: true,\n });\n}\n\nexport function differenceInCalendarDays(a: Date, b: Date, { absolute = true } = {}): number {\n if (!a || !b) {\n return 0;\n }\n const utcA = Date.UTC(a.getFullYear(), a.getMonth(), a.getDate());\n const utcB = Date.UTC(b.getFullYear(), b.getMonth(), b.getDate());\n const diff = Math.floor((utcB - utcA) / MILLISECONDS_IN_DAY);\n return absolute ? Math.abs(diff) : diff;\n}\n\nexport function normalizeDate(d: Date | string | number): Date {\n try {\n return new Date(d || new Date());\n } catch {\n return new Date();\n }\n}\n\ntype DateFormatRelativeParams = {\n date: Date | string | number;\n relativeTo: Date | string | number;\n};\n\nexport type RelativeDateCase = 'previous6Days' | 'lastDay' | 'sameDay' | 'nextDay' | 'next6Days' | 'other';\ntype RelativeDateReturn = { relativeDateCase: RelativeDateCase; date: Date } | null;\n\nexport function formatRelative(props: DateFormatRelativeParams): RelativeDateReturn {\n const { date, relativeTo } = props;\n if (!date || !relativeTo) {\n return null;\n }\n const a = normalizeDate(date);\n const b = normalizeDate(relativeTo);\n const differenceInDays = differenceInCalendarDays(b, a, { absolute: false });\n\n if (differenceInDays < -6) {\n return { relativeDateCase: 'other', date: a };\n }\n if (differenceInDays < -1) {\n return { relativeDateCase: 'previous6Days', date: a };\n }\n if (differenceInDays === -1) {\n return { relativeDateCase: 'lastDay', date: a };\n }\n if (differenceInDays === 0) {\n return { relativeDateCase: 'sameDay', date: a };\n }\n if (differenceInDays === 1) {\n return { relativeDateCase: 'nextDay', date: a };\n }\n if (differenceInDays < 7) {\n return { relativeDateCase: 'next6Days', date: a };\n }\n return { relativeDateCase: 'other', date: a };\n}\n\nexport function addYears(initialDate: Date | number | string, yearsToAdd: number): Date {\n const date = normalizeDate(initialDate);\n date.setFullYear(date.getFullYear() + yearsToAdd);\n return date;\n}\n","import { isProductionEnvironment, isTestEnvironment } from './utils/runtimeEnvironment';\n/**\n * Mark class method / function as deprecated.\n *\n * A console WARNING will be displayed when class method / function is invoked.\n *\n * Examples\n * 1. Deprecate class method\n * class Example {\n * getSomething = (arg1, arg2) => {\n * deprecated('Example.getSomething', 'Use `getSomethingElse` instead.');\n * return `getSomethingValue:${arg1 || '-'}:${arg2 || '-'}`;\n * };\n * }\n *\n * 2. Deprecate function\n * const getSomething = () => {\n * deprecated('getSomething', 'Use `getSomethingElse` instead.');\n * return 'getSomethingValue';\n * };\n */\nconst displayedWarnings = new Set();\nexport const deprecated = (fnName: string, warning: string, key?: string): void => {\n const hideWarning = isTestEnvironment() || isProductionEnvironment();\n const messageId = key ?? fnName;\n if (displayedWarnings.has(messageId) || hideWarning) {\n return;\n }\n displayedWarnings.add(messageId);\n\n console.warn(\n `Clerk - DEPRECATION WARNING: \"${fnName}\" is deprecated and will be removed in the next major release.\\n${warning}`,\n );\n};\n/**\n * Mark class property as deprecated.\n *\n * A console WARNING will be displayed when class property is being accessed.\n *\n * 1. Deprecate class property\n * class Example {\n * something: string;\n * constructor(something: string) {\n * this.something = something;\n * }\n * }\n *\n * deprecatedProperty(Example, 'something', 'Use `somethingElse` instead.');\n *\n * 2. Deprecate class static property\n * class Example {\n * static something: string;\n * }\n *\n * deprecatedProperty(Example, 'something', 'Use `somethingElse` instead.', true);\n */\ntype AnyClass = new (...args: any[]) => any;\n\nexport const deprecatedProperty = (cls: AnyClass, propName: string, warning: string, isStatic = false): void => {\n const target = isStatic ? cls : cls.prototype;\n\n let value = target[propName];\n Object.defineProperty(target, propName, {\n get() {\n deprecated(propName, warning, `${cls.name}:${propName}`);\n return value;\n },\n set(v: unknown) {\n value = v;\n },\n });\n};\n\n/**\n * Mark object property as deprecated.\n *\n * A console WARNING will be displayed when object property is being accessed.\n *\n * 1. Deprecate object property\n * const obj = { something: 'aloha' };\n *\n * deprecatedObjectProperty(obj, 'something', 'Use `somethingElse` instead.');\n */\nexport const deprecatedObjectProperty = (\n obj: Record,\n propName: string,\n warning: string,\n key?: string,\n): void => {\n let value = obj[propName];\n Object.defineProperty(obj, propName, {\n get() {\n deprecated(propName, warning, key);\n return value;\n },\n set(v: unknown) {\n value = v;\n },\n });\n};\n","import type {\n InitialState,\n OrganizationCustomPermissionKey,\n OrganizationCustomRoleKey,\n OrganizationResource,\n Resources,\n SignedInSessionResource,\n UserResource,\n} from '@clerk/types';\n\n/**\n * Derives authentication state based on the current rendering context (SSR or client-side).\n */\nexport const deriveState = (clerkLoaded: boolean, state: Resources, initialState: InitialState | undefined) => {\n if (!clerkLoaded && initialState) {\n return deriveFromSsrInitialState(initialState);\n }\n return deriveFromClientSideState(state);\n};\n\nconst deriveFromSsrInitialState = (initialState: InitialState) => {\n const userId = initialState.userId;\n const user = initialState.user as UserResource;\n const sessionId = initialState.sessionId;\n const session = initialState.session as SignedInSessionResource;\n const organization = initialState.organization as OrganizationResource;\n const orgId = initialState.orgId;\n const orgRole = initialState.orgRole as OrganizationCustomRoleKey;\n const orgPermissions = initialState.orgPermissions as OrganizationCustomPermissionKey[];\n const orgSlug = initialState.orgSlug;\n const actor = initialState.actor;\n const factorVerificationAge = initialState.factorVerificationAge;\n\n return {\n userId,\n user,\n sessionId,\n session,\n organization,\n orgId,\n orgRole,\n orgPermissions,\n orgSlug,\n actor,\n factorVerificationAge,\n };\n};\n\nconst deriveFromClientSideState = (state: Resources) => {\n const userId: string | null | undefined = state.user ? state.user.id : state.user;\n const user = state.user;\n const sessionId: string | null | undefined = state.session ? state.session.id : state.session;\n const session = state.session;\n const factorVerificationAge: [number, number] | null = state.session ? state.session.factorVerificationAge : null;\n const actor = session?.actor;\n const organization = state.organization;\n const orgId: string | null | undefined = state.organization ? state.organization.id : state.organization;\n const orgSlug = organization?.slug;\n const membership = organization\n ? user?.organizationMemberships?.find(om => om.organization.id === orgId)\n : organization;\n const orgPermissions = membership ? membership.permissions : membership;\n const orgRole = membership ? membership.role : membership;\n\n return {\n userId,\n user,\n sessionId,\n session,\n organization,\n orgId,\n orgRole,\n orgSlug,\n orgPermissions,\n actor,\n factorVerificationAge,\n };\n};\n","import type { ClerkAPIError, ClerkAPIErrorJSON } from '@clerk/types';\n\nexport function isUnauthorizedError(e: any): boolean {\n const status = e?.status;\n const code = e?.errors?.[0]?.code;\n return code === 'authentication_invalid' && status === 401;\n}\n\nexport function isCaptchaError(e: ClerkAPIResponseError): boolean {\n return ['captcha_invalid', 'captcha_not_enabled', 'captcha_missing_token'].includes(e.errors[0].code);\n}\n\nexport function is4xxError(e: any): boolean {\n const status = e?.status;\n return !!status && status >= 400 && status < 500;\n}\n\nexport function isNetworkError(e: any): boolean {\n // TODO: revise during error handling epic\n const message = (`${e.message}${e.name}` || '').toLowerCase().replace(/\\s+/g, '');\n return message.includes('networkerror');\n}\n\ninterface ClerkAPIResponseOptions {\n data: ClerkAPIErrorJSON[];\n status: number;\n clerkTraceId?: string;\n}\n\n// For a comprehensive Metamask error list, please see\n// https://docs.metamask.io/guide/ethereum-provider.html#errors\nexport interface MetamaskError extends Error {\n code: 4001 | 32602 | 32603;\n message: string;\n data?: unknown;\n}\n\nexport function isKnownError(error: any): error is ClerkAPIResponseError | ClerkRuntimeError | MetamaskError {\n return isClerkAPIResponseError(error) || isMetamaskError(error) || isClerkRuntimeError(error);\n}\n\nexport function isClerkAPIResponseError(err: any): err is ClerkAPIResponseError {\n return 'clerkError' in err;\n}\n\n/**\n * Checks if the provided error object is an instance of ClerkRuntimeError.\n *\n * @param {any} err - The error object to check.\n * @returns {boolean} True if the error is a ClerkRuntimeError, false otherwise.\n *\n * @example\n * const error = new ClerkRuntimeError('An error occurred');\n * if (isClerkRuntimeError(error)) {\n * // Handle ClerkRuntimeError\n * console.error('ClerkRuntimeError:', error.message);\n * } else {\n * // Handle other errors\n * console.error('Other error:', error.message);\n * }\n */\nexport function isClerkRuntimeError(err: any): err is ClerkRuntimeError {\n return 'clerkRuntimeError' in err;\n}\n\nexport function isMetamaskError(err: any): err is MetamaskError {\n return 'code' in err && [4001, 32602, 32603].includes(err.code) && 'message' in err;\n}\n\nexport function isUserLockedError(err: any) {\n return isClerkAPIResponseError(err) && err.errors?.[0]?.code === 'user_locked';\n}\n\nexport function isPasswordPwnedError(err: any) {\n return isClerkAPIResponseError(err) && err.errors?.[0]?.code === 'form_password_pwned';\n}\n\nexport function parseErrors(data: ClerkAPIErrorJSON[] = []): ClerkAPIError[] {\n return data.length > 0 ? data.map(parseError) : [];\n}\n\nexport function parseError(error: ClerkAPIErrorJSON): ClerkAPIError {\n return {\n code: error.code,\n message: error.message,\n longMessage: error.long_message,\n meta: {\n paramName: error?.meta?.param_name,\n sessionId: error?.meta?.session_id,\n emailAddresses: error?.meta?.email_addresses,\n identifiers: error?.meta?.identifiers,\n zxcvbn: error?.meta?.zxcvbn,\n },\n };\n}\n\nexport function errorToJSON(error: ClerkAPIError | null): ClerkAPIErrorJSON {\n return {\n code: error?.code || '',\n message: error?.message || '',\n long_message: error?.longMessage,\n meta: {\n param_name: error?.meta?.paramName,\n session_id: error?.meta?.sessionId,\n email_addresses: error?.meta?.emailAddresses,\n identifiers: error?.meta?.identifiers,\n zxcvbn: error?.meta?.zxcvbn,\n },\n };\n}\n\nexport class ClerkAPIResponseError extends Error {\n clerkError: true;\n\n status: number;\n message: string;\n clerkTraceId?: string;\n\n errors: ClerkAPIError[];\n\n constructor(message: string, { data, status, clerkTraceId }: ClerkAPIResponseOptions) {\n super(message);\n\n Object.setPrototypeOf(this, ClerkAPIResponseError.prototype);\n\n this.status = status;\n this.message = message;\n this.clerkTraceId = clerkTraceId;\n this.clerkError = true;\n this.errors = parseErrors(data);\n }\n\n public toString = () => {\n let message = `[${this.name}]\\nMessage:${this.message}\\nStatus:${this.status}\\nSerialized errors: ${this.errors.map(\n e => JSON.stringify(e),\n )}`;\n\n if (this.clerkTraceId) {\n message += `\\nClerk Trace ID: ${this.clerkTraceId}`;\n }\n\n return message;\n };\n}\n\n/**\n * Custom error class for representing Clerk runtime errors.\n *\n * @class ClerkRuntimeError\n * @example\n * throw new ClerkRuntimeError('An error occurred', { code: 'password_invalid' });\n */\nexport class ClerkRuntimeError extends Error {\n clerkRuntimeError: true;\n\n /**\n * The error message.\n *\n * @type {string}\n * @memberof ClerkRuntimeError\n */\n message: string;\n\n /**\n * A unique code identifying the error, can be used for localization.\n *\n * @type {string}\n * @memberof ClerkRuntimeError\n */\n code: string;\n\n constructor(message: string, { code }: { code: string }) {\n const prefix = '🔒 Clerk:';\n const regex = new RegExp(prefix.replace(' ', '\\\\s*'), 'i');\n const sanitized = message.replace(regex, '');\n const _message = `${prefix} ${sanitized.trim()}\\n\\n(code=\"${code}\")\\n`;\n super(_message);\n\n Object.setPrototypeOf(this, ClerkRuntimeError.prototype);\n\n this.code = code;\n this.message = _message;\n this.clerkRuntimeError = true;\n this.name = 'ClerkRuntimeError';\n }\n\n /**\n * Returns a string representation of the error.\n *\n * @returns {string} A formatted string with the error name and message.\n * @memberof ClerkRuntimeError\n */\n public toString = () => {\n return `[${this.name}]\\nMessage:${this.message}`;\n };\n}\n\nexport class EmailLinkError extends Error {\n code: string;\n\n constructor(code: string) {\n super(code);\n this.code = code;\n this.name = 'EmailLinkError' as const;\n Object.setPrototypeOf(this, EmailLinkError.prototype);\n }\n}\n\nexport function isEmailLinkError(err: Error): err is EmailLinkError {\n return err.name === 'EmailLinkError';\n}\n\n/** @deprecated Please use `EmailLinkErrorCodeStatus` instead.*/\nexport const EmailLinkErrorCode = {\n Expired: 'expired',\n Failed: 'failed',\n ClientMismatch: 'client_mismatch',\n};\n\nexport const EmailLinkErrorCodeStatus = {\n Expired: 'expired',\n Failed: 'failed',\n ClientMismatch: 'client_mismatch',\n} as const;\n\nconst DefaultMessages = Object.freeze({\n InvalidProxyUrlErrorMessage: `The proxyUrl passed to Clerk is invalid. The expected value for proxyUrl is an absolute URL or a relative path with a leading '/'. (key={{url}})`,\n InvalidPublishableKeyErrorMessage: `The publishableKey passed to Clerk is invalid. You can get your Publishable key at https://dashboard.clerk.com/last-active?path=api-keys. (key={{key}})`,\n MissingPublishableKeyErrorMessage: `Missing publishableKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`,\n MissingSecretKeyErrorMessage: `Missing secretKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`,\n MissingClerkProvider: `{{source}} can only be used within the component. Learn more: https://clerk.com/docs/components/clerk-provider`,\n});\n\ntype MessageKeys = keyof typeof DefaultMessages;\n\ntype Messages = Record;\n\ntype CustomMessages = Partial;\n\nexport type ErrorThrowerOptions = {\n packageName: string;\n customMessages?: CustomMessages;\n};\n\nexport interface ErrorThrower {\n setPackageName(options: ErrorThrowerOptions): ErrorThrower;\n\n setMessages(options: ErrorThrowerOptions): ErrorThrower;\n\n throwInvalidPublishableKeyError(params: { key?: string }): never;\n\n throwInvalidProxyUrl(params: { url?: string }): never;\n\n throwMissingPublishableKeyError(): never;\n\n throwMissingSecretKeyError(): never;\n\n throwMissingClerkProviderError(params: { source?: string }): never;\n\n throw(message: string): never;\n}\n\nexport function buildErrorThrower({ packageName, customMessages }: ErrorThrowerOptions): ErrorThrower {\n let pkg = packageName;\n\n const messages = {\n ...DefaultMessages,\n ...customMessages,\n };\n\n function buildMessage(rawMessage: string, replacements?: Record) {\n if (!replacements) {\n return `${pkg}: ${rawMessage}`;\n }\n\n let msg = rawMessage;\n const matches = rawMessage.matchAll(/{{([a-zA-Z0-9-_]+)}}/g);\n\n for (const match of matches) {\n const replacement = (replacements[match[1]] || '').toString();\n msg = msg.replace(`{{${match[1]}}}`, replacement);\n }\n\n return `${pkg}: ${msg}`;\n }\n\n return {\n setPackageName({ packageName }: ErrorThrowerOptions): ErrorThrower {\n if (typeof packageName === 'string') {\n pkg = packageName;\n }\n return this;\n },\n\n setMessages({ customMessages }: ErrorThrowerOptions): ErrorThrower {\n Object.assign(messages, customMessages || {});\n return this;\n },\n\n throwInvalidPublishableKeyError(params: { key?: string }): never {\n throw new Error(buildMessage(messages.InvalidPublishableKeyErrorMessage, params));\n },\n\n throwInvalidProxyUrl(params: { url?: string }): never {\n throw new Error(buildMessage(messages.InvalidProxyUrlErrorMessage, params));\n },\n\n throwMissingPublishableKeyError(): never {\n throw new Error(buildMessage(messages.MissingPublishableKeyErrorMessage));\n },\n\n throwMissingSecretKeyError(): never {\n throw new Error(buildMessage(messages.MissingSecretKeyErrorMessage));\n },\n\n throwMissingClerkProviderError(params: { source?: string }): never {\n throw new Error(buildMessage(messages.MissingClerkProvider, params));\n },\n\n throw(message: string): never {\n throw new Error(buildMessage(message));\n },\n };\n}\n\ntype ClerkWebAuthnErrorCode =\n // Generic\n | 'passkey_not_supported'\n | 'passkey_pa_not_supported'\n | 'passkey_invalid_rpID_or_domain'\n | 'passkey_already_exists'\n | 'passkey_operation_aborted'\n // Retrieval\n | 'passkey_retrieval_cancelled'\n | 'passkey_retrieval_failed'\n // Registration\n | 'passkey_registration_cancelled'\n | 'passkey_registration_failed';\n\nexport class ClerkWebAuthnError extends ClerkRuntimeError {\n /**\n * A unique code identifying the error, can be used for localization.\n */\n code: ClerkWebAuthnErrorCode;\n\n constructor(message: string, { code }: { code: ClerkWebAuthnErrorCode }) {\n super(message, { code });\n this.code = code;\n }\n}\n","/**\n * Read an expected JSON type File.\n *\n * Probably paired with:\n * \n */\nexport function readJSONFile(file: File): Promise {\n return new Promise((resolve, reject) => {\n const reader = new FileReader();\n reader.addEventListener('load', function () {\n const result = JSON.parse(reader.result as string);\n resolve(result);\n });\n\n reader.addEventListener('error', reject);\n reader.readAsText(file);\n });\n}\n\nconst MimeTypeToExtensionMap = Object.freeze({\n 'image/png': 'png',\n 'image/jpeg': 'jpg',\n 'image/gif': 'gif',\n 'image/webp': 'webp',\n 'image/x-icon': 'ico',\n 'image/vnd.microsoft.icon': 'ico',\n} as const);\n\nexport type SupportedMimeType = keyof typeof MimeTypeToExtensionMap;\n\nexport const extension = (mimeType: SupportedMimeType): string => {\n return MimeTypeToExtensionMap[mimeType];\n};\n","type Milliseconds = number;\n\ntype RetryOptions = Partial<{\n /**\n * The initial delay before the first retry.\n * @default 125\n */\n initialDelay: Milliseconds;\n /**\n * The maximum delay between retries.\n * The delay between retries will never exceed this value.\n * If set to 0, the delay will increase indefinitely.\n * @default 0\n */\n maxDelayBetweenRetries: Milliseconds;\n /**\n * The multiplier for the exponential backoff.\n * @default 2\n */\n factor: number;\n /**\n * A function to determine if the operation should be retried.\n * The callback accepts the error that was thrown and the number of iterations.\n * The iterations variable references the number of retries AFTER attempt\n * that caused the error and starts at 1 (as in, this is the 1st, 2nd, nth retry).\n * @default (error, iterations) => iterations < 5\n */\n shouldRetry: (error: unknown, iterations: number) => boolean;\n /**\n * Controls whether the helper should retry the operation immediately once before applying exponential backoff.\n * The delay for the immediate retry is 100ms.\n * @default true\n */\n retryImmediately: boolean;\n /**\n * If true, the intervals will be multiplied by a factor in the range of [1,2].\n * @default true\n */\n jitter: boolean;\n}>;\n\nconst defaultOptions: Required = {\n initialDelay: 125,\n maxDelayBetweenRetries: 0,\n factor: 2,\n shouldRetry: (_: unknown, iteration: number) => iteration < 5,\n retryImmediately: true,\n jitter: true,\n};\n\nconst RETRY_IMMEDIATELY_DELAY = 100;\n\nconst sleep = async (ms: Milliseconds) => new Promise(s => setTimeout(s, ms));\n\nconst applyJitter = (delay: Milliseconds, jitter: boolean) => {\n return jitter ? delay * (1 + Math.random()) : delay;\n};\n\nconst createExponentialDelayAsyncFn = (\n opts: Required>,\n) => {\n let timesCalled = 0;\n\n const calculateDelayInMs = () => {\n const constant = opts.initialDelay;\n const base = opts.factor;\n let delay = constant * Math.pow(base, timesCalled);\n delay = applyJitter(delay, opts.jitter);\n return Math.min(opts.maxDelayBetweenRetries || delay, delay);\n };\n\n return async (): Promise => {\n await sleep(calculateDelayInMs());\n timesCalled++;\n };\n};\n\n/**\n * Retries a callback until it succeeds or the shouldRetry function returns false.\n * See {@link RetryOptions} for the available options.\n */\nexport const retry = async (callback: () => T | Promise, options: RetryOptions = {}): Promise => {\n let iterations = 0;\n const { shouldRetry, initialDelay, maxDelayBetweenRetries, factor, retryImmediately, jitter } = {\n ...defaultOptions,\n ...options,\n };\n\n const delay = createExponentialDelayAsyncFn({\n initialDelay,\n maxDelayBetweenRetries,\n factor,\n jitter,\n });\n\n while (true) {\n try {\n return await callback();\n } catch (e) {\n iterations++;\n if (!shouldRetry(e, iterations)) {\n throw e;\n }\n if (retryImmediately && iterations === 1) {\n await sleep(applyJitter(RETRY_IMMEDIATELY_DELAY, jitter));\n } else {\n await delay();\n }\n }\n }\n};\n","import { retry } from './retry';\n\nconst NO_DOCUMENT_ERROR = 'loadScript cannot be called when document does not exist';\nconst NO_SRC_ERROR = 'loadScript cannot be called without a src';\n\ntype LoadScriptOptions = {\n async?: boolean;\n defer?: boolean;\n crossOrigin?: 'anonymous' | 'use-credentials';\n nonce?: string;\n beforeLoad?: (script: HTMLScriptElement) => void;\n};\n\nexport async function loadScript(src = '', opts: LoadScriptOptions): Promise {\n const { async, defer, beforeLoad, crossOrigin, nonce } = opts || {};\n\n const load = () => {\n return new Promise((resolve, reject) => {\n if (!src) {\n reject(new Error(NO_SRC_ERROR));\n }\n\n if (!document || !document.body) {\n reject(NO_DOCUMENT_ERROR);\n }\n\n const script = document.createElement('script');\n\n if (crossOrigin) script.setAttribute('crossorigin', crossOrigin);\n script.async = async || false;\n script.defer = defer || false;\n\n script.addEventListener('load', () => {\n script.remove();\n resolve(script);\n });\n\n script.addEventListener('error', () => {\n script.remove();\n reject();\n });\n\n script.src = src;\n script.nonce = nonce;\n beforeLoad?.(script);\n document.body.appendChild(script);\n });\n };\n\n return retry(load, { shouldRetry: (_, iterations) => iterations <= 5 });\n}\n","export function isValidProxyUrl(key: string | undefined) {\n if (!key) {\n return true;\n }\n\n return isHttpOrHttps(key) || isProxyUrlRelative(key);\n}\n\nexport function isHttpOrHttps(key: string | undefined) {\n return /^http(s)?:\\/\\//.test(key || '');\n}\n\nexport function isProxyUrlRelative(key: string) {\n return key.startsWith('/');\n}\n\nexport function proxyUrlToAbsoluteURL(url: string | undefined): string {\n if (!url) {\n return '';\n }\n return isProxyUrlRelative(url) ? new URL(url, window.location.origin).toString() : url;\n}\n","import { CURRENT_DEV_INSTANCE_SUFFIXES, LEGACY_DEV_INSTANCE_SUFFIXES } from './constants';\nimport { isStaging } from './utils/instance';\n\nexport function parseSearchParams(queryString = ''): URLSearchParams {\n if (queryString.startsWith('?')) {\n queryString = queryString.slice(1);\n }\n return new URLSearchParams(queryString);\n}\n\nexport function stripScheme(url = ''): string {\n return (url || '').replace(/^.+:\\/\\//, '');\n}\n\nexport function addClerkPrefix(str: string | undefined) {\n if (!str) {\n return '';\n }\n let regex;\n if (str.match(/^(clerk\\.)+\\w*$/)) {\n regex = /(clerk\\.)*(?=clerk\\.)/;\n } else if (str.match(/\\.clerk.accounts/)) {\n return str;\n } else {\n regex = /^(clerk\\.)*/gi;\n }\n\n const stripped = str.replace(regex, '');\n return `clerk.${stripped}`;\n}\n\n/**\n *\n * Retrieve the clerk-js major tag using the major version from the pkgVersion\n * param or use the frontendApi to determine if the canary tag should be used.\n * The default tag is `latest`.\n */\nexport const getClerkJsMajorVersionOrTag = (frontendApi: string, version?: string) => {\n if (!version && isStaging(frontendApi)) {\n return 'canary';\n }\n\n if (!version) {\n return 'latest';\n }\n\n return version.split('.')[0] || 'latest';\n};\n\n/**\n *\n * Retrieve the clerk-js script url from the frontendApi and the major tag\n * using the {@link getClerkJsMajorVersionOrTag} or a provided clerkJSVersion tag.\n */\nexport const getScriptUrl = (frontendApi: string, { clerkJSVersion }: { clerkJSVersion?: string }) => {\n const noSchemeFrontendApi = frontendApi.replace(/http(s)?:\\/\\//, '');\n const major = getClerkJsMajorVersionOrTag(frontendApi, clerkJSVersion);\n return `https://${noSchemeFrontendApi}/npm/@clerk/clerk-js@${clerkJSVersion || major}/dist/clerk.browser.js`;\n};\n\n// Returns true for hosts such as:\n// * accounts.foo.bar-13.lcl.dev\n// * accounts.foo.bar-13.lclstage.dev\n// * accounts.foo.bar-13.dev.lclclerk.com\nexport function isLegacyDevAccountPortalOrigin(host: string): boolean {\n return LEGACY_DEV_INSTANCE_SUFFIXES.some(legacyDevSuffix => {\n return host.startsWith('accounts.') && host.endsWith(legacyDevSuffix);\n });\n}\n\n// Returns true for hosts such as:\n// * foo-bar-13.accounts.dev\n// * foo-bar-13.accountsstage.dev\n// * foo-bar-13.accounts.lclclerk.com\n// But false for:\n// * foo-bar-13.clerk.accounts.lclclerk.com\nexport function isCurrentDevAccountPortalOrigin(host: string): boolean {\n return CURRENT_DEV_INSTANCE_SUFFIXES.some(currentDevSuffix => {\n return host.endsWith(currentDevSuffix) && !host.endsWith('.clerk' + currentDevSuffix);\n });\n}\n\n/* Functions below are taken from https://github.com/unjs/ufo/blob/main/src/utils.ts. LICENSE: MIT */\n\nconst TRAILING_SLASH_RE = /\\/$|\\/\\?|\\/#/;\n\nexport function hasTrailingSlash(input = '', respectQueryAndFragment?: boolean): boolean {\n if (!respectQueryAndFragment) {\n return input.endsWith('/');\n }\n return TRAILING_SLASH_RE.test(input);\n}\n\nexport function withTrailingSlash(input = '', respectQueryAndFragment?: boolean): string {\n if (!respectQueryAndFragment) {\n return input.endsWith('/') ? input : input + '/';\n }\n if (hasTrailingSlash(input, true)) {\n return input || '/';\n }\n let path = input;\n let fragment = '';\n const fragmentIndex = input.indexOf('#');\n if (fragmentIndex >= 0) {\n path = input.slice(0, fragmentIndex);\n fragment = input.slice(fragmentIndex);\n if (!path) {\n return fragment;\n }\n }\n const [s0, ...s] = path.split('?');\n return s0 + '/' + (s.length > 0 ? `?${s.join('?')}` : '') + fragment;\n}\n\nexport function withoutTrailingSlash(input = '', respectQueryAndFragment?: boolean): string {\n if (!respectQueryAndFragment) {\n return (hasTrailingSlash(input) ? input.slice(0, -1) : input) || '/';\n }\n if (!hasTrailingSlash(input, true)) {\n return input || '/';\n }\n let path = input;\n let fragment = '';\n const fragmentIndex = input.indexOf('#');\n if (fragmentIndex >= 0) {\n path = input.slice(0, fragmentIndex);\n fragment = input.slice(fragmentIndex);\n }\n const [s0, ...s] = path.split('?');\n return (s0.slice(0, -1) || '/') + (s.length > 0 ? `?${s.join('?')}` : '') + fragment;\n}\n\nexport function hasLeadingSlash(input = ''): boolean {\n return input.startsWith('/');\n}\n\nexport function withoutLeadingSlash(input = ''): string {\n return (hasLeadingSlash(input) ? input.slice(1) : input) || '/';\n}\n\nexport function withLeadingSlash(input = ''): string {\n return hasLeadingSlash(input) ? input : '/' + input;\n}\n\nexport function cleanDoubleSlashes(input = ''): string {\n return input\n .split('://')\n .map(string_ => string_.replace(/\\/{2,}/g, '/'))\n .join('://');\n}\n\nexport function isNonEmptyURL(url: string) {\n return url && url !== '/';\n}\n\nconst JOIN_LEADING_SLASH_RE = /^\\.?\\//;\n\nexport function joinURL(base: string, ...input: string[]): string {\n let url = base || '';\n\n for (const segment of input.filter(url => isNonEmptyURL(url))) {\n if (url) {\n // TODO: Handle .. when joining\n const _segment = segment.replace(JOIN_LEADING_SLASH_RE, '');\n url = withTrailingSlash(url) + _segment;\n } else {\n url = segment;\n }\n }\n\n return url;\n}\n\n/* Code below is taken from https://github.com/vercel/next.js/blob/fe7ff3f468d7651a92865350bfd0f16ceba27db5/packages/next/src/shared/lib/utils.ts. LICENSE: MIT */\n\n// Scheme: https://tools.ietf.org/html/rfc3986#section-3.1\n// Absolute URL: https://tools.ietf.org/html/rfc3986#section-4.3\nconst ABSOLUTE_URL_REGEX = /^[a-zA-Z][a-zA-Z\\d+\\-.]*?:/;\nexport const isAbsoluteUrl = (url: string) => ABSOLUTE_URL_REGEX.test(url);\n","/**\n * This version selector is a bit complicated, so here is the flow:\n * 1. Use the clerkJSVersion prop on the provider\n * 2. Use the exact `@clerk/clerk-js` version if it is a `@snapshot` prerelease\n * 3. Use the prerelease tag of `@clerk/clerk-js` or the packageVersion provided\n * 4. Fallback to the major version of `@clerk/clerk-js` or the packageVersion provided\n * @param clerkJSVersion - The optional clerkJSVersion prop on the provider\n * @param packageVersion - The version of `@clerk/clerk-js` that will be used if an explicit version is not provided\n * @returns The npm tag, version or major version to use\n */\nexport const versionSelector = (clerkJSVersion: string | undefined, packageVersion = JS_PACKAGE_VERSION) => {\n if (clerkJSVersion) {\n return clerkJSVersion;\n }\n\n const prereleaseTag = getPrereleaseTag(packageVersion);\n if (prereleaseTag) {\n if (prereleaseTag === 'snapshot') {\n return JS_PACKAGE_VERSION;\n }\n\n return prereleaseTag;\n }\n\n return getMajorVersion(packageVersion);\n};\n\nconst getPrereleaseTag = (packageVersion: string) =>\n packageVersion\n .trim()\n .replace(/^v/, '')\n .match(/-(.+?)(\\.|$)/)?.[1];\n\nexport const getMajorVersion = (packageVersion: string) => packageVersion.trim().replace(/^v/, '').split('.')[0];\n","import type { ClerkOptions, SDKMetadata, Without } from '@clerk/types';\n\nimport { buildErrorThrower } from './error';\nimport { createDevOrStagingUrlCache, parsePublishableKey } from './keys';\nimport { loadScript } from './loadScript';\nimport { isValidProxyUrl, proxyUrlToAbsoluteURL } from './proxy';\nimport { addClerkPrefix } from './url';\nimport { versionSelector } from './versionSelector';\n\nconst FAILED_TO_LOAD_ERROR = 'Clerk: Failed to load Clerk';\n\nconst { isDevOrStagingUrl } = createDevOrStagingUrlCache();\n\nconst errorThrower = buildErrorThrower({ packageName: '@clerk/shared' });\n\n/**\n * Sets the package name for error messages during ClerkJS script loading.\n *\n * @example\n * setClerkJsLoadingErrorPackageName('@clerk/clerk-react');\n */\nexport function setClerkJsLoadingErrorPackageName(packageName: string) {\n errorThrower.setPackageName({ packageName });\n}\n\ntype LoadClerkJsScriptOptions = Without & {\n publishableKey: string;\n clerkJSUrl?: string;\n clerkJSVariant?: 'headless' | '';\n clerkJSVersion?: string;\n sdkMetadata?: SDKMetadata;\n proxyUrl?: string;\n domain?: string;\n nonce?: string;\n};\n\n/**\n * Hotloads the Clerk JS script.\n *\n * Checks for an existing Clerk JS script. If found, it returns a promise\n * that resolves when the script loads. If not found, it uses the provided options to\n * build the Clerk JS script URL and load the script.\n *\n * @param opts - The options used to build the Clerk JS script URL and load the script.\n * Must include a `publishableKey` if no existing script is found.\n *\n * @example\n * loadClerkJsScript({ publishableKey: 'pk_' });\n */\nconst loadClerkJsScript = async (opts?: LoadClerkJsScriptOptions) => {\n const existingScript = document.querySelector('script[data-clerk-js-script]');\n\n if (existingScript) {\n return new Promise((resolve, reject) => {\n existingScript.addEventListener('load', () => {\n resolve(existingScript);\n });\n\n existingScript.addEventListener('error', () => {\n reject(FAILED_TO_LOAD_ERROR);\n });\n });\n }\n\n if (!opts?.publishableKey) {\n errorThrower.throwMissingPublishableKeyError();\n return;\n }\n\n return loadScript(clerkJsScriptUrl(opts), {\n async: true,\n crossOrigin: 'anonymous',\n nonce: opts.nonce,\n beforeLoad: applyClerkJsScriptAttributes(opts),\n }).catch(() => {\n throw new Error(FAILED_TO_LOAD_ERROR);\n });\n};\n\n/**\n * Generates a Clerk JS script URL.\n *\n * @param opts - The options to use when building the Clerk JS script URL.\n *\n * @example\n * clerkJsScriptUrl({ publishableKey: 'pk_' });\n */\nconst clerkJsScriptUrl = (opts: LoadClerkJsScriptOptions) => {\n const { clerkJSUrl, clerkJSVariant, clerkJSVersion, proxyUrl, domain, publishableKey } = opts;\n\n if (clerkJSUrl) {\n return clerkJSUrl;\n }\n\n let scriptHost = '';\n if (!!proxyUrl && isValidProxyUrl(proxyUrl)) {\n scriptHost = proxyUrlToAbsoluteURL(proxyUrl).replace(/http(s)?:\\/\\//, '');\n } else if (domain && !isDevOrStagingUrl(parsePublishableKey(publishableKey)?.frontendApi || '')) {\n scriptHost = addClerkPrefix(domain);\n } else {\n scriptHost = parsePublishableKey(publishableKey)?.frontendApi || '';\n }\n\n const variant = clerkJSVariant ? `${clerkJSVariant.replace(/\\.+$/, '')}.` : '';\n const version = versionSelector(clerkJSVersion);\n return `https://${scriptHost}/npm/@clerk/clerk-js@${version}/dist/clerk.${variant}browser.js`;\n};\n\n/**\n * Builds an object of Clerk JS script attributes.\n */\nconst buildClerkJsScriptAttributes = (options: LoadClerkJsScriptOptions) => {\n const obj: Record = {};\n\n if (options.publishableKey) {\n obj['data-clerk-publishable-key'] = options.publishableKey;\n }\n\n if (options.proxyUrl) {\n obj['data-clerk-proxy-url'] = options.proxyUrl;\n }\n\n if (options.domain) {\n obj['data-clerk-domain'] = options.domain;\n }\n\n if (options.nonce) {\n obj.nonce = options.nonce;\n }\n\n return obj;\n};\n\nconst applyClerkJsScriptAttributes = (options: LoadClerkJsScriptOptions) => (script: HTMLScriptElement) => {\n const attributes = buildClerkJsScriptAttributes(options);\n for (const attribute in attributes) {\n script.setAttribute(attribute, attributes[attribute]);\n }\n};\n\nexport { loadClerkJsScript, buildClerkJsScriptAttributes, clerkJsScriptUrl };\nexport type { LoadClerkJsScriptOptions };\n","type Listener = (e: MessageEvent) => void;\n\nconst KEY_PREFIX = '__lsbc__';\n\nexport class LocalStorageBroadcastChannel {\n private readonly eventTarget = window;\n private readonly channelKey: string;\n\n constructor(name: string) {\n this.channelKey = KEY_PREFIX + name;\n this.setupLocalStorageListener();\n }\n\n public postMessage = (data: E): void => {\n if (typeof window === 'undefined') {\n // Silently do nothing\n return;\n }\n\n try {\n window.localStorage.setItem(this.channelKey, JSON.stringify(data));\n window.localStorage.removeItem(this.channelKey);\n } catch {\n // Silently do nothing\n }\n };\n\n public addEventListener = (eventName: 'message', listener: Listener): void => {\n this.eventTarget.addEventListener(this.prefixEventName(eventName), e => {\n listener(e as MessageEvent);\n });\n };\n\n private setupLocalStorageListener = () => {\n const notifyListeners = (e: StorageEvent) => {\n if (e.key !== this.channelKey || !e.newValue) {\n return;\n }\n\n try {\n const data = JSON.parse(e.newValue || '');\n const event = new MessageEvent(this.prefixEventName('message'), {\n data,\n });\n this.eventTarget.dispatchEvent(event);\n } catch {\n //\n }\n };\n\n window.addEventListener('storage', notifyListeners);\n };\n\n private prefixEventName(eventName: string): string {\n return this.channelKey + eventName;\n }\n}\n","const respond=r=>{self.postMessage(r)},workerToTabIds={};self.addEventListener(\"message\",r=>{const e=r.data;switch(e.type){case\"setTimeout\":workerToTabIds[e.id]=setTimeout(()=>{respond({id:e.id}),delete workerToTabIds[e.id]},e.ms);break;case\"clearTimeout\":workerToTabIds[e.id]&&(clearTimeout(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break;case\"setInterval\":workerToTabIds[e.id]=setInterval(()=>{respond({id:e.id})},e.ms);break;case\"clearInterval\":workerToTabIds[e.id]&&(clearInterval(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break}});\n","import { noop } from '../utils/noop';\nimport type {\n WorkerClearTimeout,\n WorkerSetTimeout,\n WorkerTimeoutCallback,\n WorkerTimerEvent,\n WorkerTimerId,\n WorkerTimerResponseEvent,\n} from './workerTimers.types';\n// @ts-ignore\n// eslint-disable-next-line import/default\nimport pollerWorkerSource from './workerTimers.worker';\n\nconst createWebWorker = (source: string, opts: ConstructorParameters[1] = {}): Worker | null => {\n if (typeof Worker === 'undefined') {\n return null;\n }\n\n try {\n const blob = new Blob([source], { type: 'application/javascript; charset=utf-8' });\n const workerScript = globalThis.URL.createObjectURL(blob);\n return new Worker(workerScript, opts);\n } catch {\n console.warn('Clerk: Cannot create worker from blob. Consider adding worker-src blob:; to your CSP');\n return null;\n }\n};\n\nconst fallbackTimers = () => {\n const setTimeout = globalThis.setTimeout.bind(globalThis) as WorkerSetTimeout;\n const setInterval = globalThis.setInterval.bind(globalThis) as WorkerSetTimeout;\n const clearTimeout = globalThis.clearTimeout.bind(globalThis) as WorkerClearTimeout;\n const clearInterval = globalThis.clearInterval.bind(globalThis) as WorkerClearTimeout;\n return { setTimeout, setInterval, clearTimeout, clearInterval, cleanup: noop };\n};\n\nexport const createWorkerTimers = () => {\n let id = 0;\n const generateId = () => id++;\n const callbacks = new Map();\n const post = (w: Worker | null, p: WorkerTimerEvent) => w?.postMessage(p);\n const handleMessage = (e: MessageEvent) => {\n callbacks.get(e.data.id)?.();\n };\n\n let worker = createWebWorker(pollerWorkerSource, { name: 'clerk-timers' });\n worker?.addEventListener('message', handleMessage);\n\n if (!worker) {\n return fallbackTimers();\n }\n\n const init = () => {\n if (!worker) {\n worker = createWebWorker(pollerWorkerSource, { name: 'clerk-timers' });\n worker?.addEventListener('message', handleMessage);\n }\n };\n\n const cleanup = () => {\n if (worker) {\n worker.terminate();\n worker = null;\n callbacks.clear();\n }\n };\n\n const setTimeout: WorkerSetTimeout = (cb, ms) => {\n init();\n const id = generateId();\n callbacks.set(id, () => {\n cb();\n callbacks.delete(id);\n });\n post(worker, { type: 'setTimeout', id, ms });\n return id;\n };\n\n const setInterval: WorkerSetTimeout = (cb, ms) => {\n init();\n const id = generateId();\n callbacks.set(id, cb);\n post(worker, { type: 'setInterval', id, ms });\n return id;\n };\n\n const clearTimeout: WorkerClearTimeout = id => {\n init();\n callbacks.delete(id);\n post(worker, { type: 'clearTimeout', id });\n };\n\n const clearInterval: WorkerClearTimeout = id => {\n init();\n callbacks.delete(id);\n post(worker, { type: 'clearInterval', id });\n };\n\n return { setTimeout, setInterval, clearTimeout, clearInterval, cleanup };\n};\n","import { createWorkerTimers } from './workerTimers';\n\nexport type PollerStop = () => void;\nexport type PollerCallback = (stop: PollerStop) => Promise;\nexport type PollerRun = (cb: PollerCallback) => Promise;\n\ntype PollerOptions = {\n delayInMs: number;\n};\n\nexport type Poller = {\n run: PollerRun;\n stop: PollerStop;\n};\n\nexport function Poller({ delayInMs }: PollerOptions = { delayInMs: 1000 }): Poller {\n const workerTimers = createWorkerTimers();\n\n let timerId: number | undefined;\n let stopped = false;\n\n const stop: PollerStop = () => {\n if (timerId) {\n workerTimers.clearTimeout(timerId);\n workerTimers.cleanup();\n }\n stopped = true;\n };\n\n const run: PollerRun = async cb => {\n stopped = false;\n await cb(stop);\n if (stopped) {\n return;\n }\n\n timerId = workerTimers.setTimeout(() => {\n void run(cb);\n }, delayInMs) as any as number;\n };\n\n return { run, stop };\n}\n","/**\n * Converts an array of strings to a comma-separated sentence\n * @param items {Array}\n * @returns {string} Returns a string with the items joined by a comma and the last item joined by \", or\"\n */\nexport const toSentence = (items: string[]): string => {\n // TODO: Once Safari supports it, use Intl.ListFormat\n if (items.length == 0) {\n return '';\n }\n if (items.length == 1) {\n return items[0];\n }\n let sentence = items.slice(0, -1).join(', ');\n sentence += `, or ${items.slice(-1)}`;\n return sentence;\n};\n\nconst IP_V4_ADDRESS_REGEX =\n /^(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$/;\n\nexport function isIPV4Address(str: string | undefined | null): boolean {\n return IP_V4_ADDRESS_REGEX.test(str || '');\n}\n\nexport function titleize(str: string | undefined | null): string {\n const s = str || '';\n return s.charAt(0).toUpperCase() + s.slice(1);\n}\n\nexport function snakeToCamel(str: string | undefined): string {\n return str ? str.replace(/([-_][a-z])/g, match => match.toUpperCase().replace(/-|_/, '')) : '';\n}\n\nexport function camelToSnake(str: string | undefined): string {\n return str ? str.replace(/[A-Z]/g, letter => `_${letter.toLowerCase()}`) : '';\n}\n\nconst createDeepObjectTransformer = (transform: any) => {\n const deepTransform = (obj: any): any => {\n if (!obj) {\n return obj;\n }\n\n if (Array.isArray(obj)) {\n return obj.map(el => {\n if (typeof el === 'object' || Array.isArray(el)) {\n return deepTransform(el);\n }\n return el;\n });\n }\n\n const copy = { ...obj };\n const keys = Object.keys(copy);\n for (const oldName of keys) {\n const newName = transform(oldName.toString());\n if (newName !== oldName) {\n copy[newName] = copy[oldName];\n delete copy[oldName];\n }\n if (typeof copy[newName] === 'object') {\n copy[newName] = deepTransform(copy[newName]);\n }\n }\n return copy;\n };\n\n return deepTransform;\n};\n\n/**\n * Transforms camelCased objects/ arrays to snake_cased.\n * This function recursively traverses all objects and arrays of the passed value\n * camelCased keys are removed.\n */\nexport const deepCamelToSnake = createDeepObjectTransformer(camelToSnake);\n\n/**\n * Transforms snake_cased objects/ arrays to camelCased.\n * This function recursively traverses all objects and arrays of the passed value\n * camelCased keys are removed.\n */\nexport const deepSnakeToCamel = createDeepObjectTransformer(snakeToCamel);\n\n/**\n * Returns true for `true`, true, positive numbers.\n * Returns false for `false`, false, 0, negative integers and anything else.\n */\nexport function isTruthy(value: unknown): boolean {\n // Return if Boolean\n if (typeof value === `boolean`) {\n return value;\n }\n\n // Return false if null or undefined\n if (value === undefined || value === null) {\n return false;\n }\n\n // If the String is true or false\n if (typeof value === `string`) {\n if (value.toLowerCase() === `true`) {\n return true;\n }\n\n if (value.toLowerCase() === `false`) {\n return false;\n }\n }\n\n // Now check if it's a number\n const number = parseInt(value as string, 10);\n if (isNaN(number)) {\n return false;\n }\n\n if (number > 0) {\n return true;\n }\n\n // Default to false\n return false;\n}\n\nexport function getNonUndefinedValues(obj: T): Partial {\n return Object.entries(obj).reduce((acc, [key, value]) => {\n if (value !== undefined) {\n acc[key as keyof T] = value;\n }\n return acc;\n }, {} as Partial);\n}\n","export const without = (obj: T, ...props: P[]): Omit => {\n const copy = { ...obj };\n for (const prop of props) {\n delete copy[prop];\n }\n return copy;\n};\n\nexport const removeUndefined = (obj: T): Partial => {\n return Object.entries(obj).reduce((acc, [key, value]) => {\n if (value !== undefined && value !== null) {\n acc[key as keyof T] = value;\n }\n return acc;\n }, {} as Partial);\n};\n\nexport const applyFunctionToObj = , R>(\n obj: T,\n fn: (val: any, key: string) => R,\n): Record => {\n const result = {} as Record;\n for (const key in obj) {\n result[key] = fn(obj[key], key);\n }\n return result;\n};\n\nexport const filterProps = >(obj: T, filter: (a: any) => boolean): T => {\n const result = {} as T;\n for (const key in obj) {\n if (obj[key] && filter(obj[key])) {\n result[key] = obj[key];\n }\n }\n return result;\n};\n","const loggedMessages: Set = new Set();\n\nexport const logger = {\n /**\n * A custom logger that ensures messages are logged only once.\n * Reduces noise and duplicated messages when logs are in a hot codepath.\n */\n warnOnce: (msg: string) => {\n if (loggedMessages.has(msg)) {\n return;\n }\n\n loggedMessages.add(msg);\n console.warn(msg);\n },\n logOnce: (msg: string) => {\n if (loggedMessages.has(msg)) {\n return;\n }\n\n console.log(msg);\n loggedMessages.add(msg);\n },\n};\n","export const DEV_BROWSER_JWT_KEY = '__clerk_db_jwt';\nexport const DEV_BROWSER_JWT_HEADER = 'Clerk-Db-Jwt';\n\n// Sets the dev_browser JWT in the hash or the search\nexport function setDevBrowserJWTInURL(url: URL, jwt: string): URL {\n const resultURL = new URL(url);\n\n // extract & strip existing jwt from search\n const jwtFromSearch = resultURL.searchParams.get(DEV_BROWSER_JWT_KEY);\n resultURL.searchParams.delete(DEV_BROWSER_JWT_KEY);\n\n // Existing jwt takes precedence\n const jwtToSet = jwtFromSearch || jwt;\n\n if (jwtToSet) {\n resultURL.searchParams.set(DEV_BROWSER_JWT_KEY, jwtToSet);\n }\n\n return resultURL;\n}\n\n/**\n * Gets the __clerk_db_jwt JWT from either the hash or the search\n * Side effect:\n * Removes __clerk_db_jwt JWT from the URL (hash and searchParams) and updates the browser history\n */\nexport function extractDevBrowserJWTFromURL(url: URL): string {\n const jwt = readDevBrowserJwtFromSearchParams(url);\n const cleanUrl = removeDevBrowserJwt(url);\n if (cleanUrl.href !== url.href && typeof globalThis.history !== 'undefined') {\n globalThis.history.replaceState(null, '', removeDevBrowserJwt(url));\n }\n return jwt;\n}\n\nconst readDevBrowserJwtFromSearchParams = (url: URL) => {\n return url.searchParams.get(DEV_BROWSER_JWT_KEY) || '';\n};\n\nconst removeDevBrowserJwt = (url: URL) => {\n return removeDevBrowserJwtFromURLSearchParams(removeLegacyDevBrowserJwt(url));\n};\n\nconst removeDevBrowserJwtFromURLSearchParams = (_url: URL) => {\n const url = new URL(_url);\n url.searchParams.delete(DEV_BROWSER_JWT_KEY);\n return url;\n};\n\n/**\n * Removes the __clerk_db_jwt JWT from the URL hash, as well as\n * the legacy __dev_session JWT from the URL searchParams\n * We no longer need to use this value, however, we should remove it from the URL\n * Existing v4 apps will write the JWT to the hash and the search params in order to ensure\n * backwards compatibility with older v4 apps.\n * The only use case where this is needed now is when a user upgrades to clerk@5 locally\n * without changing the component's version on their dashboard.\n * In this scenario, the AP@4 -> localhost@5 redirect will still have the JWT in the hash,\n * in which case we need to remove it.\n */\nconst removeLegacyDevBrowserJwt = (_url: URL) => {\n const DEV_BROWSER_JWT_MARKER_REGEXP = /__clerk_db_jwt\\[(.*)\\]/;\n const DEV_BROWSER_JWT_LEGACY_KEY = '__dev_session';\n const url = new URL(_url);\n url.searchParams.delete(DEV_BROWSER_JWT_LEGACY_KEY);\n url.hash = decodeURI(url.hash).replace(DEV_BROWSER_JWT_MARKER_REGEXP, '');\n if (url.href.endsWith('#')) {\n url.hash = '';\n }\n return url;\n};\n","type CloudflareEnv = { env: Record };\n\nconst hasCloudflareProxyContext = (context: any): context is { cloudflare: CloudflareEnv } => {\n return !!context?.cloudflare?.env;\n};\n\nconst hasCloudflareContext = (context: any): context is CloudflareEnv => {\n return !!context?.env;\n};\n\n/**\n * Retrieves an environment variable across runtime environments.\n * @param name - The environment variable name to retrieve\n * @param context - Optional context object that may contain environment values\n * @returns The environment variable value or empty string if not found\n */\nexport const getEnvVariable = (name: string, context?: Record): string => {\n // Node envs\n if (typeof process !== 'undefined' && process.env && typeof process.env[name] === 'string') {\n return process.env[name];\n }\n\n // Vite specific\n if (typeof import.meta !== 'undefined' && import.meta.env && typeof import.meta.env[name] === 'string') {\n return import.meta.env[name];\n }\n\n if (hasCloudflareProxyContext(context)) {\n return context.cloudflare.env[name] || '';\n }\n\n // Cloudflare\n if (hasCloudflareContext(context)) {\n return context.env[name] || '';\n }\n\n // Check whether the value exists in the context object directly\n if (context && typeof context[name] === 'string') {\n return context[name];\n }\n\n // Cloudflare workers\n try {\n return globalThis[name as keyof typeof globalThis];\n } catch {\n // This will raise an error in Cloudflare Pages\n }\n\n return '';\n};\n","/* eslint-disable no-redeclare, curly */\n\nfunction _(r) {\n for (var n = [], e = 0; e < r.length; ) {\n var a = r[e];\n if (a === '*' || a === '+' || a === '?') {\n n.push({\n type: 'MODIFIER',\n index: e,\n value: r[e++],\n });\n continue;\n }\n if (a === '\\\\') {\n n.push({\n type: 'ESCAPED_CHAR',\n index: e++,\n value: r[e++],\n });\n continue;\n }\n if (a === '{') {\n n.push({\n type: 'OPEN',\n index: e,\n value: r[e++],\n });\n continue;\n }\n if (a === '}') {\n n.push({\n type: 'CLOSE',\n index: e,\n value: r[e++],\n });\n continue;\n }\n if (a === ':') {\n for (var u = '', t = e + 1; t < r.length; ) {\n var c = r.charCodeAt(t);\n if ((c >= 48 && c <= 57) || (c >= 65 && c <= 90) || (c >= 97 && c <= 122) || c === 95) {\n u += r[t++];\n continue;\n }\n break;\n }\n if (!u) throw new TypeError('Missing parameter name at '.concat(e));\n n.push({\n type: 'NAME',\n index: e,\n value: u,\n }),\n (e = t);\n continue;\n }\n if (a === '(') {\n var o = 1,\n m = '',\n t = e + 1;\n if (r[t] === '?') throw new TypeError('Pattern cannot start with \"?\" at '.concat(t));\n for (; t < r.length; ) {\n if (r[t] === '\\\\') {\n m += r[t++] + r[t++];\n continue;\n }\n if (r[t] === ')') {\n if ((o--, o === 0)) {\n t++;\n break;\n }\n } else if (r[t] === '(' && (o++, r[t + 1] !== '?'))\n throw new TypeError('Capturing groups are not allowed at '.concat(t));\n m += r[t++];\n }\n if (o) throw new TypeError('Unbalanced pattern at '.concat(e));\n if (!m) throw new TypeError('Missing pattern at '.concat(e));\n n.push({\n type: 'PATTERN',\n index: e,\n value: m,\n }),\n (e = t);\n continue;\n }\n n.push({\n type: 'CHAR',\n index: e,\n value: r[e++],\n });\n }\n return (\n n.push({\n type: 'END',\n index: e,\n value: '',\n }),\n n\n );\n}\n\nfunction F(r, n) {\n n === void 0 && (n = {});\n for (\n var e = _(r),\n a = n.prefixes,\n u = a === void 0 ? './' : a,\n t = n.delimiter,\n c = t === void 0 ? '/#?' : t,\n o = [],\n m = 0,\n h = 0,\n p = '',\n f = function (l) {\n if (h < e.length && e[h].type === l) return e[h++].value;\n },\n w = function (l) {\n var v = f(l);\n if (v !== void 0) return v;\n var E = e[h],\n N = E.type,\n S = E.index;\n throw new TypeError('Unexpected '.concat(N, ' at ').concat(S, ', expected ').concat(l));\n },\n d = function () {\n for (var l = '', v; (v = f('CHAR') || f('ESCAPED_CHAR')); ) l += v;\n return l;\n },\n M = function (l) {\n for (var v = 0, E = c; v < E.length; v++) {\n var N = E[v];\n if (l.indexOf(N) > -1) return !0;\n }\n return !1;\n },\n A = function (l) {\n var v = o[o.length - 1],\n E = l || (v && typeof v == 'string' ? v : '');\n if (v && !E)\n throw new TypeError('Must have text between two parameters, missing text after \"'.concat(v.name, '\"'));\n return !E || M(E) ? '[^'.concat(s(c), ']+?') : '(?:(?!'.concat(s(E), ')[^').concat(s(c), '])+?');\n };\n h < e.length;\n\n ) {\n var T = f('CHAR'),\n x = f('NAME'),\n C = f('PATTERN');\n if (x || C) {\n var g = T || '';\n u.indexOf(g) === -1 && ((p += g), (g = '')),\n p && (o.push(p), (p = '')),\n o.push({\n name: x || m++,\n prefix: g,\n suffix: '',\n pattern: C || A(g),\n modifier: f('MODIFIER') || '',\n });\n continue;\n }\n var i = T || f('ESCAPED_CHAR');\n if (i) {\n p += i;\n continue;\n }\n p && (o.push(p), (p = ''));\n var R = f('OPEN');\n if (R) {\n var g = d(),\n y = f('NAME') || '',\n O = f('PATTERN') || '',\n b = d();\n w('CLOSE'),\n o.push({\n name: y || (O ? m++ : ''),\n pattern: y && !O ? A(g) : O,\n prefix: g,\n suffix: b,\n modifier: f('MODIFIER') || '',\n });\n continue;\n }\n w('END');\n }\n return o;\n}\n\nfunction H(r, n) {\n var e = [],\n a = P(r, e, n);\n return I(a, e, n);\n}\n\nfunction I(r, n, e) {\n e === void 0 && (e = {});\n var a = e.decode,\n u =\n a === void 0\n ? function (t) {\n return t;\n }\n : a;\n return function (t) {\n var c = r.exec(t);\n if (!c) return !1;\n for (\n var o = c[0],\n m = c.index,\n h = Object.create(null),\n p = function (w) {\n if (c[w] === void 0) return 'continue';\n var d = n[w - 1];\n d.modifier === '*' || d.modifier === '+'\n ? (h[d.name] = c[w].split(d.prefix + d.suffix).map(function (M) {\n return u(M, d);\n }))\n : (h[d.name] = u(c[w], d));\n },\n f = 1;\n f < c.length;\n f++\n )\n p(f);\n return {\n path: o,\n index: m,\n params: h,\n };\n };\n}\n\nfunction s(r) {\n return r.replace(/([.+*?=^!:${}()[\\]|/\\\\])/g, '\\\\$1');\n}\n\nfunction D(r) {\n return r && r.sensitive ? '' : 'i';\n}\n\nfunction $(r, n) {\n if (!n) return r;\n for (var e = /\\((?:\\?<(.*?)>)?(?!\\?)/g, a = 0, u = e.exec(r.source); u; )\n n.push({\n name: u[1] || a++,\n prefix: '',\n suffix: '',\n modifier: '',\n pattern: '',\n }),\n (u = e.exec(r.source));\n return r;\n}\n\nfunction W(r, n, e) {\n var a = r.map(function (u) {\n return P(u, n, e).source;\n });\n return new RegExp('(?:'.concat(a.join('|'), ')'), D(e));\n}\n\nfunction L(r, n, e) {\n return U(F(r, e), n, e);\n}\n\nfunction U(r, n, e) {\n e === void 0 && (e = {});\n for (\n var a = e.strict,\n u = a === void 0 ? !1 : a,\n t = e.start,\n c = t === void 0 ? !0 : t,\n o = e.end,\n m = o === void 0 ? !0 : o,\n h = e.encode,\n p =\n h === void 0\n ? function (v) {\n return v;\n }\n : h,\n f = e.delimiter,\n w = f === void 0 ? '/#?' : f,\n d = e.endsWith,\n M = d === void 0 ? '' : d,\n A = '['.concat(s(M), ']|$'),\n T = '['.concat(s(w), ']'),\n x = c ? '^' : '',\n C = 0,\n g = r;\n C < g.length;\n C++\n ) {\n var i = g[C];\n if (typeof i == 'string') x += s(p(i));\n else {\n var R = s(p(i.prefix)),\n y = s(p(i.suffix));\n if (i.pattern)\n if ((n && n.push(i), R || y))\n if (i.modifier === '+' || i.modifier === '*') {\n var O = i.modifier === '*' ? '?' : '';\n x += '(?:'\n .concat(R, '((?:')\n .concat(i.pattern, ')(?:')\n .concat(y)\n .concat(R, '(?:')\n .concat(i.pattern, '))*)')\n .concat(y, ')')\n .concat(O);\n } else x += '(?:'.concat(R, '(').concat(i.pattern, ')').concat(y, ')').concat(i.modifier);\n else {\n if (i.modifier === '+' || i.modifier === '*')\n throw new TypeError('Can not repeat \"'.concat(i.name, '\" without a prefix and suffix'));\n x += '('.concat(i.pattern, ')').concat(i.modifier);\n }\n else x += '(?:'.concat(R).concat(y, ')').concat(i.modifier);\n }\n }\n if (m) u || (x += ''.concat(T, '?')), (x += e.endsWith ? '(?='.concat(A, ')') : '$');\n else {\n var b = r[r.length - 1],\n l = typeof b == 'string' ? T.indexOf(b[b.length - 1]) > -1 : b === void 0;\n u || (x += '(?:'.concat(T, '(?=').concat(A, '))?')), l || (x += '(?='.concat(T, '|').concat(A, ')'));\n }\n return new RegExp(x, D(e));\n}\n\nfunction P(r, n, e) {\n return r instanceof RegExp ? $(r, n) : Array.isArray(r) ? W(r, n, e) : L(r, n, e);\n}\nexport { H as match, P as pathToRegexp };\n","import type {\n Match,\n MatchFunction,\n ParseOptions,\n Path,\n RegexpToFunctionOptions,\n TokensToRegexpOptions,\n} from './compiled/path-to-regexp';\nimport { match as matchBase, pathToRegexp as pathToRegexpBase } from './compiled/path-to-regexp';\n\nexport const pathToRegexp = (path: string) => {\n try {\n // @ts-ignore no types exists for the pre-compiled package\n return pathToRegexpBase(path);\n } catch (e: any) {\n throw new Error(\n `Invalid path: ${path}.\\nConsult the documentation of path-to-regexp here: https://github.com/pillarjs/path-to-regexp/tree/6.x\\n${e.message}`,\n );\n }\n};\n\nexport function match

(\n str: Path,\n options?: ParseOptions & TokensToRegexpOptions & RegexpToFunctionOptions,\n): MatchFunction

{\n try {\n // @ts-ignore no types exists for the pre-compiled package\n return matchBase(str, options);\n } catch (e: any) {\n throw new Error(\n `Invalid path and options: Consult the documentation of path-to-regexp here: https://github.com/pillarjs/path-to-regexp/tree/6.x\\n${e.message}`,\n );\n }\n}\n\nexport { type Match, type MatchFunction };\n","import type { Autocomplete } from '@clerk/types';\n\nimport { pathToRegexp } from './pathToRegexp';\n\nexport type WithPathPatternWildcard = `${T & string}(.*)`;\nexport type PathPattern = Autocomplete;\nexport type PathMatcherParam = Array | RegExp | PathPattern;\n\nconst precomputePathRegex = (patterns: Array) => {\n return patterns.map(pattern => (pattern instanceof RegExp ? pattern : pathToRegexp(pattern)));\n};\n\n/**\n * Creates a function that matches paths against a set of patterns.\n *\n * @param patterns - A string, RegExp, or array of patterns to match against\n * @returns A function that takes a pathname and returns true if it matches any of the patterns\n */\nexport const createPathMatcher = (patterns: PathMatcherParam) => {\n const routePatterns = [patterns || ''].flat().filter(Boolean);\n const matchers = precomputePathRegex(routePatterns);\n return (pathname: string) => matchers.some(matcher => matcher.test(pathname));\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACAO,IAAM,OAAO,IAAI,UAAuB;AAE/C;;;ACMO,IAAM,wBAAwB,MAAM;AACzC,MAAI,UAAoB;AACxB,MAAI,SAAmB;AACvB,QAAM,UAAU,IAAI,QAAQ,CAAC,KAAK,QAAQ;AACxC,cAAU;AACV,aAAS;AAAA,EACX,CAAC;AACD,SAAO,EAAE,SAAS,SAAS,OAAO;AACpC;;;ACbO,SAAS,UAAU,aAA8B;AACtD,SACE,YAAY,SAAS,eAAe,KACpC,YAAY,SAAS,eAAe,KACpC,YAAY,SAAS,iBAAiB,KACtC,YAAY,SAAS,oBAAoB;AAE7C;;;ACVO,IAAM,2BAA2B,MAAe;AACrD,MAAI;AACF,WAAO,QAAQ,IAAI,aAAa;AAAA,EAElC,QAAQ;AAAA,EAAC;AAIT,SAAO;AACT;AAEO,IAAM,oBAAoB,MAAe;AAC9C,MAAI;AACF,WAAO,QAAQ,IAAI,aAAa;AAAA,EAElC,QAAQ;AAAA,EAAC;AAGT,SAAO;AACT;AAEO,IAAM,0BAA0B,MAAe;AACpD,MAAI;AACF,WAAO,QAAQ,IAAI,aAAa;AAAA,EAElC,QAAQ;AAAA,EAAC;AAGT,SAAO;AACT;;;AC3BO,IAAM,oBAAoB,CAAC,YAAoB;AACpD,MAAI,yBAAyB,GAAG;AAC9B,YAAQ,MAAM,UAAU,OAAO,EAAE;AAAA,EACnC;AACF;;;ACHO,SAAS,gBAAmB,OAAyB,KAAU,cAAiC;AACrG,MAAI,OAAO,UAAU,YAAY;AAC/B,WAAQ,MAAwB,GAAG;AAAA,EACrC;AAEA,MAAI,OAAO,UAAU,aAAa;AAChC,WAAO;AAAA,EACT;AAEA,MAAI,OAAO,iBAAiB,aAAa;AACvC,WAAO;AAAA,EACT;AAEA,SAAO;AACT;;;ACZO,IAAM,0BAA0B,CACrC,QACA,WACG;AACH,MAAI,CAAC,UAAU,CAAC,QAAQ;AACtB;AAAA,EACF;AAEA,aAAW,OAAO,QAAQ;AACxB,QAAI,OAAO,UAAU,eAAe,KAAK,QAAQ,GAAG,KAAK,OAAO,GAAG,MAAM,QAAQ,OAAO,OAAO,GAAG,MAAM,UAAU;AAChH,UAAI,OAAO,GAAG,MAAM,QAAW;AAC7B,eAAO,GAAG,IAAI,KAAK,OAAO,eAAe,OAAO,GAAG,CAAC,GAAE,YAAa;AAAA,MACrE;AACA,8BAAwB,OAAO,GAAG,GAAG,OAAO,GAAG,CAAC;AAAA,IAClD,WAAW,OAAO,UAAU,eAAe,KAAK,QAAQ,GAAG,GAAG;AAC5D,aAAO,GAAG,IAAI,OAAO,GAAG;AAAA,IAC1B;AAAA,EACF;AACF;AAEO,IAAM,uBAAuB,CAClC,QACA,WACG;AACH,MAAI,CAAC,UAAU,CAAC,QAAQ;AACtB;AAAA,EACF;AAEA,aAAW,OAAO,QAAQ;AACxB,QAAI,OAAO,UAAU,eAAe,KAAK,QAAQ,GAAG,KAAK,OAAO,GAAG,MAAM,QAAQ,OAAO,OAAO,GAAG,MAAM,UAAU;AAChH,UAAI,OAAO,GAAG,MAAM,QAAW;AAC7B,eAAO,GAAG,IAAI,KAAK,OAAO,eAAe,OAAO,GAAG,CAAC,GAAE,YAAa;AAAA,MACrE;AACA,2BAAqB,OAAO,GAAG,GAAG,OAAO,GAAG,CAAC;AAAA,IAC/C,WAAW,OAAO,UAAU,eAAe,KAAK,QAAQ,GAAG,KAAK,OAAO,GAAG,MAAM,QAAW;AACzF,aAAO,GAAG,IAAI,OAAO,GAAG;AAAA,IAC1B;AAAA,EACF;AACF;;;AC3CO,IAAM,+BAA+B,CAAC,YAAY,iBAAiB,eAAe;AAClF,IAAM,gCAAgC,CAAC,iBAAiB,sBAAsB,wBAAwB;AACtG,IAAM,0BAA0B;AAAA,EACrC;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AACF;AACO,IAAM,qBAAqB,CAAC,YAAY,gBAAgB,iBAAiB,wBAAwB;AACjG,IAAM,uBAAuB,CAAC,oBAAoB;AAClD,IAAM,gBAAgB;AACtB,IAAM,kBAAkB;AACxB,IAAM,eAAe;AAMrB,SAAS,aAAa,IAAY,SAAyB,OAAe;AAC/E,SAAO,gCAAgC,EAAE,IAAI,MAAM;AACrD;;;ACrBO,IAAM,iBAAiB,CAAC,SAAiB;AAC9C,MAAI,OAAO,SAAS,eAAe,OAAO,SAAS,YAAY;AAC7D,WAAO,KAAK,IAAI;AAAA,EAClB,WAAW,OAAO,WAAW,eAAe,OAAO,QAAQ;AACzD,WAAO,IAAI,OAAO,OAAO,MAAM,QAAQ,EAAE,SAAS;AAAA,EACpD;AACA,SAAO;AACT;;;ACXO,IAAM,iBAAiB,CAAC,SAAiB;AAC9C,MAAI,OAAO,SAAS,eAAe,OAAO,SAAS,YAAY;AAC7D,WAAO,KAAK,IAAI;AAAA,EAClB,WAAW,OAAO,WAAW,eAAe,OAAO,QAAQ;AACzD,WAAO,IAAI,OAAO,OAAO,IAAI,EAAE,SAAS,QAAQ;AAAA,EAClD;AACA,SAAO;AACT;;;ACKA,IAAM,8BAA8B;AACpC,IAAM,8BAA8B;AAGpC,IAAM,qCAAqC;AAEpC,SAAS,oBAAoB,aAA6B;AAC/D,QAAM,WACJ,mCAAmC,KAAK,WAAW,KAClD,YAAY,WAAW,QAAQ,KAAK,6BAA6B,KAAK,CAAAA,OAAK,YAAY,SAASA,EAAC,CAAC;AACrG,QAAM,YAAY,WAAW,8BAA8B;AAC3D,SAAO,GAAG,SAAS,GAAG,eAAe,GAAG,WAAW,GAAG,CAAC;AACzD;AAUO,SAAS,oBACd,KACA,UAAmE,CAAC,GAC7C;AACvB,QAAM,OAAO;AAEb,MAAI,CAAC,OAAO,CAAC,iBAAiB,GAAG,GAAG;AAClC,QAAI,QAAQ,SAAS,CAAC,KAAK;AACzB,YAAM,IAAI;AAAA,QACR;AAAA,MACF;AAAA,IACF;AACA,QAAI,QAAQ,SAAS,CAAC,iBAAiB,GAAG,GAAG;AAC3C,YAAM,IAAI,MAAM,4BAA4B;AAAA,IAC9C;AACA,WAAO;AAAA,EACT;AAEA,QAAM,eAAe,IAAI,WAAW,2BAA2B,IAAI,eAAe;AAElF,MAAI,cAAc,eAAe,IAAI,MAAM,GAAG,EAAE,CAAC,CAAC;AAGlD,gBAAc,YAAY,MAAM,GAAG,EAAE;AAErC,MAAI,QAAQ,UAAU;AACpB,kBAAc,QAAQ;AAAA,EACxB,WAAW,iBAAiB,iBAAiB,QAAQ,QAAQ;AAC3D,kBAAc,SAAS,QAAQ,MAAM;AAAA,EACvC;AAEA,SAAO;AAAA,IACL;AAAA,IACA;AAAA,EACF;AACF;AAQO,SAAS,iBAAiB,MAAc,IAAI;AACjD,MAAI;AACF,UAAM,iBAAiB,IAAI,WAAW,2BAA2B,KAAK,IAAI,WAAW,2BAA2B;AAEhH,UAAM,6BAA6B,eAAe,IAAI,MAAM,GAAG,EAAE,CAAC,KAAK,EAAE,EAAE,SAAS,GAAG;AAEvF,WAAO,kBAAkB;AAAA,EAC3B,QAAQ;AACN,WAAO;AAAA,EACT;AACF;AAEO,SAAS,6BAA6B;AAC3C,QAAM,uBAAuB,oBAAI,IAAqB;AAEtD,SAAO;AAAA,IACL,mBAAmB,CAAC,QAA+B;AACjD,UAAI,CAAC,KAAK;AACR,eAAO;AAAA,MACT;AAEA,YAAM,WAAW,OAAO,QAAQ,WAAW,MAAM,IAAI;AACrD,UAAI,MAAM,qBAAqB,IAAI,QAAQ;AAC3C,UAAI,QAAQ,QAAW;AACrB,cAAM,wBAAwB,KAAK,CAAAA,OAAK,SAAS,SAASA,EAAC,CAAC;AAC5D,6BAAqB,IAAI,UAAU,GAAG;AAAA,MACxC;AACA,aAAO;AAAA,IACT;AAAA,EACF;AACF;AAEO,SAAS,gCAAgC,QAAyB;AACvE,SAAO,OAAO,WAAW,OAAO,KAAK,OAAO,WAAW,UAAU;AACnE;AAEO,SAAS,+BAA+B,QAAyB;AACtE,SAAO,OAAO,WAAW,OAAO,KAAK,OAAO,WAAW,UAAU;AACnE;AAEO,SAAS,2BAA2B,QAAyB;AAClE,SAAO,OAAO,WAAW,OAAO,KAAK,OAAO,WAAW,UAAU;AACnE;AAEO,SAAS,0BAA0B,QAAyB;AACjE,SAAO,OAAO,WAAW,OAAO,KAAK,OAAO,WAAW,UAAU;AACnE;AAEA,eAAsB,gBACpB,gBACA,SAAuB,WAAW,OAAO,QACxB;AACjB,QAAM,OAAO,IAAI,YAAY,EAAE,OAAO,cAAc;AACpD,QAAM,SAAS,MAAM,OAAO,OAAO,SAAS,IAAI;AAChD,QAAM,eAAe,OAAO,aAAa,GAAG,IAAI,WAAW,MAAM,CAAC;AAElE,SAAO,eAAe,YAAY,EAAE,QAAQ,QAAQ,GAAG,EAAE,QAAQ,QAAQ,GAAG,EAAE,UAAU,GAAG,CAAC;AAC9F;AAEO,IAAM,wBAAwB,CAAC,YAAoB,iBAAiC;AACzF,SAAO,GAAG,UAAU,IAAI,YAAY;AACtC;;;AChIO,IAAM,2BAA2B,CAAC,mBAA2B;AAClE,QAAM,cAAc,oBAAoB,cAAc,GAAG;AAEzD,MAAI,aAAa,WAAW,QAAQ,KAAK,6BAA6B,KAAK,YAAU,aAAa,SAAS,MAAM,CAAC,GAAG;AACnH,WAAO;AAAA,EACT;AAEA,MAAI,mBAAmB,KAAK,YAAU,aAAa,SAAS,MAAM,CAAC,GAAG;AACpE,WAAO;AAAA,EACT;AACA,MAAI,qBAAqB,KAAK,YAAU,aAAa,SAAS,MAAM,CAAC,GAAG;AACtE,WAAO;AAAA,EACT;AACA,SAAO;AACT;;;ACpBO,SAAS,YAAqB;AACnC,SAAO,OAAO,WAAW;AAC3B;AAEA,IAAM,YAAY;AAAA,EAChB;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AACF;AACA,IAAM,gBAAgB,IAAI,OAAO,UAAU,KAAK,GAAG,GAAG,GAAG;AAOlD,SAAS,iBAAiB,WAA4B;AAC3D,SAAO,CAAC,YAAY,QAAQ,cAAc,KAAK,SAAS;AAC1D;AAMO,SAAS,iBAA0B;AACxC,QAAM,YAAY,UAAU,IAAI,QAAQ,YAAY;AACpD,MAAI,CAAC,WAAW;AACd,WAAO;AAAA,EACT;AACA,SAAO,CAAC,iBAAiB,WAAW,SAAS,KAAK,CAAC,WAAW;AAChE;AAMO,SAAS,kBAA2B;AACzC,QAAM,YAAY,UAAU,IAAI,QAAQ,YAAY;AACpD,MAAI,CAAC,WAAW;AACd,WAAO;AAAA,EACT;AAEA,QAAM,oBAAoB,WAAW;AAKrC,QAAM,iCAAiC,WAAW,YAAY,QAAQ,KAAK,WAAW,YAAY,aAAa;AAC/G,SAAO,kCAAkC;AAC3C;AAMO,SAAS,uBAAgC;AAC9C,SAAO,gBAAgB,KAAK,eAAe;AAC7C;;;ACpFA,IAAM,qBAAqB;AAE3B,IAAM,qBAAqB;AAC3B,IAAM,sBAAsB;AAE5B,IAAM,qBAAqB;AAC3B,IAAM,sBAAsB;AAErB,IAAM,mBAAmB,CAACC,OAAc;AAC7C,SAAO,CAAC,CAACA,GAAE,MAAM,kBAAkB;AACrC;AAEO,IAAM,oBAAoB,CAACA,OAAc;AAC9C,SAAO,CAAC,EAAEA,GAAE,MAAM,kBAAkB,KAAKA,GAAE,MAAM,mBAAmB;AACtE;AAEO,IAAM,oBAAoB,CAACA,OAAc;AAC9C,SAAO,CAAC,CAACA,GAAE,MAAM,kBAAkB,KAAK,CAAC,CAACA,GAAE,MAAM,mBAAmB;AACvE;AAEO,IAAM,aAAa,CAAC,MAA6B;AACtD,SAAO,OAAO,MAAM,YAAY,OAAO;AACzC;AAEO,IAAM,aAAa,CAAC,MAA6B;AACtD,SAAO,OAAO,MAAM,YAAY,OAAO;AACzC;AAEO,IAAM,gBAAgB,CAAC,MAAoC;AAChE,SAAO,MAAM;AACf;AAEO,IAAM,WAAW,CAAC,UAA0B;AACjD,SAAO,OAAO,UAAU,YAAY,MAAM,KAAK,UAAa,MAAM,IAAI;AACxE;AAEA,IAAM,mBAAmB;AACzB,IAAM,mBAAmB;AAElB,IAAM,oBAAoB,CAAC,UAAoC;AACpE,MAAI,UAAU,eAAe;AAC3B,WAAO,EAAE,GAAG,GAAG,GAAG,GAAG,GAAG,GAAG,GAAG,EAAE;AAAA,EAClC;AAEA,MAAI,iBAAiB,KAAK,GAAG;AAC3B,WAAO,qBAAqB,KAAK;AAAA,EACnC;AAEA,MAAI,kBAAkB,KAAK,GAAG;AAC5B,WAAO,gBAAgB,KAAK;AAAA,EAC9B;AAEA,MAAI,kBAAkB,KAAK,GAAG;AAC5B,WAAO,sBAAsB,KAAK;AAAA,EACpC;AAEA,SAAO;AACT;AAEO,IAAM,wBAAwB,CAAC,UAAyB;AAC7D,UAAQ,MAAM,KAAK;AACnB,MAAI,iBAAiB,KAAK,GAAG;AAC3B,WAAO,MAAM,WAAW,GAAG,IAAI,QAAQ,IAAI,KAAK;AAAA,EAClD;AAEA,MAAI,kBAAkB,KAAK,GAAG;AAC5B,WAAO,gBAAgB,KAAK;AAAA,EAC9B;AAEA,MAAI,kBAAkB,KAAK,GAAG;AAC5B,WAAO,gBAAgB,KAAK;AAAA,EAC9B;AAEA,MAAI,cAAc,KAAK,GAAG;AACxB,WAAO;AAAA,EACT;AACA,SAAO;AACT;AAEO,IAAM,wBAAwB,CAAC,UAA4C;AAChF,MAAI,OAAO,UAAU,aAAa,iBAAiB,KAAK,KAAK,cAAc,KAAK,IAAI;AAClF,WAAO;AAAA,EACT;AAEA,MAAI,WAAW,KAAK,GAAG;AACrB,WAAO,sBAAsB,KAAK;AAAA,EACpC;AAEA,MAAI,WAAW,KAAK,GAAG;AACrB,WAAO,sBAAsB,KAAK;AAAA,EACpC;AAEA,SAAO;AACT;AAEO,IAAM,uBAAuB,CAAC,QAA2B;AAC9D,QAAM,IAAI,QAAQ,KAAK,EAAE;AACzB,QAAM,IAAI,SAAS,IAAI,UAAU,GAAG,CAAC,GAAG,EAAE;AAC1C,QAAM,IAAI,SAAS,IAAI,UAAU,GAAG,CAAC,GAAG,EAAE;AAC1C,QAAM,IAAI,SAAS,IAAI,UAAU,GAAG,CAAC,GAAG,EAAE;AAC1C,SAAO,EAAE,GAAG,GAAG,EAAE;AACnB;AAEA,IAAM,wBAAwB,CAAC,UAA6B;AAC1D,QAAM,EAAE,GAAG,GAAG,GAAG,EAAE,IAAI;AACvB,SAAO,MAAM,MAAM,IAAI,gBAAgB,MAAM,KAAK,SAAY,QAAQ,CAAC,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,MAAM,OAAO,CAAC,IAAI,CAAC,IAAI,CAAC;AAChH;AAEA,IAAM,wBAAwB,CAAC,UAA6B;AAC1D,QAAM,EAAE,GAAG,GAAAA,IAAG,GAAG,EAAE,IAAI;AACvB,QAAM,QAAQ,KAAK,MAAMA,KAAI,GAAG;AAChC,QAAM,QAAQ,KAAK,MAAM,IAAI,GAAG;AAChC,SAAO,MAAM,MAAM,IACf,gBACA,MAAM,KAAK,SACT,QAAQ,CAAC,IAAI,KAAK,KAAK,KAAK,KAAK,CAAC,MAClC,OAAO,CAAC,IAAI,KAAK,KAAK,KAAK;AACnC;AAEA,IAAM,uBAAuB,CAAC,QAA2B;AACvD,QAAM,aAAa,sBAAsB,qBAAqB,GAAG,CAAC;AAClE,SAAO,sBAAsB,UAAU;AACzC;AAEA,IAAM,wBAAwB,CAAC,SAA4B;AACzD,QAAM,YAAY,gBAAgB,IAAI;AACtC,QAAM,IAAI,UAAU,IAAI;AACxB,QAAM,IAAI,UAAU,IAAI;AACxB,QAAM,IAAI,UAAU,IAAI;AAExB,QAAM,MAAM,KAAK,IAAI,GAAG,GAAG,CAAC,GAC1B,MAAM,KAAK,IAAI,GAAG,GAAG,CAAC;AACxB,MAAI,GAAGA;AACP,QAAM,KAAK,MAAM,OAAO;AAExB,MAAI,OAAO,KAAK;AACd,QAAIA,KAAI;AAAA,EACV,OAAO;AACL,UAAM,IAAI,MAAM;AAChB,IAAAA,KAAI,KAAK,MAAM,KAAK,KAAK,MAAM,QAAQ,KAAK,MAAM;AAClD,YAAQ,KAAK;AAAA,MACX,KAAK;AACH,aAAM,IAAI,KAAK,IAAK;AACpB;AAAA,MACF,KAAK;AACH,cAAM,IAAI,KAAK,IAAI,KAAK;AACxB;AAAA,MACF;AACE,cAAM,IAAI,KAAK,IAAI,KAAK;AACxB;AAAA,IACJ;AAAA,EACF;AAEA,QAAM,MAAiB,EAAE,GAAG,KAAK,MAAM,CAAC,GAAG,GAAAA,IAAG,EAAE;AAChD,QAAM,IAAI,UAAU;AACpB,MAAI,KAAK,QAAW;AAClB,QAAI,IAAI;AAAA,EACV;AACA,SAAO;AACT;AAEA,IAAM,kBAAkB,CAAC,QAA2B;AAClD,QAAM,CAAC,GAAG,GAAG,GAAG,CAAC,IAAI,IAClB,QAAQ,kBAAkB,EAAE,EAC5B,MAAM,GAAG,EACT,IAAI,OAAK,OAAO,WAAW,CAAC,CAAC;AAChC,SAAO,EAAE,GAAG,GAAG,GAAG,EAAE;AACtB;AAEA,IAAM,kBAAkB,CAAC,QAA2B;AAClD,QAAM,CAAC,GAAGA,IAAG,GAAG,CAAC,IAAI,IAClB,QAAQ,kBAAkB,EAAE,EAC5B,MAAM,GAAG,EACT,IAAI,OAAK,OAAO,WAAW,CAAC,CAAC;AAChC,SAAO,EAAE,GAAG,GAAGA,KAAI,KAAK,GAAG,IAAI,KAAK,EAAE;AACxC;;;ACjLA,IAAM,sBAAsB;AAErB,SAAS,iBAAiB,MAAoB;AACnD,MAAI,CAAC,MAAM;AACT,WAAO;AAAA,EACT;AACA,SAAO,KAAK,eAAe,SAAS;AAAA,IAClC,MAAM;AAAA,IACN,QAAQ;AAAA,IACR,QAAQ;AAAA,EACV,CAAC;AACH;AAEO,SAAS,yBAAyB,GAAS,GAAS,EAAE,WAAW,KAAK,IAAI,CAAC,GAAW;AAC3F,MAAI,CAAC,KAAK,CAAC,GAAG;AACZ,WAAO;AAAA,EACT;AACA,QAAM,OAAO,KAAK,IAAI,EAAE,YAAY,GAAG,EAAE,SAAS,GAAG,EAAE,QAAQ,CAAC;AAChE,QAAM,OAAO,KAAK,IAAI,EAAE,YAAY,GAAG,EAAE,SAAS,GAAG,EAAE,QAAQ,CAAC;AAChE,QAAM,OAAO,KAAK,OAAO,OAAO,QAAQ,mBAAmB;AAC3D,SAAO,WAAW,KAAK,IAAI,IAAI,IAAI;AACrC;AAEO,SAAS,cAAc,GAAiC;AAC7D,MAAI;AACF,WAAO,IAAI,KAAK,KAAK,oBAAI,KAAK,CAAC;AAAA,EACjC,QAAQ;AACN,WAAO,oBAAI,KAAK;AAAA,EAClB;AACF;AAUO,SAAS,eAAe,OAAqD;AAClF,QAAM,EAAE,MAAM,WAAW,IAAI;AAC7B,MAAI,CAAC,QAAQ,CAAC,YAAY;AACxB,WAAO;AAAA,EACT;AACA,QAAM,IAAI,cAAc,IAAI;AAC5B,QAAM,IAAI,cAAc,UAAU;AAClC,QAAM,mBAAmB,yBAAyB,GAAG,GAAG,EAAE,UAAU,MAAM,CAAC;AAE3E,MAAI,mBAAmB,IAAI;AACzB,WAAO,EAAE,kBAAkB,SAAS,MAAM,EAAE;AAAA,EAC9C;AACA,MAAI,mBAAmB,IAAI;AACzB,WAAO,EAAE,kBAAkB,iBAAiB,MAAM,EAAE;AAAA,EACtD;AACA,MAAI,qBAAqB,IAAI;AAC3B,WAAO,EAAE,kBAAkB,WAAW,MAAM,EAAE;AAAA,EAChD;AACA,MAAI,qBAAqB,GAAG;AAC1B,WAAO,EAAE,kBAAkB,WAAW,MAAM,EAAE;AAAA,EAChD;AACA,MAAI,qBAAqB,GAAG;AAC1B,WAAO,EAAE,kBAAkB,WAAW,MAAM,EAAE;AAAA,EAChD;AACA,MAAI,mBAAmB,GAAG;AACxB,WAAO,EAAE,kBAAkB,aAAa,MAAM,EAAE;AAAA,EAClD;AACA,SAAO,EAAE,kBAAkB,SAAS,MAAM,EAAE;AAC9C;AAEO,SAAS,SAAS,aAAqC,YAA0B;AACtF,QAAM,OAAO,cAAc,WAAW;AACtC,OAAK,YAAY,KAAK,YAAY,IAAI,UAAU;AAChD,SAAO;AACT;;;ACpDA,IAAM,oBAAoB,oBAAI,IAAY;AACnC,IAAM,aAAa,CAAC,QAAgB,SAAiB,QAAuB;AACjF,QAAM,cAAc,kBAAkB,KAAK,wBAAwB;AACnE,QAAM,YAAY,OAAO;AACzB,MAAI,kBAAkB,IAAI,SAAS,KAAK,aAAa;AACnD;AAAA,EACF;AACA,oBAAkB,IAAI,SAAS;AAE/B,UAAQ;AAAA,IACN,iCAAiC,MAAM;AAAA,EAAmE,OAAO;AAAA,EACnH;AACF;AAyBO,IAAM,qBAAqB,CAAC,KAAe,UAAkB,SAAiB,WAAW,UAAgB;AAC9G,QAAM,SAAS,WAAW,MAAM,IAAI;AAEpC,MAAI,QAAQ,OAAO,QAAQ;AAC3B,SAAO,eAAe,QAAQ,UAAU;AAAA,IACtC,MAAM;AACJ,iBAAW,UAAU,SAAS,GAAG,IAAI,IAAI,IAAI,QAAQ,EAAE;AACvD,aAAO;AAAA,IACT;AAAA,IACA,IAAI,GAAY;AACd,cAAQ;AAAA,IACV;AAAA,EACF,CAAC;AACH;AAYO,IAAM,2BAA2B,CACtC,KACA,UACA,SACA,QACS;AACT,MAAI,QAAQ,IAAI,QAAQ;AACxB,SAAO,eAAe,KAAK,UAAU;AAAA,IACnC,MAAM;AACJ,iBAAW,UAAU,SAAS,GAAG;AACjC,aAAO;AAAA,IACT;AAAA,IACA,IAAI,GAAY;AACd,cAAQ;AAAA,IACV;AAAA,EACF,CAAC;AACH;;;ACtFO,IAAM,cAAc,CAAC,aAAsB,OAAkB,iBAA2C;AAC7G,MAAI,CAAC,eAAe,cAAc;AAChC,WAAO,0BAA0B,YAAY;AAAA,EAC/C;AACA,SAAO,0BAA0B,KAAK;AACxC;AAEA,IAAM,4BAA4B,CAAC,iBAA+B;AAChE,QAAM,SAAS,aAAa;AAC5B,QAAM,OAAO,aAAa;AAC1B,QAAM,YAAY,aAAa;AAC/B,QAAM,UAAU,aAAa;AAC7B,QAAM,eAAe,aAAa;AAClC,QAAM,QAAQ,aAAa;AAC3B,QAAM,UAAU,aAAa;AAC7B,QAAM,iBAAiB,aAAa;AACpC,QAAM,UAAU,aAAa;AAC7B,QAAM,QAAQ,aAAa;AAC3B,QAAM,wBAAwB,aAAa;AAE3C,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AACF;AAEA,IAAM,4BAA4B,CAAC,UAAqB;AACtD,QAAM,SAAoC,MAAM,OAAO,MAAM,KAAK,KAAK,MAAM;AAC7E,QAAM,OAAO,MAAM;AACnB,QAAM,YAAuC,MAAM,UAAU,MAAM,QAAQ,KAAK,MAAM;AACtF,QAAM,UAAU,MAAM;AACtB,QAAM,wBAAiD,MAAM,UAAU,MAAM,QAAQ,wBAAwB;AAC7G,QAAM,QAAQ,SAAS;AACvB,QAAM,eAAe,MAAM;AAC3B,QAAM,QAAmC,MAAM,eAAe,MAAM,aAAa,KAAK,MAAM;AAC5F,QAAM,UAAU,cAAc;AAC9B,QAAM,aAAa,eACf,MAAM,yBAAyB,KAAK,QAAM,GAAG,aAAa,OAAO,KAAK,IACtE;AACJ,QAAM,iBAAiB,aAAa,WAAW,cAAc;AAC7D,QAAM,UAAU,aAAa,WAAW,OAAO;AAE/C,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AACF;;;AC3EO,SAAS,oBAAoB,GAAiB;AACnD,QAAM,SAAS,GAAG;AAClB,QAAM,OAAO,GAAG,SAAS,CAAC,GAAG;AAC7B,SAAO,SAAS,4BAA4B,WAAW;AACzD;AAEO,SAAS,eAAe,GAAmC;AAChE,SAAO,CAAC,mBAAmB,uBAAuB,uBAAuB,EAAE,SAAS,EAAE,OAAO,CAAC,EAAE,IAAI;AACtG;AAEO,SAAS,WAAW,GAAiB;AAC1C,QAAM,SAAS,GAAG;AAClB,SAAO,CAAC,CAAC,UAAU,UAAU,OAAO,SAAS;AAC/C;AAEO,SAAS,eAAe,GAAiB;AAE9C,QAAM,WAAW,GAAG,EAAE,OAAO,GAAG,EAAE,IAAI,MAAM,IAAI,YAAY,EAAE,QAAQ,QAAQ,EAAE;AAChF,SAAO,QAAQ,SAAS,cAAc;AACxC;AAgBO,SAAS,aAAa,OAAgF;AAC3G,SAAO,wBAAwB,KAAK,KAAK,gBAAgB,KAAK,KAAK,oBAAoB,KAAK;AAC9F;AAEO,SAAS,wBAAwB,KAAwC;AAC9E,SAAO,gBAAgB;AACzB;AAkBO,SAAS,oBAAoB,KAAoC;AACtE,SAAO,uBAAuB;AAChC;AAEO,SAAS,gBAAgB,KAAgC;AAC9D,SAAO,UAAU,OAAO,CAAC,MAAM,OAAO,KAAK,EAAE,SAAS,IAAI,IAAI,KAAK,aAAa;AAClF;AAEO,SAAS,kBAAkB,KAAU;AAC1C,SAAO,wBAAwB,GAAG,KAAK,IAAI,SAAS,CAAC,GAAG,SAAS;AACnE;AAEO,SAAS,qBAAqB,KAAU;AAC7C,SAAO,wBAAwB,GAAG,KAAK,IAAI,SAAS,CAAC,GAAG,SAAS;AACnE;AAEO,SAAS,YAAY,OAA4B,CAAC,GAAoB;AAC3E,SAAO,KAAK,SAAS,IAAI,KAAK,IAAI,UAAU,IAAI,CAAC;AACnD;AAEO,SAAS,WAAW,OAAyC;AAClE,SAAO;AAAA,IACL,MAAM,MAAM;AAAA,IACZ,SAAS,MAAM;AAAA,IACf,aAAa,MAAM;AAAA,IACnB,MAAM;AAAA,MACJ,WAAW,OAAO,MAAM;AAAA,MACxB,WAAW,OAAO,MAAM;AAAA,MACxB,gBAAgB,OAAO,MAAM;AAAA,MAC7B,aAAa,OAAO,MAAM;AAAA,MAC1B,QAAQ,OAAO,MAAM;AAAA,IACvB;AAAA,EACF;AACF;AAEO,SAAS,YAAY,OAAgD;AAC1E,SAAO;AAAA,IACL,MAAM,OAAO,QAAQ;AAAA,IACrB,SAAS,OAAO,WAAW;AAAA,IAC3B,cAAc,OAAO;AAAA,IACrB,MAAM;AAAA,MACJ,YAAY,OAAO,MAAM;AAAA,MACzB,YAAY,OAAO,MAAM;AAAA,MACzB,iBAAiB,OAAO,MAAM;AAAA,MAC9B,aAAa,OAAO,MAAM;AAAA,MAC1B,QAAQ,OAAO,MAAM;AAAA,IACvB;AAAA,EACF;AACF;AAEO,IAAM,wBAAN,MAAM,+BAA8B,MAAM;AAAA,EAS/C,YAAY,SAAiB,EAAE,MAAM,QAAQ,aAAa,GAA4B;AACpF,UAAM,OAAO;AAWf,SAAO,WAAW,MAAM;AACtB,UAAI,UAAU,IAAI,KAAK,IAAI;AAAA,UAAc,KAAK,OAAO;AAAA,SAAY,KAAK,MAAM;AAAA,qBAAwB,KAAK,OAAO;AAAA,QAC9G,OAAK,KAAK,UAAU,CAAC;AAAA,MACvB,CAAC;AAED,UAAI,KAAK,cAAc;AACrB,mBAAW;AAAA,kBAAqB,KAAK,YAAY;AAAA,MACnD;AAEA,aAAO;AAAA,IACT;AAnBE,WAAO,eAAe,MAAM,uBAAsB,SAAS;AAE3D,SAAK,SAAS;AACd,SAAK,UAAU;AACf,SAAK,eAAe;AACpB,SAAK,aAAa;AAClB,SAAK,SAAS,YAAY,IAAI;AAAA,EAChC;AAaF;AASO,IAAM,oBAAN,MAAM,2BAA0B,MAAM;AAAA,EAmB3C,YAAY,SAAiB,EAAE,KAAK,GAAqB;AACvD,UAAM,SAAS;AACf,UAAM,QAAQ,IAAI,OAAO,OAAO,QAAQ,KAAK,MAAM,GAAG,GAAG;AACzD,UAAM,YAAY,QAAQ,QAAQ,OAAO,EAAE;AAC3C,UAAM,WAAW,GAAG,MAAM,IAAI,UAAU,KAAK,CAAC;AAAA;AAAA,SAAc,IAAI;AAAA;AAChE,UAAM,QAAQ;AAgBhB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,SAAO,WAAW,MAAM;AACtB,aAAO,IAAI,KAAK,IAAI;AAAA,UAAc,KAAK,OAAO;AAAA,IAChD;AAhBE,WAAO,eAAe,MAAM,mBAAkB,SAAS;AAEvD,SAAK,OAAO;AACZ,SAAK,UAAU;AACf,SAAK,oBAAoB;AACzB,SAAK,OAAO;AAAA,EACd;AAWF;AAEO,IAAM,iBAAN,MAAM,wBAAuB,MAAM;AAAA,EAGxC,YAAY,MAAc;AACxB,UAAM,IAAI;AACV,SAAK,OAAO;AACZ,SAAK,OAAO;AACZ,WAAO,eAAe,MAAM,gBAAe,SAAS;AAAA,EACtD;AACF;AAEO,SAAS,iBAAiB,KAAmC;AAClE,SAAO,IAAI,SAAS;AACtB;AAGO,IAAM,qBAAqB;AAAA,EAChC,SAAS;AAAA,EACT,QAAQ;AAAA,EACR,gBAAgB;AAClB;AAEO,IAAM,2BAA2B;AAAA,EACtC,SAAS;AAAA,EACT,QAAQ;AAAA,EACR,gBAAgB;AAClB;AAEA,IAAM,kBAAkB,OAAO,OAAO;AAAA,EACpC,6BAA6B;AAAA,EAC7B,mCAAmC;AAAA,EACnC,mCAAmC;AAAA,EACnC,8BAA8B;AAAA,EAC9B,sBAAsB;AACxB,CAAC;AA+BM,SAAS,kBAAkB,EAAE,aAAa,eAAe,GAAsC;AACpG,MAAI,MAAM;AAEV,QAAM,WAAW;AAAA,IACf,GAAG;AAAA,IACH,GAAG;AAAA,EACL;AAEA,WAAS,aAAa,YAAoB,cAAgD;AACxF,QAAI,CAAC,cAAc;AACjB,aAAO,GAAG,GAAG,KAAK,UAAU;AAAA,IAC9B;AAEA,QAAI,MAAM;AACV,UAAM,UAAU,WAAW,SAAS,uBAAuB;AAE3D,eAAW,SAAS,SAAS;AAC3B,YAAM,eAAe,aAAa,MAAM,CAAC,CAAC,KAAK,IAAI,SAAS;AAC5D,YAAM,IAAI,QAAQ,KAAK,MAAM,CAAC,CAAC,MAAM,WAAW;AAAA,IAClD;AAEA,WAAO,GAAG,GAAG,KAAK,GAAG;AAAA,EACvB;AAEA,SAAO;AAAA,IACL,eAAe,EAAE,aAAAC,aAAY,GAAsC;AACjE,UAAI,OAAOA,iBAAgB,UAAU;AACnC,cAAMA;AAAA,MACR;AACA,aAAO;AAAA,IACT;AAAA,IAEA,YAAY,EAAE,gBAAAC,gBAAe,GAAsC;AACjE,aAAO,OAAO,UAAUA,mBAAkB,CAAC,CAAC;AAC5C,aAAO;AAAA,IACT;AAAA,IAEA,gCAAgC,QAAiC;AAC/D,YAAM,IAAI,MAAM,aAAa,SAAS,mCAAmC,MAAM,CAAC;AAAA,IAClF;AAAA,IAEA,qBAAqB,QAAiC;AACpD,YAAM,IAAI,MAAM,aAAa,SAAS,6BAA6B,MAAM,CAAC;AAAA,IAC5E;AAAA,IAEA,kCAAyC;AACvC,YAAM,IAAI,MAAM,aAAa,SAAS,iCAAiC,CAAC;AAAA,IAC1E;AAAA,IAEA,6BAAoC;AAClC,YAAM,IAAI,MAAM,aAAa,SAAS,4BAA4B,CAAC;AAAA,IACrE;AAAA,IAEA,+BAA+B,QAAoC;AACjE,YAAM,IAAI,MAAM,aAAa,SAAS,sBAAsB,MAAM,CAAC;AAAA,IACrE;AAAA,IAEA,MAAM,SAAwB;AAC5B,YAAM,IAAI,MAAM,aAAa,OAAO,CAAC;AAAA,IACvC;AAAA,EACF;AACF;AAgBO,IAAM,qBAAN,cAAiC,kBAAkB;AAAA,EAMxD,YAAY,SAAiB,EAAE,KAAK,GAAqC;AACvE,UAAM,SAAS,EAAE,KAAK,CAAC;AACvB,SAAK,OAAO;AAAA,EACd;AACF;;;ACvVO,SAAS,aAAa,MAA8B;AACzD,SAAO,IAAI,QAAQ,CAAC,SAAS,WAAW;AACtC,UAAM,SAAS,IAAI,WAAW;AAC9B,WAAO,iBAAiB,QAAQ,WAAY;AAC1C,YAAM,SAAS,KAAK,MAAM,OAAO,MAAgB;AACjD,cAAQ,MAAM;AAAA,IAChB,CAAC;AAED,WAAO,iBAAiB,SAAS,MAAM;AACvC,WAAO,WAAW,IAAI;AAAA,EACxB,CAAC;AACH;AAEA,IAAM,yBAAyB,OAAO,OAAO;AAAA,EAC3C,aAAa;AAAA,EACb,cAAc;AAAA,EACd,aAAa;AAAA,EACb,cAAc;AAAA,EACd,gBAAgB;AAAA,EAChB,4BAA4B;AAC9B,CAAU;AAIH,IAAM,YAAY,CAAC,aAAwC;AAChE,SAAO,uBAAuB,QAAQ;AACxC;;;ACSA,IAAM,iBAAyC;AAAA,EAC7C,cAAc;AAAA,EACd,wBAAwB;AAAA,EACxB,QAAQ;AAAA,EACR,aAAa,CAACC,IAAY,cAAsB,YAAY;AAAA,EAC5D,kBAAkB;AAAA,EAClB,QAAQ;AACV;AAEA,IAAM,0BAA0B;AAEhC,IAAM,QAAQ,OAAO,OAAqB,IAAI,QAAQ,CAAAC,OAAK,WAAWA,IAAG,EAAE,CAAC;AAE5E,IAAM,cAAc,CAAC,OAAqB,WAAoB;AAC5D,SAAO,SAAS,SAAS,IAAI,KAAK,OAAO,KAAK;AAChD;AAEA,IAAM,gCAAgC,CACpC,SACG;AACH,MAAI,cAAc;AAElB,QAAM,qBAAqB,MAAM;AAC/B,UAAM,WAAW,KAAK;AACtB,UAAM,OAAO,KAAK;AAClB,QAAI,QAAQ,WAAW,KAAK,IAAI,MAAM,WAAW;AACjD,YAAQ,YAAY,OAAO,KAAK,MAAM;AACtC,WAAO,KAAK,IAAI,KAAK,0BAA0B,OAAO,KAAK;AAAA,EAC7D;AAEA,SAAO,YAA2B;AAChC,UAAM,MAAM,mBAAmB,CAAC;AAChC;AAAA,EACF;AACF;AAMO,IAAM,QAAQ,OAAU,UAAgC,UAAwB,CAAC,MAAkB;AACxG,MAAI,aAAa;AACjB,QAAM,EAAE,aAAa,cAAc,wBAAwB,QAAQ,kBAAkB,OAAO,IAAI;AAAA,IAC9F,GAAG;AAAA,IACH,GAAG;AAAA,EACL;AAEA,QAAM,QAAQ,8BAA8B;AAAA,IAC1C;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF,CAAC;AAED,SAAO,MAAM;AACX,QAAI;AACF,aAAO,MAAM,SAAS;AAAA,IACxB,SAAS,GAAG;AACV;AACA,UAAI,CAAC,YAAY,GAAG,UAAU,GAAG;AAC/B,cAAM;AAAA,MACR;AACA,UAAI,oBAAoB,eAAe,GAAG;AACxC,cAAM,MAAM,YAAY,yBAAyB,MAAM,CAAC;AAAA,MAC1D,OAAO;AACL,cAAM,MAAM;AAAA,MACd;AAAA,IACF;AAAA,EACF;AACF;;;AC5GA,IAAM,oBAAoB;AAC1B,IAAM,eAAe;AAUrB,eAAsB,WAAW,MAAM,IAAI,MAAqD;AAC9F,QAAM,EAAE,OAAO,OAAO,YAAY,aAAa,MAAM,IAAI,QAAQ,CAAC;AAElE,QAAM,OAAO,MAAM;AACjB,WAAO,IAAI,QAA2B,CAAC,SAAS,WAAW;AACzD,UAAI,CAAC,KAAK;AACR,eAAO,IAAI,MAAM,YAAY,CAAC;AAAA,MAChC;AAEA,UAAI,CAAC,YAAY,CAAC,SAAS,MAAM;AAC/B,eAAO,iBAAiB;AAAA,MAC1B;AAEA,YAAM,SAAS,SAAS,cAAc,QAAQ;AAE9C,UAAI,YAAa,QAAO,aAAa,eAAe,WAAW;AAC/D,aAAO,QAAQ,SAAS;AACxB,aAAO,QAAQ,SAAS;AAExB,aAAO,iBAAiB,QAAQ,MAAM;AACpC,eAAO,OAAO;AACd,gBAAQ,MAAM;AAAA,MAChB,CAAC;AAED,aAAO,iBAAiB,SAAS,MAAM;AACrC,eAAO,OAAO;AACd,eAAO;AAAA,MACT,CAAC;AAED,aAAO,MAAM;AACb,aAAO,QAAQ;AACf,mBAAa,MAAM;AACnB,eAAS,KAAK,YAAY,MAAM;AAAA,IAClC,CAAC;AAAA,EACH;AAEA,SAAO,MAAM,MAAM,EAAE,aAAa,CAACC,IAAG,eAAe,cAAc,EAAE,CAAC;AACxE;;;AClDO,SAAS,gBAAgB,KAAyB;AACvD,MAAI,CAAC,KAAK;AACR,WAAO;AAAA,EACT;AAEA,SAAO,cAAc,GAAG,KAAK,mBAAmB,GAAG;AACrD;AAEO,SAAS,cAAc,KAAyB;AACrD,SAAO,iBAAiB,KAAK,OAAO,EAAE;AACxC;AAEO,SAAS,mBAAmB,KAAa;AAC9C,SAAO,IAAI,WAAW,GAAG;AAC3B;AAEO,SAAS,sBAAsB,KAAiC;AACrE,MAAI,CAAC,KAAK;AACR,WAAO;AAAA,EACT;AACA,SAAO,mBAAmB,GAAG,IAAI,IAAI,IAAI,KAAK,OAAO,SAAS,MAAM,EAAE,SAAS,IAAI;AACrF;;;AClBO,SAAS,kBAAkB,cAAc,IAAqB;AACnE,MAAI,YAAY,WAAW,GAAG,GAAG;AAC/B,kBAAc,YAAY,MAAM,CAAC;AAAA,EACnC;AACA,SAAO,IAAI,gBAAgB,WAAW;AACxC;AAEO,SAAS,YAAY,MAAM,IAAY;AAC5C,UAAQ,OAAO,IAAI,QAAQ,YAAY,EAAE;AAC3C;AAEO,SAAS,eAAe,KAAyB;AACtD,MAAI,CAAC,KAAK;AACR,WAAO;AAAA,EACT;AACA,MAAI;AACJ,MAAI,IAAI,MAAM,iBAAiB,GAAG;AAChC,YAAQ;AAAA,EACV,WAAW,IAAI,MAAM,kBAAkB,GAAG;AACxC,WAAO;AAAA,EACT,OAAO;AACL,YAAQ;AAAA,EACV;AAEA,QAAM,WAAW,IAAI,QAAQ,OAAO,EAAE;AACtC,SAAO,SAAS,QAAQ;AAC1B;AAQO,IAAM,8BAA8B,CAAC,aAAqB,YAAqB;AACpF,MAAI,CAAC,WAAW,UAAU,WAAW,GAAG;AACtC,WAAO;AAAA,EACT;AAEA,MAAI,CAAC,SAAS;AACZ,WAAO;AAAA,EACT;AAEA,SAAO,QAAQ,MAAM,GAAG,EAAE,CAAC,KAAK;AAClC;AAOO,IAAM,eAAe,CAAC,aAAqB,EAAE,eAAe,MAAmC;AACpG,QAAM,sBAAsB,YAAY,QAAQ,iBAAiB,EAAE;AACnE,QAAM,QAAQ,4BAA4B,aAAa,cAAc;AACrE,SAAO,WAAW,mBAAmB,wBAAwB,kBAAkB,KAAK;AACtF;AAMO,SAAS,+BAA+B,MAAuB;AACpE,SAAO,6BAA6B,KAAK,qBAAmB;AAC1D,WAAO,KAAK,WAAW,WAAW,KAAK,KAAK,SAAS,eAAe;AAAA,EACtE,CAAC;AACH;AAQO,SAAS,gCAAgC,MAAuB;AACrE,SAAO,8BAA8B,KAAK,sBAAoB;AAC5D,WAAO,KAAK,SAAS,gBAAgB,KAAK,CAAC,KAAK,SAAS,WAAW,gBAAgB;AAAA,EACtF,CAAC;AACH;AAIA,IAAM,oBAAoB;AAEnB,SAAS,iBAAiB,QAAQ,IAAI,yBAA4C;AACvF,MAAI,CAAC,yBAAyB;AAC5B,WAAO,MAAM,SAAS,GAAG;AAAA,EAC3B;AACA,SAAO,kBAAkB,KAAK,KAAK;AACrC;AAEO,SAAS,kBAAkB,QAAQ,IAAI,yBAA2C;AACvF,MAAI,CAAC,yBAAyB;AAC5B,WAAO,MAAM,SAAS,GAAG,IAAI,QAAQ,QAAQ;AAAA,EAC/C;AACA,MAAI,iBAAiB,OAAO,IAAI,GAAG;AACjC,WAAO,SAAS;AAAA,EAClB;AACA,MAAI,OAAO;AACX,MAAI,WAAW;AACf,QAAM,gBAAgB,MAAM,QAAQ,GAAG;AACvC,MAAI,iBAAiB,GAAG;AACtB,WAAO,MAAM,MAAM,GAAG,aAAa;AACnC,eAAW,MAAM,MAAM,aAAa;AACpC,QAAI,CAAC,MAAM;AACT,aAAO;AAAA,IACT;AAAA,EACF;AACA,QAAM,CAAC,IAAI,GAAGC,EAAC,IAAI,KAAK,MAAM,GAAG;AACjC,SAAO,KAAK,OAAOA,GAAE,SAAS,IAAI,IAAIA,GAAE,KAAK,GAAG,CAAC,KAAK,MAAM;AAC9D;AAEO,SAAS,qBAAqB,QAAQ,IAAI,yBAA2C;AAC1F,MAAI,CAAC,yBAAyB;AAC5B,YAAQ,iBAAiB,KAAK,IAAI,MAAM,MAAM,GAAG,EAAE,IAAI,UAAU;AAAA,EACnE;AACA,MAAI,CAAC,iBAAiB,OAAO,IAAI,GAAG;AAClC,WAAO,SAAS;AAAA,EAClB;AACA,MAAI,OAAO;AACX,MAAI,WAAW;AACf,QAAM,gBAAgB,MAAM,QAAQ,GAAG;AACvC,MAAI,iBAAiB,GAAG;AACtB,WAAO,MAAM,MAAM,GAAG,aAAa;AACnC,eAAW,MAAM,MAAM,aAAa;AAAA,EACtC;AACA,QAAM,CAAC,IAAI,GAAGA,EAAC,IAAI,KAAK,MAAM,GAAG;AACjC,UAAQ,GAAG,MAAM,GAAG,EAAE,KAAK,QAAQA,GAAE,SAAS,IAAI,IAAIA,GAAE,KAAK,GAAG,CAAC,KAAK,MAAM;AAC9E;AAEO,SAAS,gBAAgB,QAAQ,IAAa;AACnD,SAAO,MAAM,WAAW,GAAG;AAC7B;AAEO,SAAS,oBAAoB,QAAQ,IAAY;AACtD,UAAQ,gBAAgB,KAAK,IAAI,MAAM,MAAM,CAAC,IAAI,UAAU;AAC9D;AAEO,SAAS,iBAAiB,QAAQ,IAAY;AACnD,SAAO,gBAAgB,KAAK,IAAI,QAAQ,MAAM;AAChD;AAEO,SAAS,mBAAmB,QAAQ,IAAY;AACrD,SAAO,MACJ,MAAM,KAAK,EACX,IAAI,aAAW,QAAQ,QAAQ,WAAW,GAAG,CAAC,EAC9C,KAAK,KAAK;AACf;AAEO,SAAS,cAAc,KAAa;AACzC,SAAO,OAAO,QAAQ;AACxB;AAEA,IAAM,wBAAwB;AAEvB,SAAS,QAAQ,SAAiB,OAAyB;AAChE,MAAI,MAAM,QAAQ;AAElB,aAAW,WAAW,MAAM,OAAO,CAAAC,SAAO,cAAcA,IAAG,CAAC,GAAG;AAC7D,QAAI,KAAK;AAEP,YAAM,WAAW,QAAQ,QAAQ,uBAAuB,EAAE;AAC1D,YAAM,kBAAkB,GAAG,IAAI;AAAA,IACjC,OAAO;AACL,YAAM;AAAA,IACR;AAAA,EACF;AAEA,SAAO;AACT;AAMA,IAAM,qBAAqB;AACpB,IAAM,gBAAgB,CAAC,QAAgB,mBAAmB,KAAK,GAAG;;;ACxKlE,IAAM,kBAAkB,CAAC,gBAAoC,iBAAiB,aAAuB;AAC1G,MAAI,gBAAgB;AAClB,WAAO;AAAA,EACT;AAEA,QAAM,gBAAgB,iBAAiB,cAAc;AACrD,MAAI,eAAe;AACjB,QAAI,kBAAkB,YAAY;AAChC,aAAO;AAAA,IACT;AAEA,WAAO;AAAA,EACT;AAEA,SAAO,gBAAgB,cAAc;AACvC;AAEA,IAAM,mBAAmB,CAAC,mBACxB,eACG,KAAK,EACL,QAAQ,MAAM,EAAE,EAChB,MAAM,cAAc,IAAI,CAAC;AAEvB,IAAM,kBAAkB,CAAC,mBAA2B,eAAe,KAAK,EAAE,QAAQ,MAAM,EAAE,EAAE,MAAM,GAAG,EAAE,CAAC;;;ACxB/G,IAAM,uBAAuB;AAE7B,IAAM,EAAE,kBAAkB,IAAI,2BAA2B;AAEzD,IAAM,eAAe,kBAAkB,EAAE,aAAa,gBAAgB,CAAC;AAQhE,SAAS,kCAAkC,aAAqB;AACrE,eAAa,eAAe,EAAE,YAAY,CAAC;AAC7C;AA0BA,IAAM,oBAAoB,OAAO,SAAoC;AACnE,QAAM,iBAAiB,SAAS,cAAiC,8BAA8B;AAE/F,MAAI,gBAAgB;AAClB,WAAO,IAAI,QAAQ,CAAC,SAAS,WAAW;AACtC,qBAAe,iBAAiB,QAAQ,MAAM;AAC5C,gBAAQ,cAAc;AAAA,MACxB,CAAC;AAED,qBAAe,iBAAiB,SAAS,MAAM;AAC7C,eAAO,oBAAoB;AAAA,MAC7B,CAAC;AAAA,IACH,CAAC;AAAA,EACH;AAEA,MAAI,CAAC,MAAM,gBAAgB;AACzB,iBAAa,gCAAgC;AAC7C;AAAA,EACF;AAEA,SAAO,WAAW,iBAAiB,IAAI,GAAG;AAAA,IACxC,OAAO;AAAA,IACP,aAAa;AAAA,IACb,OAAO,KAAK;AAAA,IACZ,YAAY,6BAA6B,IAAI;AAAA,EAC/C,CAAC,EAAE,MAAM,MAAM;AACb,UAAM,IAAI,MAAM,oBAAoB;AAAA,EACtC,CAAC;AACH;AAUA,IAAM,mBAAmB,CAAC,SAAmC;AAC3D,QAAM,EAAE,YAAY,gBAAgB,gBAAgB,UAAU,QAAQ,eAAe,IAAI;AAEzF,MAAI,YAAY;AACd,WAAO;AAAA,EACT;AAEA,MAAI,aAAa;AACjB,MAAI,CAAC,CAAC,YAAY,gBAAgB,QAAQ,GAAG;AAC3C,iBAAa,sBAAsB,QAAQ,EAAE,QAAQ,iBAAiB,EAAE;AAAA,EAC1E,WAAW,UAAU,CAAC,kBAAkB,oBAAoB,cAAc,GAAG,eAAe,EAAE,GAAG;AAC/F,iBAAa,eAAe,MAAM;AAAA,EACpC,OAAO;AACL,iBAAa,oBAAoB,cAAc,GAAG,eAAe;AAAA,EACnE;AAEA,QAAM,UAAU,iBAAiB,GAAG,eAAe,QAAQ,QAAQ,EAAE,CAAC,MAAM;AAC5E,QAAM,UAAU,gBAAgB,cAAc;AAC9C,SAAO,WAAW,UAAU,wBAAwB,OAAO,eAAe,OAAO;AACnF;AAKA,IAAM,+BAA+B,CAAC,YAAsC;AAC1E,QAAM,MAA8B,CAAC;AAErC,MAAI,QAAQ,gBAAgB;AAC1B,QAAI,4BAA4B,IAAI,QAAQ;AAAA,EAC9C;AAEA,MAAI,QAAQ,UAAU;AACpB,QAAI,sBAAsB,IAAI,QAAQ;AAAA,EACxC;AAEA,MAAI,QAAQ,QAAQ;AAClB,QAAI,mBAAmB,IAAI,QAAQ;AAAA,EACrC;AAEA,MAAI,QAAQ,OAAO;AACjB,QAAI,QAAQ,QAAQ;AAAA,EACtB;AAEA,SAAO;AACT;AAEA,IAAM,+BAA+B,CAAC,YAAsC,CAAC,WAA8B;AACzG,QAAM,aAAa,6BAA6B,OAAO;AACvD,aAAW,aAAa,YAAY;AAClC,WAAO,aAAa,WAAW,WAAW,SAAS,CAAC;AAAA,EACtD;AACF;;;ACxIA,IAAM,aAAa;AAEZ,IAAM,+BAAN,MAAsC;AAAA,EAI3C,YAAY,MAAc;AAH1B,SAAiB,cAAc;AAQ/B,SAAO,cAAc,CAAC,SAAkB;AACtC,UAAI,OAAO,WAAW,aAAa;AAEjC;AAAA,MACF;AAEA,UAAI;AACF,eAAO,aAAa,QAAQ,KAAK,YAAY,KAAK,UAAU,IAAI,CAAC;AACjE,eAAO,aAAa,WAAW,KAAK,UAAU;AAAA,MAChD,QAAQ;AAAA,MAER;AAAA,IACF;AAEA,SAAO,mBAAmB,CAAC,WAAsB,aAAgC;AAC/E,WAAK,YAAY,iBAAiB,KAAK,gBAAgB,SAAS,GAAG,OAAK;AACtE,iBAAS,CAAiB;AAAA,MAC5B,CAAC;AAAA,IACH;AAEA,SAAQ,4BAA4B,MAAM;AACxC,YAAM,kBAAkB,CAAC,MAAoB;AAC3C,YAAI,EAAE,QAAQ,KAAK,cAAc,CAAC,EAAE,UAAU;AAC5C;AAAA,QACF;AAEA,YAAI;AACF,gBAAM,OAAO,KAAK,MAAM,EAAE,YAAY,EAAE;AACxC,gBAAM,QAAQ,IAAI,aAAa,KAAK,gBAAgB,SAAS,GAAG;AAAA,YAC9D;AAAA,UACF,CAAC;AACD,eAAK,YAAY,cAAc,KAAK;AAAA,QACtC,QAAQ;AAAA,QAER;AAAA,MACF;AAEA,aAAO,iBAAiB,WAAW,eAAe;AAAA,IACpD;AA1CE,SAAK,aAAa,aAAa;AAC/B,SAAK,0BAA0B;AAAA,EACjC;AAAA,EA0CQ,gBAAgB,WAA2B;AACjD,WAAO,KAAK,aAAa;AAAA,EAC3B;AACF;;;ACxDA;;;ACaA,IAAM,kBAAkB,CAAC,QAAgB,OAAgD,CAAC,MAAqB;AAC7G,MAAI,OAAO,WAAW,aAAa;AACjC,WAAO;AAAA,EACT;AAEA,MAAI;AACF,UAAM,OAAO,IAAI,KAAK,CAAC,MAAM,GAAG,EAAE,MAAM,wCAAwC,CAAC;AACjF,UAAM,eAAe,WAAW,IAAI,gBAAgB,IAAI;AACxD,WAAO,IAAI,OAAO,cAAc,IAAI;AAAA,EACtC,QAAQ;AACN,YAAQ,KAAK,sFAAsF;AACnG,WAAO;AAAA,EACT;AACF;AAEA,IAAM,iBAAiB,MAAM;AAC3B,QAAMC,cAAa,WAAW,WAAW,KAAK,UAAU;AACxD,QAAM,cAAc,WAAW,YAAY,KAAK,UAAU;AAC1D,QAAM,eAAe,WAAW,aAAa,KAAK,UAAU;AAC5D,QAAM,gBAAgB,WAAW,cAAc,KAAK,UAAU;AAC9D,SAAO,EAAE,YAAAA,aAAY,aAAa,cAAc,eAAe,SAAS,KAAK;AAC/E;AAEO,IAAM,qBAAqB,MAAM;AACtC,MAAI,KAAK;AACT,QAAM,aAAa,MAAM;AACzB,QAAM,YAAY,oBAAI,IAA0C;AAChE,QAAM,OAAO,CAAC,GAAkB,MAAwB,GAAG,YAAY,CAAC;AACxE,QAAM,gBAAgB,CAAC,MAA8C;AACnE,cAAU,IAAI,EAAE,KAAK,EAAE,IAAI;AAAA,EAC7B;AAEA,MAAI,SAAS,gBAAgB,6BAAoB,EAAE,MAAM,eAAe,CAAC;AACzE,UAAQ,iBAAiB,WAAW,aAAa;AAEjD,MAAI,CAAC,QAAQ;AACX,WAAO,eAAe;AAAA,EACxB;AAEA,QAAM,OAAO,MAAM;AACjB,QAAI,CAAC,QAAQ;AACX,eAAS,gBAAgB,6BAAoB,EAAE,MAAM,eAAe,CAAC;AACrE,cAAQ,iBAAiB,WAAW,aAAa;AAAA,IACnD;AAAA,EACF;AAEA,QAAM,UAAU,MAAM;AACpB,QAAI,QAAQ;AACV,aAAO,UAAU;AACjB,eAAS;AACT,gBAAU,MAAM;AAAA,IAClB;AAAA,EACF;AAEA,QAAMA,cAA+B,CAAC,IAAI,OAAO;AAC/C,SAAK;AACL,UAAMC,MAAK,WAAW;AACtB,cAAU,IAAIA,KAAI,MAAM;AACtB,SAAG;AACH,gBAAU,OAAOA,GAAE;AAAA,IACrB,CAAC;AACD,SAAK,QAAQ,EAAE,MAAM,cAAc,IAAAA,KAAI,GAAG,CAAC;AAC3C,WAAOA;AAAA,EACT;AAEA,QAAM,cAAgC,CAAC,IAAI,OAAO;AAChD,SAAK;AACL,UAAMA,MAAK,WAAW;AACtB,cAAU,IAAIA,KAAI,EAAE;AACpB,SAAK,QAAQ,EAAE,MAAM,eAAe,IAAAA,KAAI,GAAG,CAAC;AAC5C,WAAOA;AAAA,EACT;AAEA,QAAM,eAAmC,CAAAA,QAAM;AAC7C,SAAK;AACL,cAAU,OAAOA,GAAE;AACnB,SAAK,QAAQ,EAAE,MAAM,gBAAgB,IAAAA,IAAG,CAAC;AAAA,EAC3C;AAEA,QAAM,gBAAoC,CAAAA,QAAM;AAC9C,SAAK;AACL,cAAU,OAAOA,GAAE;AACnB,SAAK,QAAQ,EAAE,MAAM,iBAAiB,IAAAA,IAAG,CAAC;AAAA,EAC5C;AAEA,SAAO,EAAE,YAAAD,aAAY,aAAa,cAAc,eAAe,QAAQ;AACzE;;;ACpFO,SAAS,OAAO,EAAE,UAAU,IAAmB,EAAE,WAAW,IAAK,GAAW;AACjF,QAAM,eAAe,mBAAmB;AAExC,MAAI;AACJ,MAAI,UAAU;AAEd,QAAM,OAAmB,MAAM;AAC7B,QAAI,SAAS;AACX,mBAAa,aAAa,OAAO;AACjC,mBAAa,QAAQ;AAAA,IACvB;AACA,cAAU;AAAA,EACZ;AAEA,QAAM,MAAiB,OAAM,OAAM;AACjC,cAAU;AACV,UAAM,GAAG,IAAI;AACb,QAAI,SAAS;AACX;AAAA,IACF;AAEA,cAAU,aAAa,WAAW,MAAM;AACtC,WAAK,IAAI,EAAE;AAAA,IACb,GAAG,SAAS;AAAA,EACd;AAEA,SAAO,EAAE,KAAK,KAAK;AACrB;;;ACrCO,IAAM,aAAa,CAAC,UAA4B;AAErD,MAAI,MAAM,UAAU,GAAG;AACrB,WAAO;AAAA,EACT;AACA,MAAI,MAAM,UAAU,GAAG;AACrB,WAAO,MAAM,CAAC;AAAA,EAChB;AACA,MAAI,WAAW,MAAM,MAAM,GAAG,EAAE,EAAE,KAAK,IAAI;AAC3C,cAAY,QAAQ,MAAM,MAAM,EAAE,CAAC;AACnC,SAAO;AACT;AAEA,IAAM,sBACJ;AAEK,SAAS,cAAc,KAAyC;AACrE,SAAO,oBAAoB,KAAK,OAAO,EAAE;AAC3C;AAEO,SAAS,SAAS,KAAwC;AAC/D,QAAME,KAAI,OAAO;AACjB,SAAOA,GAAE,OAAO,CAAC,EAAE,YAAY,IAAIA,GAAE,MAAM,CAAC;AAC9C;AAEO,SAAS,aAAa,KAAiC;AAC5D,SAAO,MAAM,IAAI,QAAQ,gBAAgB,WAAS,MAAM,YAAY,EAAE,QAAQ,OAAO,EAAE,CAAC,IAAI;AAC9F;AAEO,SAAS,aAAa,KAAiC;AAC5D,SAAO,MAAM,IAAI,QAAQ,UAAU,YAAU,IAAI,OAAO,YAAY,CAAC,EAAE,IAAI;AAC7E;AAEA,IAAM,8BAA8B,CAAC,cAAmB;AACtD,QAAM,gBAAgB,CAAC,QAAkB;AACvC,QAAI,CAAC,KAAK;AACR,aAAO;AAAA,IACT;AAEA,QAAI,MAAM,QAAQ,GAAG,GAAG;AACtB,aAAO,IAAI,IAAI,QAAM;AACnB,YAAI,OAAO,OAAO,YAAY,MAAM,QAAQ,EAAE,GAAG;AAC/C,iBAAO,cAAc,EAAE;AAAA,QACzB;AACA,eAAO;AAAA,MACT,CAAC;AAAA,IACH;AAEA,UAAM,OAAO,EAAE,GAAG,IAAI;AACtB,UAAM,OAAO,OAAO,KAAK,IAAI;AAC7B,eAAW,WAAW,MAAM;AAC1B,YAAM,UAAU,UAAU,QAAQ,SAAS,CAAC;AAC5C,UAAI,YAAY,SAAS;AACvB,aAAK,OAAO,IAAI,KAAK,OAAO;AAC5B,eAAO,KAAK,OAAO;AAAA,MACrB;AACA,UAAI,OAAO,KAAK,OAAO,MAAM,UAAU;AACrC,aAAK,OAAO,IAAI,cAAc,KAAK,OAAO,CAAC;AAAA,MAC7C;AAAA,IACF;AACA,WAAO;AAAA,EACT;AAEA,SAAO;AACT;AAOO,IAAM,mBAAmB,4BAA4B,YAAY;AAOjE,IAAM,mBAAmB,4BAA4B,YAAY;AAMjE,SAAS,SAAS,OAAyB;AAEhD,MAAI,OAAO,UAAU,WAAW;AAC9B,WAAO;AAAA,EACT;AAGA,MAAI,UAAU,UAAa,UAAU,MAAM;AACzC,WAAO;AAAA,EACT;AAGA,MAAI,OAAO,UAAU,UAAU;AAC7B,QAAI,MAAM,YAAY,MAAM,QAAQ;AAClC,aAAO;AAAA,IACT;AAEA,QAAI,MAAM,YAAY,MAAM,SAAS;AACnC,aAAO;AAAA,IACT;AAAA,EACF;AAGA,QAAM,SAAS,SAAS,OAAiB,EAAE;AAC3C,MAAI,MAAM,MAAM,GAAG;AACjB,WAAO;AAAA,EACT;AAEA,MAAI,SAAS,GAAG;AACd,WAAO;AAAA,EACT;AAGA,SAAO;AACT;AAEO,SAAS,sBAAwC,KAAoB;AAC1E,SAAO,OAAO,QAAQ,GAAG,EAAE,OAAO,CAAC,KAAK,CAAC,KAAK,KAAK,MAAM;AACvD,QAAI,UAAU,QAAW;AACvB,UAAI,GAAc,IAAI;AAAA,IACxB;AACA,WAAO;AAAA,EACT,GAAG,CAAC,CAAe;AACrB;;;ACpIO,IAAM,UAAU,CAAsC,QAAW,UAA2B;AACjG,QAAM,OAAO,EAAE,GAAG,IAAI;AACtB,aAAW,QAAQ,OAAO;AACxB,WAAO,KAAK,IAAI;AAAA,EAClB;AACA,SAAO;AACT;AAEO,IAAM,kBAAkB,CAAmB,QAAuB;AACvE,SAAO,OAAO,QAAQ,GAAG,EAAE,OAAO,CAAC,KAAK,CAAC,KAAK,KAAK,MAAM;AACvD,QAAI,UAAU,UAAa,UAAU,MAAM;AACzC,UAAI,GAAc,IAAI;AAAA,IACxB;AACA,WAAO;AAAA,EACT,GAAG,CAAC,CAAe;AACrB;AAEO,IAAM,qBAAqB,CAChC,KACA,OACsB;AACtB,QAAM,SAAS,CAAC;AAChB,aAAW,OAAO,KAAK;AACrB,WAAO,GAAG,IAAI,GAAG,IAAI,GAAG,GAAG,GAAG;AAAA,EAChC;AACA,SAAO;AACT;AAEO,IAAM,cAAc,CAAgC,KAAQ,WAAmC;AACpG,QAAM,SAAS,CAAC;AAChB,aAAW,OAAO,KAAK;AACrB,QAAI,IAAI,GAAG,KAAK,OAAO,IAAI,GAAG,CAAC,GAAG;AAChC,aAAO,GAAG,IAAI,IAAI,GAAG;AAAA,IACvB;AAAA,EACF;AACA,SAAO;AACT;;;ACpCA,IAAM,iBAA8B,oBAAI,IAAI;AAErC,IAAM,SAAS;AAAA;AAAA;AAAA;AAAA;AAAA,EAKpB,UAAU,CAAC,QAAgB;AACzB,QAAI,eAAe,IAAI,GAAG,GAAG;AAC3B;AAAA,IACF;AAEA,mBAAe,IAAI,GAAG;AACtB,YAAQ,KAAK,GAAG;AAAA,EAClB;AAAA,EACA,SAAS,CAAC,QAAgB;AACxB,QAAI,eAAe,IAAI,GAAG,GAAG;AAC3B;AAAA,IACF;AAEA,YAAQ,IAAI,GAAG;AACf,mBAAe,IAAI,GAAG;AAAA,EACxB;AACF;;;ACvBO,IAAM,sBAAsB;AAI5B,SAAS,sBAAsB,KAAU,KAAkB;AAChE,QAAM,YAAY,IAAI,IAAI,GAAG;AAG7B,QAAM,gBAAgB,UAAU,aAAa,IAAI,mBAAmB;AACpE,YAAU,aAAa,OAAO,mBAAmB;AAGjD,QAAM,WAAW,iBAAiB;AAElC,MAAI,UAAU;AACZ,cAAU,aAAa,IAAI,qBAAqB,QAAQ;AAAA,EAC1D;AAEA,SAAO;AACT;AAOO,SAAS,4BAA4B,KAAkB;AAC5D,QAAM,MAAM,kCAAkC,GAAG;AACjD,QAAM,WAAW,oBAAoB,GAAG;AACxC,MAAI,SAAS,SAAS,IAAI,QAAQ,OAAO,WAAW,YAAY,aAAa;AAC3E,eAAW,QAAQ,aAAa,MAAM,IAAI,oBAAoB,GAAG,CAAC;AAAA,EACpE;AACA,SAAO;AACT;AAEA,IAAM,oCAAoC,CAAC,QAAa;AACtD,SAAO,IAAI,aAAa,IAAI,mBAAmB,KAAK;AACtD;AAEA,IAAM,sBAAsB,CAAC,QAAa;AACxC,SAAO,uCAAuC,0BAA0B,GAAG,CAAC;AAC9E;AAEA,IAAM,yCAAyC,CAAC,SAAc;AAC5D,QAAM,MAAM,IAAI,IAAI,IAAI;AACxB,MAAI,aAAa,OAAO,mBAAmB;AAC3C,SAAO;AACT;AAaA,IAAM,4BAA4B,CAAC,SAAc;AAC/C,QAAM,gCAAgC;AACtC,QAAM,6BAA6B;AACnC,QAAM,MAAM,IAAI,IAAI,IAAI;AACxB,MAAI,aAAa,OAAO,0BAA0B;AAClD,MAAI,OAAO,UAAU,IAAI,IAAI,EAAE,QAAQ,+BAA+B,EAAE;AACxE,MAAI,IAAI,KAAK,SAAS,GAAG,GAAG;AAC1B,QAAI,OAAO;AAAA,EACb;AACA,SAAO;AACT;;;ACtEA;AAEA,IAAM,4BAA4B,CAAC,YAA2D;AAC5F,SAAO,CAAC,CAAC,SAAS,YAAY;AAChC;AAEA,IAAM,uBAAuB,CAAC,YAA2C;AACvE,SAAO,CAAC,CAAC,SAAS;AACpB;AAQO,IAAM,iBAAiB,CAAC,MAAc,YAA0C;AAErF,MAAI,OAAO,YAAY,eAAe,QAAQ,OAAO,OAAO,QAAQ,IAAI,IAAI,MAAM,UAAU;AAC1F,WAAO,QAAQ,IAAI,IAAI;AAAA,EACzB;AAGA,MAAI,OAAO,gBAAgB,eAAe,YAAY,OAAO,OAAO,YAAY,IAAI,IAAI,MAAM,UAAU;AACtG,WAAO,YAAY,IAAI,IAAI;AAAA,EAC7B;AAEA,MAAI,0BAA0B,OAAO,GAAG;AACtC,WAAO,QAAQ,WAAW,IAAI,IAAI,KAAK;AAAA,EACzC;AAGA,MAAI,qBAAqB,OAAO,GAAG;AACjC,WAAO,QAAQ,IAAI,IAAI,KAAK;AAAA,EAC9B;AAGA,MAAI,WAAW,OAAO,QAAQ,IAAI,MAAM,UAAU;AAChD,WAAO,QAAQ,IAAI;AAAA,EACrB;AAGA,MAAI;AACF,WAAO,WAAW,IAA+B;AAAA,EACnD,QAAQ;AAAA,EAER;AAEA,SAAO;AACT;;;AC/CA,SAAS,EAAE,GAAG;AACZ,WAAS,IAAI,CAAC,GAAG,IAAI,GAAG,IAAI,EAAE,UAAU;AACtC,QAAI,IAAI,EAAE,CAAC;AACX,QAAI,MAAM,OAAO,MAAM,OAAO,MAAM,KAAK;AACvC,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,MAAM;AACd,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,eAAS,IAAI,IAAI,IAAI,IAAI,GAAG,IAAI,EAAE,UAAU;AAC1C,YAAI,IAAI,EAAE,WAAW,CAAC;AACtB,YAAK,KAAK,MAAM,KAAK,MAAQ,KAAK,MAAM,KAAK,MAAQ,KAAK,MAAM,KAAK,OAAQ,MAAM,IAAI;AACrF,eAAK,EAAE,GAAG;AACV;AAAA,QACF;AACA;AAAA,MACF;AACA,UAAI,CAAC,EAAG,OAAM,IAAI,UAAU,6BAA6B,OAAO,CAAC,CAAC;AAClE,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO;AAAA,MACT,CAAC,GACE,IAAI;AACP;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,UAAI,IAAI,GACN,IAAI,IACJ,IAAI,IAAI;AACV,UAAI,EAAE,CAAC,MAAM,IAAK,OAAM,IAAI,UAAU,oCAAoC,OAAO,CAAC,CAAC;AACnF,aAAO,IAAI,EAAE,UAAU;AACrB,YAAI,EAAE,CAAC,MAAM,MAAM;AACjB,eAAK,EAAE,GAAG,IAAI,EAAE,GAAG;AACnB;AAAA,QACF;AACA,YAAI,EAAE,CAAC,MAAM,KAAK;AAChB,cAAK,KAAK,MAAM,GAAI;AAClB;AACA;AAAA,UACF;AAAA,QACF,WAAW,EAAE,CAAC,MAAM,QAAQ,KAAK,EAAE,IAAI,CAAC,MAAM;AAC5C,gBAAM,IAAI,UAAU,uCAAuC,OAAO,CAAC,CAAC;AACtE,aAAK,EAAE,GAAG;AAAA,MACZ;AACA,UAAI,EAAG,OAAM,IAAI,UAAU,yBAAyB,OAAO,CAAC,CAAC;AAC7D,UAAI,CAAC,EAAG,OAAM,IAAI,UAAU,sBAAsB,OAAO,CAAC,CAAC;AAC3D,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO;AAAA,MACT,CAAC,GACE,IAAI;AACP;AAAA,IACF;AACA,MAAE,KAAK;AAAA,MACL,MAAM;AAAA,MACN,OAAO;AAAA,MACP,OAAO,EAAE,GAAG;AAAA,IACd,CAAC;AAAA,EACH;AACA,SACE,EAAE,KAAK;AAAA,IACL,MAAM;AAAA,IACN,OAAO;AAAA,IACP,OAAO;AAAA,EACT,CAAC,GACD;AAEJ;AAEA,SAAS,EAAE,GAAG,GAAG;AACf,QAAM,WAAW,IAAI,CAAC;AACtB,WACM,IAAI,EAAE,CAAC,GACT,IAAI,EAAE,UACN,IAAI,MAAM,SAAS,OAAO,GAC1B,IAAI,EAAE,WACN,IAAI,MAAM,SAAS,QAAQ,GAC3B,IAAI,CAAC,GACL,IAAI,GACJ,IAAI,GACJ,IAAI,IACJ,IAAI,SAAU,GAAG;AACf,QAAI,IAAI,EAAE,UAAU,EAAE,CAAC,EAAE,SAAS,EAAG,QAAO,EAAE,GAAG,EAAE;AAAA,EACrD,GACA,IAAI,SAAU,GAAG;AACf,QAAI,IAAI,EAAE,CAAC;AACX,QAAI,MAAM,OAAQ,QAAO;AACzB,QAAI,IAAI,EAAE,CAAC,GACT,IAAI,EAAE,MACN,IAAI,EAAE;AACR,UAAM,IAAI,UAAU,cAAc,OAAO,GAAG,MAAM,EAAE,OAAO,GAAG,aAAa,EAAE,OAAO,CAAC,CAAC;AAAA,EACxF,GACA,IAAI,WAAY;AACd,aAAS,IAAI,IAAI,GAAI,IAAI,EAAE,MAAM,KAAK,EAAE,cAAc,IAAM,MAAK;AACjE,WAAO;AAAA,EACT,GACA,IAAI,SAAU,GAAG;AACf,aAAS,IAAI,GAAG,IAAI,GAAG,IAAI,EAAE,QAAQ,KAAK;AACxC,UAAI,IAAI,EAAE,CAAC;AACX,UAAI,EAAE,QAAQ,CAAC,IAAI,GAAI,QAAO;AAAA,IAChC;AACA,WAAO;AAAA,EACT,GACA,IAAI,SAAU,GAAG;AACf,QAAI,IAAI,EAAE,EAAE,SAAS,CAAC,GACpB,IAAI,MAAM,KAAK,OAAO,KAAK,WAAW,IAAI;AAC5C,QAAI,KAAK,CAAC;AACR,YAAM,IAAI,UAAU,8DAA8D,OAAO,EAAE,MAAM,GAAG,CAAC;AACvG,WAAO,CAAC,KAAK,EAAE,CAAC,IAAI,KAAK,OAAO,EAAE,CAAC,GAAG,KAAK,IAAI,SAAS,OAAO,EAAE,CAAC,GAAG,KAAK,EAAE,OAAO,EAAE,CAAC,GAAG,MAAM;AAAA,EACjG,GACF,IAAI,EAAE,UAEN;AACA,QAAI,IAAI,EAAE,MAAM,GACd,IAAI,EAAE,MAAM,GACZ,IAAI,EAAE,SAAS;AACjB,QAAI,KAAK,GAAG;AACV,UAAI,IAAI,KAAK;AACb,QAAE,QAAQ,CAAC,MAAM,OAAQ,KAAK,GAAK,IAAI,KACrC,MAAM,EAAE,KAAK,CAAC,GAAI,IAAI,KACtB,EAAE,KAAK;AAAA,QACL,MAAM,KAAK;AAAA,QACX,QAAQ;AAAA,QACR,QAAQ;AAAA,QACR,SAAS,KAAK,EAAE,CAAC;AAAA,QACjB,UAAU,EAAE,UAAU,KAAK;AAAA,MAC7B,CAAC;AACH;AAAA,IACF;AACA,QAAI,IAAI,KAAK,EAAE,cAAc;AAC7B,QAAI,GAAG;AACL,WAAK;AACL;AAAA,IACF;AACA,UAAM,EAAE,KAAK,CAAC,GAAI,IAAI;AACtB,QAAI,IAAI,EAAE,MAAM;AAChB,QAAI,GAAG;AACL,UAAI,IAAI,EAAE,GACR,IAAI,EAAE,MAAM,KAAK,IACjB,IAAI,EAAE,SAAS,KAAK,IACpB,IAAI,EAAE;AACR,QAAE,OAAO,GACP,EAAE,KAAK;AAAA,QACL,MAAM,MAAM,IAAI,MAAM;AAAA,QACtB,SAAS,KAAK,CAAC,IAAI,EAAE,CAAC,IAAI;AAAA,QAC1B,QAAQ;AAAA,QACR,QAAQ;AAAA,QACR,UAAU,EAAE,UAAU,KAAK;AAAA,MAC7B,CAAC;AACH;AAAA,IACF;AACA,MAAE,KAAK;AAAA,EACT;AACA,SAAO;AACT;AA8CA,SAAS,EAAE,GAAG;AACZ,SAAO,EAAE,QAAQ,6BAA6B,MAAM;AACtD;AAEA,SAAS,EAAE,GAAG;AACZ,SAAO,KAAK,EAAE,YAAY,KAAK;AACjC;AAEA,SAAS,EAAE,GAAG,GAAG;AACf,MAAI,CAAC,EAAG,QAAO;AACf,WAAS,IAAI,2BAA2B,IAAI,GAAG,IAAI,EAAE,KAAK,EAAE,MAAM,GAAG;AACnE,MAAE,KAAK;AAAA,MACL,MAAM,EAAE,CAAC,KAAK;AAAA,MACd,QAAQ;AAAA,MACR,QAAQ;AAAA,MACR,UAAU;AAAA,MACV,SAAS;AAAA,IACX,CAAC,GACE,IAAI,EAAE,KAAK,EAAE,MAAM;AACxB,SAAO;AACT;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,MAAI,IAAI,EAAE,IAAI,SAAU,GAAG;AACzB,WAAO,EAAE,GAAG,GAAG,CAAC,EAAE;AAAA,EACpB,CAAC;AACD,SAAO,IAAI,OAAO,MAAM,OAAO,EAAE,KAAK,GAAG,GAAG,GAAG,GAAG,EAAE,CAAC,CAAC;AACxD;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,SAAO,EAAE,EAAE,GAAG,CAAC,GAAG,GAAG,CAAC;AACxB;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,QAAM,WAAW,IAAI,CAAC;AACtB,WACM,IAAI,EAAE,QACR,IAAI,MAAM,SAAS,QAAK,GACxB,IAAI,EAAE,OACN,IAAI,MAAM,SAAS,OAAK,GACxB,IAAI,EAAE,KACN,IAAI,MAAM,SAAS,OAAK,GACxB,IAAI,EAAE,QACN,IACE,MAAM,SACF,SAAU,GAAG;AACX,WAAO;AAAA,EACT,IACA,GACN,IAAI,EAAE,WACN,IAAI,MAAM,SAAS,QAAQ,GAC3B,IAAI,EAAE,UACN,IAAI,MAAM,SAAS,KAAK,GACxB,IAAI,IAAI,OAAO,EAAE,CAAC,GAAG,KAAK,GAC1B,IAAI,IAAI,OAAO,EAAE,CAAC,GAAG,GAAG,GACxB,IAAI,IAAI,MAAM,IACd,IAAI,GACJ,IAAI,GACN,IAAI,EAAE,QACN,KACA;AACA,QAAI,IAAI,EAAE,CAAC;AACX,QAAI,OAAO,KAAK,SAAU,MAAK,EAAE,EAAE,CAAC,CAAC;AAAA,SAChC;AACH,UAAI,IAAI,EAAE,EAAE,EAAE,MAAM,CAAC,GACnB,IAAI,EAAE,EAAE,EAAE,MAAM,CAAC;AACnB,UAAI,EAAE;AACJ,YAAK,KAAK,EAAE,KAAK,CAAC,GAAG,KAAK;AACxB,cAAI,EAAE,aAAa,OAAO,EAAE,aAAa,KAAK;AAC5C,gBAAI,IAAI,EAAE,aAAa,MAAM,MAAM;AACnC,iBAAK,MACF,OAAO,GAAG,MAAM,EAChB,OAAO,EAAE,SAAS,MAAM,EACxB,OAAO,CAAC,EACR,OAAO,GAAG,KAAK,EACf,OAAO,EAAE,SAAS,MAAM,EACxB,OAAO,GAAG,GAAG,EACb,OAAO,CAAC;AAAA,UACb,MAAO,MAAK,MAAM,OAAO,GAAG,GAAG,EAAE,OAAO,EAAE,SAAS,GAAG,EAAE,OAAO,GAAG,GAAG,EAAE,OAAO,EAAE,QAAQ;AAAA,aACrF;AACH,cAAI,EAAE,aAAa,OAAO,EAAE,aAAa;AACvC,kBAAM,IAAI,UAAU,mBAAmB,OAAO,EAAE,MAAM,+BAA+B,CAAC;AACxF,eAAK,IAAI,OAAO,EAAE,SAAS,GAAG,EAAE,OAAO,EAAE,QAAQ;AAAA,QACnD;AAAA,UACG,MAAK,MAAM,OAAO,CAAC,EAAE,OAAO,GAAG,GAAG,EAAE,OAAO,EAAE,QAAQ;AAAA,IAC5D;AAAA,EACF;AACA,MAAI,EAAG,OAAM,KAAK,GAAG,OAAO,GAAG,GAAG,IAAK,KAAK,EAAE,WAAW,MAAM,OAAO,GAAG,GAAG,IAAI;AAAA,OAC3E;AACH,QAAI,IAAI,EAAE,EAAE,SAAS,CAAC,GACpB,IAAI,OAAO,KAAK,WAAW,EAAE,QAAQ,EAAE,EAAE,SAAS,CAAC,CAAC,IAAI,KAAK,MAAM;AACrE,UAAM,KAAK,MAAM,OAAO,GAAG,KAAK,EAAE,OAAO,GAAG,KAAK,IAAI,MAAM,KAAK,MAAM,OAAO,GAAG,GAAG,EAAE,OAAO,GAAG,GAAG;AAAA,EACpG;AACA,SAAO,IAAI,OAAO,GAAG,EAAE,CAAC,CAAC;AAC3B;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,SAAO,aAAa,SAAS,EAAE,GAAG,CAAC,IAAI,MAAM,QAAQ,CAAC,IAAI,EAAE,GAAG,GAAG,CAAC,IAAI,EAAE,GAAG,GAAG,CAAC;AAClF;;;AC/TO,IAAM,eAAe,CAAC,SAAiB;AAC5C,MAAI;AAEF,WAAO,EAAiB,IAAI;AAAA,EAC9B,SAAS,GAAQ;AACf,UAAM,IAAI;AAAA,MACR,iBAAiB,IAAI;AAAA;AAAA,EAA6G,EAAE,OAAO;AAAA,IAC7I;AAAA,EACF;AACF;;;ACXA,IAAM,sBAAsB,CAAC,aAAqC;AAChE,SAAO,SAAS,IAAI,aAAY,mBAAmB,SAAS,UAAU,aAAa,OAAO,CAAE;AAC9F;AAQO,IAAM,oBAAoB,CAAC,aAA+B;AAC/D,QAAM,gBAAgB,CAAC,YAAY,EAAE,EAAE,KAAK,EAAE,OAAO,OAAO;AAC5D,QAAM,WAAW,oBAAoB,aAAa;AAClD,SAAO,CAAC,aAAqB,SAAS,KAAK,aAAW,QAAQ,KAAK,QAAQ,CAAC;AAC9E;","names":["s","s","packageName","customMessages","_","s","_","s","url","setTimeout","id","s"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.mjs new file mode 100644 index 000000000..b02609af2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.mjs @@ -0,0 +1,328 @@ +import { + fastDeepMergeAndKeep, + fastDeepMergeAndReplace, + logErrorInDevMode +} from "./chunk-3QKZJFQO.mjs"; +import { + createDeferredPromise +} from "./chunk-BS4QFUKM.mjs"; +import { + camelToSnake, + deepCamelToSnake, + deepSnakeToCamel, + getNonUndefinedValues, + isIPV4Address, + isTruthy, + snakeToCamel, + titleize, + toSentence +} from "./chunk-QE2A7CJI.mjs"; +import { + applyFunctionToObj, + filterProps, + removeUndefined, + without +} from "./chunk-CFXQSUF6.mjs"; +import { + createPathMatcher +} from "./chunk-2ZNADCNC.mjs"; +import "./chunk-JJHTUJGL.mjs"; +import { + Poller +} from "./chunk-JY46X3OC.mjs"; +import { + createWorkerTimers +} from "./chunk-ZHPWRK4R.mjs"; +import { + noop +} from "./chunk-7FNX7RWY.mjs"; +import { + buildClerkJsScriptAttributes, + clerkJsScriptUrl, + loadClerkJsScript, + setClerkJsLoadingErrorPackageName +} from "./chunk-QUVOOEBF.mjs"; +import { + addClerkPrefix, + cleanDoubleSlashes, + getClerkJsMajorVersionOrTag, + getScriptUrl, + hasLeadingSlash, + hasTrailingSlash, + isAbsoluteUrl, + isCurrentDevAccountPortalOrigin, + isLegacyDevAccountPortalOrigin, + isNonEmptyURL, + joinURL, + parseSearchParams, + stripScheme, + withLeadingSlash, + withTrailingSlash, + withoutLeadingSlash, + withoutTrailingSlash +} from "./chunk-IFTVZ2LQ.mjs"; +import { + isStaging +} from "./chunk-3TMSNP4L.mjs"; +import { + versionSelector +} from "./chunk-QL5NCNJD.mjs"; +import { + isHttpOrHttps, + isProxyUrlRelative, + isValidProxyUrl, + proxyUrlToAbsoluteURL +} from "./chunk-6NDGN2IU.mjs"; +import { + loadScript +} from "./chunk-YIV5QDK5.mjs"; +import "./chunk-BUNBAIZO.mjs"; +import { + LocalStorageBroadcastChannel +} from "./chunk-KZL5MSSZ.mjs"; +import { + logger +} from "./chunk-CYDR2ZSA.mjs"; +import { + deprecated, + deprecatedObjectProperty, + deprecatedProperty +} from "./chunk-UEY4AZIP.mjs"; +import { + isDevelopmentEnvironment, + isProductionEnvironment, + isTestEnvironment +} from "./chunk-7HPDNZ3R.mjs"; +import { + deriveState +} from "./chunk-TTPTJY6P.mjs"; +import { + DEV_BROWSER_JWT_KEY, + extractDevBrowserJWTFromURL, + setDevBrowserJWTInURL +} from "./chunk-K64INQ4C.mjs"; +import { + ClerkAPIResponseError, + ClerkRuntimeError, + ClerkWebAuthnError, + EmailLinkError, + EmailLinkErrorCode, + EmailLinkErrorCodeStatus, + buildErrorThrower, + errorToJSON, + is4xxError, + isCaptchaError, + isClerkAPIResponseError, + isClerkRuntimeError, + isEmailLinkError, + isKnownError, + isMetamaskError, + isNetworkError, + isPasswordPwnedError, + isUnauthorizedError, + isUserLockedError, + parseError, + parseErrors +} from "./chunk-JXRB7SGQ.mjs"; +import { + extension, + readJSONFile +} from "./chunk-5JU2E5TY.mjs"; +import { + getEnvVariable +} from "./chunk-TALGHI24.mjs"; +import { + handleValueOrFn +} from "./chunk-O32JQBM6.mjs"; +import { + apiUrlFromPublishableKey +} from "./chunk-NNO3XJ5E.mjs"; +import { + buildPublishableKey, + createDevOrStagingUrlCache, + getCookieSuffix, + getSuffixedCookieName, + isDevelopmentFromPublishableKey, + isDevelopmentFromSecretKey, + isProductionFromPublishableKey, + isProductionFromSecretKey, + isPublishableKey, + parsePublishableKey +} from "./chunk-G3VP5PJE.mjs"; +import { + isomorphicAtob +} from "./chunk-TETGTEI2.mjs"; +import { + isomorphicBtoa +} from "./chunk-KOH7GTJO.mjs"; +import { + inBrowser, + isBrowserOnline, + isValidBrowser, + isValidBrowserOnline, + userAgentIsRobot +} from "./chunk-JKSAJ6AV.mjs"; +import { + colorToSameTypeString, + hasAlpha, + hexStringToRgbaColor, + isHSLColor, + isRGBColor, + isTransparent, + isValidHexString, + isValidHslaString, + isValidRgbaString, + stringToHslaColor, + stringToSameTypeColor +} from "./chunk-X6NLIF7Y.mjs"; +import { + CURRENT_DEV_INSTANCE_SUFFIXES, + DEV_OR_STAGING_SUFFIXES, + LEGACY_DEV_INSTANCE_SUFFIXES, + LOCAL_API_URL, + LOCAL_ENV_SUFFIXES, + PROD_API_URL, + STAGING_API_URL, + STAGING_ENV_SUFFIXES, + iconImageUrl +} from "./chunk-I6MTSTOF.mjs"; +import { + addYears, + dateTo12HourTime, + differenceInCalendarDays, + formatRelative, + normalizeDate +} from "./chunk-XQNAC75V.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + CURRENT_DEV_INSTANCE_SUFFIXES, + ClerkAPIResponseError, + ClerkRuntimeError, + ClerkWebAuthnError, + DEV_BROWSER_JWT_KEY, + DEV_OR_STAGING_SUFFIXES, + EmailLinkError, + EmailLinkErrorCode, + EmailLinkErrorCodeStatus, + LEGACY_DEV_INSTANCE_SUFFIXES, + LOCAL_API_URL, + LOCAL_ENV_SUFFIXES, + LocalStorageBroadcastChannel, + PROD_API_URL, + Poller, + STAGING_API_URL, + STAGING_ENV_SUFFIXES, + addClerkPrefix, + addYears, + apiUrlFromPublishableKey, + applyFunctionToObj, + buildClerkJsScriptAttributes, + buildErrorThrower, + buildPublishableKey, + camelToSnake, + cleanDoubleSlashes, + clerkJsScriptUrl, + colorToSameTypeString, + createDeferredPromise, + createDevOrStagingUrlCache, + createPathMatcher, + createWorkerTimers, + dateTo12HourTime, + deepCamelToSnake, + deepSnakeToCamel, + deprecated, + deprecatedObjectProperty, + deprecatedProperty, + deriveState, + differenceInCalendarDays, + errorToJSON, + extension, + extractDevBrowserJWTFromURL, + fastDeepMergeAndKeep, + fastDeepMergeAndReplace, + filterProps, + formatRelative, + getClerkJsMajorVersionOrTag, + getCookieSuffix, + getEnvVariable, + getNonUndefinedValues, + getScriptUrl, + getSuffixedCookieName, + handleValueOrFn, + hasAlpha, + hasLeadingSlash, + hasTrailingSlash, + hexStringToRgbaColor, + iconImageUrl, + inBrowser, + is4xxError, + isAbsoluteUrl, + isBrowserOnline, + isCaptchaError, + isClerkAPIResponseError, + isClerkRuntimeError, + isCurrentDevAccountPortalOrigin, + isDevelopmentEnvironment, + isDevelopmentFromPublishableKey, + isDevelopmentFromSecretKey, + isEmailLinkError, + isHSLColor, + isHttpOrHttps, + isIPV4Address, + isKnownError, + isLegacyDevAccountPortalOrigin, + isMetamaskError, + isNetworkError, + isNonEmptyURL, + isPasswordPwnedError, + isProductionEnvironment, + isProductionFromPublishableKey, + isProductionFromSecretKey, + isProxyUrlRelative, + isPublishableKey, + isRGBColor, + isStaging, + isTestEnvironment, + isTransparent, + isTruthy, + isUnauthorizedError, + isUserLockedError, + isValidBrowser, + isValidBrowserOnline, + isValidHexString, + isValidHslaString, + isValidProxyUrl, + isValidRgbaString, + isomorphicAtob, + isomorphicBtoa, + joinURL, + loadClerkJsScript, + loadScript, + logErrorInDevMode, + logger, + noop, + normalizeDate, + parseError, + parseErrors, + parsePublishableKey, + parseSearchParams, + proxyUrlToAbsoluteURL, + readJSONFile, + removeUndefined, + setClerkJsLoadingErrorPackageName, + setDevBrowserJWTInURL, + snakeToCamel, + stringToHslaColor, + stringToSameTypeColor, + stripScheme, + titleize, + toSentence, + userAgentIsRobot, + versionSelector, + withLeadingSlash, + withTrailingSlash, + without, + withoutLeadingSlash, + withoutTrailingSlash +}; +//# sourceMappingURL=index.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/index.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.d.mts new file mode 100644 index 000000000..e42860212 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.d.mts @@ -0,0 +1,7 @@ +/** + * A function that decodes a string of data which has been encoded using base-64 encoding. + * Uses `atob` if available, otherwise uses `Buffer` from `global`. If neither are available, returns the data as-is. + */ +declare const isomorphicAtob: (data: string) => string; + +export { isomorphicAtob }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.d.ts new file mode 100644 index 000000000..e42860212 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.d.ts @@ -0,0 +1,7 @@ +/** + * A function that decodes a string of data which has been encoded using base-64 encoding. + * Uses `atob` if available, otherwise uses `Buffer` from `global`. If neither are available, returns the data as-is. + */ +declare const isomorphicAtob: (data: string) => string; + +export { isomorphicAtob }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.js new file mode 100644 index 000000000..bfbd547b1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.js @@ -0,0 +1,38 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/isomorphicAtob.ts +var isomorphicAtob_exports = {}; +__export(isomorphicAtob_exports, { + isomorphicAtob: () => isomorphicAtob +}); +module.exports = __toCommonJS(isomorphicAtob_exports); +var isomorphicAtob = (data) => { + if (typeof atob !== "undefined" && typeof atob === "function") { + return atob(data); + } else if (typeof global !== "undefined" && global.Buffer) { + return new global.Buffer(data, "base64").toString(); + } + return data; +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + isomorphicAtob +}); +//# sourceMappingURL=isomorphicAtob.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.js.map new file mode 100644 index 000000000..836355473 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/isomorphicAtob.ts"],"sourcesContent":["/**\n * A function that decodes a string of data which has been encoded using base-64 encoding.\n * Uses `atob` if available, otherwise uses `Buffer` from `global`. If neither are available, returns the data as-is.\n */\nexport const isomorphicAtob = (data: string) => {\n if (typeof atob !== 'undefined' && typeof atob === 'function') {\n return atob(data);\n } else if (typeof global !== 'undefined' && global.Buffer) {\n return new global.Buffer(data, 'base64').toString();\n }\n return data;\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAIO,IAAM,iBAAiB,CAAC,SAAiB;AAC9C,MAAI,OAAO,SAAS,eAAe,OAAO,SAAS,YAAY;AAC7D,WAAO,KAAK,IAAI;AAAA,EAClB,WAAW,OAAO,WAAW,eAAe,OAAO,QAAQ;AACzD,WAAO,IAAI,OAAO,OAAO,MAAM,QAAQ,EAAE,SAAS;AAAA,EACpD;AACA,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.mjs new file mode 100644 index 000000000..cf0e64769 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.mjs @@ -0,0 +1,8 @@ +import { + isomorphicAtob +} from "./chunk-TETGTEI2.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + isomorphicAtob +}; +//# sourceMappingURL=isomorphicAtob.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicAtob.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.d.mts new file mode 100644 index 000000000..191c242be --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.d.mts @@ -0,0 +1,3 @@ +declare const isomorphicBtoa: (data: string) => string; + +export { isomorphicBtoa }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.d.ts new file mode 100644 index 000000000..191c242be --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.d.ts @@ -0,0 +1,3 @@ +declare const isomorphicBtoa: (data: string) => string; + +export { isomorphicBtoa }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.js new file mode 100644 index 000000000..82b446ea7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.js @@ -0,0 +1,38 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/isomorphicBtoa.ts +var isomorphicBtoa_exports = {}; +__export(isomorphicBtoa_exports, { + isomorphicBtoa: () => isomorphicBtoa +}); +module.exports = __toCommonJS(isomorphicBtoa_exports); +var isomorphicBtoa = (data) => { + if (typeof btoa !== "undefined" && typeof btoa === "function") { + return btoa(data); + } else if (typeof global !== "undefined" && global.Buffer) { + return new global.Buffer(data).toString("base64"); + } + return data; +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + isomorphicBtoa +}); +//# sourceMappingURL=isomorphicBtoa.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.js.map new file mode 100644 index 000000000..439c23389 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/isomorphicBtoa.ts"],"sourcesContent":["export const isomorphicBtoa = (data: string) => {\n if (typeof btoa !== 'undefined' && typeof btoa === 'function') {\n return btoa(data);\n } else if (typeof global !== 'undefined' && global.Buffer) {\n return new global.Buffer(data).toString('base64');\n }\n return data;\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAO,IAAM,iBAAiB,CAAC,SAAiB;AAC9C,MAAI,OAAO,SAAS,eAAe,OAAO,SAAS,YAAY;AAC7D,WAAO,KAAK,IAAI;AAAA,EAClB,WAAW,OAAO,WAAW,eAAe,OAAO,QAAQ;AACzD,WAAO,IAAI,OAAO,OAAO,IAAI,EAAE,SAAS,QAAQ;AAAA,EAClD;AACA,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.mjs new file mode 100644 index 000000000..dbc2bb97e --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.mjs @@ -0,0 +1,8 @@ +import { + isomorphicBtoa +} from "./chunk-KOH7GTJO.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + isomorphicBtoa +}; +//# sourceMappingURL=isomorphicBtoa.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/isomorphicBtoa.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.d.mts new file mode 100644 index 000000000..dd4487962 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.d.mts @@ -0,0 +1,30 @@ +import { PublishableKey } from '@clerk/types'; + +type ParsePublishableKeyOptions = { + fatal?: boolean; + domain?: string; + proxyUrl?: string; +}; +declare function buildPublishableKey(frontendApi: string): string; +declare function parsePublishableKey(key: string | undefined, options: ParsePublishableKeyOptions & { + fatal: true; +}): PublishableKey; +declare function parsePublishableKey(key: string | undefined, options?: ParsePublishableKeyOptions): PublishableKey | null; +/** + * Checks if the provided key is a valid publishable key. + * + * @param key - The key to be checked. Defaults to an empty string if not provided. + * @returns `true` if 'key' is a valid publishable key, `false` otherwise. + */ +declare function isPublishableKey(key?: string): boolean; +declare function createDevOrStagingUrlCache(): { + isDevOrStagingUrl: (url: string | URL) => boolean; +}; +declare function isDevelopmentFromPublishableKey(apiKey: string): boolean; +declare function isProductionFromPublishableKey(apiKey: string): boolean; +declare function isDevelopmentFromSecretKey(apiKey: string): boolean; +declare function isProductionFromSecretKey(apiKey: string): boolean; +declare function getCookieSuffix(publishableKey: string, subtle?: SubtleCrypto): Promise; +declare const getSuffixedCookieName: (cookieName: string, cookieSuffix: string) => string; + +export { buildPublishableKey, createDevOrStagingUrlCache, getCookieSuffix, getSuffixedCookieName, isDevelopmentFromPublishableKey, isDevelopmentFromSecretKey, isProductionFromPublishableKey, isProductionFromSecretKey, isPublishableKey, parsePublishableKey }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.d.ts new file mode 100644 index 000000000..dd4487962 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.d.ts @@ -0,0 +1,30 @@ +import { PublishableKey } from '@clerk/types'; + +type ParsePublishableKeyOptions = { + fatal?: boolean; + domain?: string; + proxyUrl?: string; +}; +declare function buildPublishableKey(frontendApi: string): string; +declare function parsePublishableKey(key: string | undefined, options: ParsePublishableKeyOptions & { + fatal: true; +}): PublishableKey; +declare function parsePublishableKey(key: string | undefined, options?: ParsePublishableKeyOptions): PublishableKey | null; +/** + * Checks if the provided key is a valid publishable key. + * + * @param key - The key to be checked. Defaults to an empty string if not provided. + * @returns `true` if 'key' is a valid publishable key, `false` otherwise. + */ +declare function isPublishableKey(key?: string): boolean; +declare function createDevOrStagingUrlCache(): { + isDevOrStagingUrl: (url: string | URL) => boolean; +}; +declare function isDevelopmentFromPublishableKey(apiKey: string): boolean; +declare function isProductionFromPublishableKey(apiKey: string): boolean; +declare function isDevelopmentFromSecretKey(apiKey: string): boolean; +declare function isProductionFromSecretKey(apiKey: string): boolean; +declare function getCookieSuffix(publishableKey: string, subtle?: SubtleCrypto): Promise; +declare const getSuffixedCookieName: (cookieName: string, cookieSuffix: string) => string; + +export { buildPublishableKey, createDevOrStagingUrlCache, getCookieSuffix, getSuffixedCookieName, isDevelopmentFromPublishableKey, isDevelopmentFromSecretKey, isProductionFromPublishableKey, isProductionFromSecretKey, isPublishableKey, parsePublishableKey }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.js new file mode 100644 index 000000000..d8dcee94b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.js @@ -0,0 +1,165 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/keys.ts +var keys_exports = {}; +__export(keys_exports, { + buildPublishableKey: () => buildPublishableKey, + createDevOrStagingUrlCache: () => createDevOrStagingUrlCache, + getCookieSuffix: () => getCookieSuffix, + getSuffixedCookieName: () => getSuffixedCookieName, + isDevelopmentFromPublishableKey: () => isDevelopmentFromPublishableKey, + isDevelopmentFromSecretKey: () => isDevelopmentFromSecretKey, + isProductionFromPublishableKey: () => isProductionFromPublishableKey, + isProductionFromSecretKey: () => isProductionFromSecretKey, + isPublishableKey: () => isPublishableKey, + parsePublishableKey: () => parsePublishableKey +}); +module.exports = __toCommonJS(keys_exports); + +// src/constants.ts +var LEGACY_DEV_INSTANCE_SUFFIXES = [".lcl.dev", ".lclstage.dev", ".lclclerk.com"]; +var DEV_OR_STAGING_SUFFIXES = [ + ".lcl.dev", + ".stg.dev", + ".lclstage.dev", + ".stgstage.dev", + ".dev.lclclerk.com", + ".stg.lclclerk.com", + ".accounts.lclclerk.com", + "accountsstage.dev", + "accounts.dev" +]; + +// src/isomorphicAtob.ts +var isomorphicAtob = (data) => { + if (typeof atob !== "undefined" && typeof atob === "function") { + return atob(data); + } else if (typeof global !== "undefined" && global.Buffer) { + return new global.Buffer(data, "base64").toString(); + } + return data; +}; + +// src/isomorphicBtoa.ts +var isomorphicBtoa = (data) => { + if (typeof btoa !== "undefined" && typeof btoa === "function") { + return btoa(data); + } else if (typeof global !== "undefined" && global.Buffer) { + return new global.Buffer(data).toString("base64"); + } + return data; +}; + +// src/keys.ts +var PUBLISHABLE_KEY_LIVE_PREFIX = "pk_live_"; +var PUBLISHABLE_KEY_TEST_PREFIX = "pk_test_"; +var PUBLISHABLE_FRONTEND_API_DEV_REGEX = /^(([a-z]+)-){2}([0-9]{1,2})\.clerk\.accounts([a-z.]*)(dev|com)$/i; +function buildPublishableKey(frontendApi) { + const isDevKey = PUBLISHABLE_FRONTEND_API_DEV_REGEX.test(frontendApi) || frontendApi.startsWith("clerk.") && LEGACY_DEV_INSTANCE_SUFFIXES.some((s) => frontendApi.endsWith(s)); + const keyPrefix = isDevKey ? PUBLISHABLE_KEY_TEST_PREFIX : PUBLISHABLE_KEY_LIVE_PREFIX; + return `${keyPrefix}${isomorphicBtoa(`${frontendApi}$`)}`; +} +function parsePublishableKey(key, options = {}) { + key = key || ""; + if (!key || !isPublishableKey(key)) { + if (options.fatal && !key) { + throw new Error( + "Publishable key is missing. Ensure that your publishable key is correctly configured. Double-check your environment configuration for your keys, or access them here: https://dashboard.clerk.com/last-active?path=api-keys" + ); + } + if (options.fatal && !isPublishableKey(key)) { + throw new Error("Publishable key not valid."); + } + return null; + } + const instanceType = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) ? "production" : "development"; + let frontendApi = isomorphicAtob(key.split("_")[2]); + frontendApi = frontendApi.slice(0, -1); + if (options.proxyUrl) { + frontendApi = options.proxyUrl; + } else if (instanceType !== "development" && options.domain) { + frontendApi = `clerk.${options.domain}`; + } + return { + instanceType, + frontendApi + }; +} +function isPublishableKey(key = "") { + try { + const hasValidPrefix = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) || key.startsWith(PUBLISHABLE_KEY_TEST_PREFIX); + const hasValidFrontendApiPostfix = isomorphicAtob(key.split("_")[2] || "").endsWith("$"); + return hasValidPrefix && hasValidFrontendApiPostfix; + } catch { + return false; + } +} +function createDevOrStagingUrlCache() { + const devOrStagingUrlCache = /* @__PURE__ */ new Map(); + return { + isDevOrStagingUrl: (url) => { + if (!url) { + return false; + } + const hostname = typeof url === "string" ? url : url.hostname; + let res = devOrStagingUrlCache.get(hostname); + if (res === void 0) { + res = DEV_OR_STAGING_SUFFIXES.some((s) => hostname.endsWith(s)); + devOrStagingUrlCache.set(hostname, res); + } + return res; + } + }; +} +function isDevelopmentFromPublishableKey(apiKey) { + return apiKey.startsWith("test_") || apiKey.startsWith("pk_test_"); +} +function isProductionFromPublishableKey(apiKey) { + return apiKey.startsWith("live_") || apiKey.startsWith("pk_live_"); +} +function isDevelopmentFromSecretKey(apiKey) { + return apiKey.startsWith("test_") || apiKey.startsWith("sk_test_"); +} +function isProductionFromSecretKey(apiKey) { + return apiKey.startsWith("live_") || apiKey.startsWith("sk_live_"); +} +async function getCookieSuffix(publishableKey, subtle = globalThis.crypto.subtle) { + const data = new TextEncoder().encode(publishableKey); + const digest = await subtle.digest("sha-1", data); + const stringDigest = String.fromCharCode(...new Uint8Array(digest)); + return isomorphicBtoa(stringDigest).replace(/\+/gi, "-").replace(/\//gi, "_").substring(0, 8); +} +var getSuffixedCookieName = (cookieName, cookieSuffix) => { + return `${cookieName}_${cookieSuffix}`; +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + buildPublishableKey, + createDevOrStagingUrlCache, + getCookieSuffix, + getSuffixedCookieName, + isDevelopmentFromPublishableKey, + isDevelopmentFromSecretKey, + isProductionFromPublishableKey, + isProductionFromSecretKey, + isPublishableKey, + parsePublishableKey +}); +//# sourceMappingURL=keys.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.js.map new file mode 100644 index 000000000..0aaca590b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/keys.ts","../src/constants.ts","../src/isomorphicAtob.ts","../src/isomorphicBtoa.ts"],"sourcesContent":["import type { PublishableKey } from '@clerk/types';\n\nimport { DEV_OR_STAGING_SUFFIXES, LEGACY_DEV_INSTANCE_SUFFIXES } from './constants';\nimport { isomorphicAtob } from './isomorphicAtob';\nimport { isomorphicBtoa } from './isomorphicBtoa';\n\ntype ParsePublishableKeyOptions = {\n fatal?: boolean;\n domain?: string;\n proxyUrl?: string;\n};\n\nconst PUBLISHABLE_KEY_LIVE_PREFIX = 'pk_live_';\nconst PUBLISHABLE_KEY_TEST_PREFIX = 'pk_test_';\n\n// This regex matches the publishable like frontend API keys (e.g. foo-bar-13.clerk.accounts.dev)\nconst PUBLISHABLE_FRONTEND_API_DEV_REGEX = /^(([a-z]+)-){2}([0-9]{1,2})\\.clerk\\.accounts([a-z.]*)(dev|com)$/i;\n\nexport function buildPublishableKey(frontendApi: string): string {\n const isDevKey =\n PUBLISHABLE_FRONTEND_API_DEV_REGEX.test(frontendApi) ||\n (frontendApi.startsWith('clerk.') && LEGACY_DEV_INSTANCE_SUFFIXES.some(s => frontendApi.endsWith(s)));\n const keyPrefix = isDevKey ? PUBLISHABLE_KEY_TEST_PREFIX : PUBLISHABLE_KEY_LIVE_PREFIX;\n return `${keyPrefix}${isomorphicBtoa(`${frontendApi}$`)}`;\n}\n\nexport function parsePublishableKey(\n key: string | undefined,\n options: ParsePublishableKeyOptions & { fatal: true },\n): PublishableKey;\nexport function parsePublishableKey(\n key: string | undefined,\n options?: ParsePublishableKeyOptions,\n): PublishableKey | null;\nexport function parsePublishableKey(\n key: string | undefined,\n options: { fatal?: boolean; domain?: string; proxyUrl?: string } = {},\n): PublishableKey | null {\n key = key || '';\n\n if (!key || !isPublishableKey(key)) {\n if (options.fatal && !key) {\n throw new Error(\n 'Publishable key is missing. Ensure that your publishable key is correctly configured. Double-check your environment configuration for your keys, or access them here: https://dashboard.clerk.com/last-active?path=api-keys',\n );\n }\n if (options.fatal && !isPublishableKey(key)) {\n throw new Error('Publishable key not valid.');\n }\n return null;\n }\n\n const instanceType = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) ? 'production' : 'development';\n\n let frontendApi = isomorphicAtob(key.split('_')[2]);\n\n // TODO(@dimkl): validate packages/clerk-js/src/utils/instance.ts\n frontendApi = frontendApi.slice(0, -1);\n\n if (options.proxyUrl) {\n frontendApi = options.proxyUrl;\n } else if (instanceType !== 'development' && options.domain) {\n frontendApi = `clerk.${options.domain}`;\n }\n\n return {\n instanceType,\n frontendApi,\n };\n}\n\n/**\n * Checks if the provided key is a valid publishable key.\n *\n * @param key - The key to be checked. Defaults to an empty string if not provided.\n * @returns `true` if 'key' is a valid publishable key, `false` otherwise.\n */\nexport function isPublishableKey(key: string = '') {\n try {\n const hasValidPrefix = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) || key.startsWith(PUBLISHABLE_KEY_TEST_PREFIX);\n\n const hasValidFrontendApiPostfix = isomorphicAtob(key.split('_')[2] || '').endsWith('$');\n\n return hasValidPrefix && hasValidFrontendApiPostfix;\n } catch {\n return false;\n }\n}\n\nexport function createDevOrStagingUrlCache() {\n const devOrStagingUrlCache = new Map();\n\n return {\n isDevOrStagingUrl: (url: string | URL): boolean => {\n if (!url) {\n return false;\n }\n\n const hostname = typeof url === 'string' ? url : url.hostname;\n let res = devOrStagingUrlCache.get(hostname);\n if (res === undefined) {\n res = DEV_OR_STAGING_SUFFIXES.some(s => hostname.endsWith(s));\n devOrStagingUrlCache.set(hostname, res);\n }\n return res;\n },\n };\n}\n\nexport function isDevelopmentFromPublishableKey(apiKey: string): boolean {\n return apiKey.startsWith('test_') || apiKey.startsWith('pk_test_');\n}\n\nexport function isProductionFromPublishableKey(apiKey: string): boolean {\n return apiKey.startsWith('live_') || apiKey.startsWith('pk_live_');\n}\n\nexport function isDevelopmentFromSecretKey(apiKey: string): boolean {\n return apiKey.startsWith('test_') || apiKey.startsWith('sk_test_');\n}\n\nexport function isProductionFromSecretKey(apiKey: string): boolean {\n return apiKey.startsWith('live_') || apiKey.startsWith('sk_live_');\n}\n\nexport async function getCookieSuffix(\n publishableKey: string,\n subtle: SubtleCrypto = globalThis.crypto.subtle,\n): Promise {\n const data = new TextEncoder().encode(publishableKey);\n const digest = await subtle.digest('sha-1', data);\n const stringDigest = String.fromCharCode(...new Uint8Array(digest));\n // Base 64 Encoding with URL and Filename Safe Alphabet: https://datatracker.ietf.org/doc/html/rfc4648#section-5\n return isomorphicBtoa(stringDigest).replace(/\\+/gi, '-').replace(/\\//gi, '_').substring(0, 8);\n}\n\nexport const getSuffixedCookieName = (cookieName: string, cookieSuffix: string): string => {\n return `${cookieName}_${cookieSuffix}`;\n};\n","export const LEGACY_DEV_INSTANCE_SUFFIXES = ['.lcl.dev', '.lclstage.dev', '.lclclerk.com'];\nexport const CURRENT_DEV_INSTANCE_SUFFIXES = ['.accounts.dev', '.accountsstage.dev', '.accounts.lclclerk.com'];\nexport const DEV_OR_STAGING_SUFFIXES = [\n '.lcl.dev',\n '.stg.dev',\n '.lclstage.dev',\n '.stgstage.dev',\n '.dev.lclclerk.com',\n '.stg.lclclerk.com',\n '.accounts.lclclerk.com',\n 'accountsstage.dev',\n 'accounts.dev',\n];\nexport const LOCAL_ENV_SUFFIXES = ['.lcl.dev', 'lclstage.dev', '.lclclerk.com', '.accounts.lclclerk.com'];\nexport const STAGING_ENV_SUFFIXES = ['.accountsstage.dev'];\nexport const LOCAL_API_URL = 'https://api.lclclerk.com';\nexport const STAGING_API_URL = 'https://api.clerkstage.dev';\nexport const PROD_API_URL = 'https://api.clerk.com';\n\n/**\n * Returns the URL for a static image\n * using the new img.clerk.com service\n */\nexport function iconImageUrl(id: string, format: 'svg' | 'jpeg' = 'svg'): string {\n return `https://img.clerk.com/static/${id}.${format}`;\n}\n","/**\n * A function that decodes a string of data which has been encoded using base-64 encoding.\n * Uses `atob` if available, otherwise uses `Buffer` from `global`. If neither are available, returns the data as-is.\n */\nexport const isomorphicAtob = (data: string) => {\n if (typeof atob !== 'undefined' && typeof atob === 'function') {\n return atob(data);\n } else if (typeof global !== 'undefined' && global.Buffer) {\n return new global.Buffer(data, 'base64').toString();\n }\n return data;\n};\n","export const isomorphicBtoa = (data: string) => {\n if (typeof btoa !== 'undefined' && typeof btoa === 'function') {\n return btoa(data);\n } else if (typeof global !== 'undefined' && global.Buffer) {\n return new global.Buffer(data).toString('base64');\n }\n return data;\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACAO,IAAM,+BAA+B,CAAC,YAAY,iBAAiB,eAAe;AAElF,IAAM,0BAA0B;AAAA,EACrC;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AACF;;;ACRO,IAAM,iBAAiB,CAAC,SAAiB;AAC9C,MAAI,OAAO,SAAS,eAAe,OAAO,SAAS,YAAY;AAC7D,WAAO,KAAK,IAAI;AAAA,EAClB,WAAW,OAAO,WAAW,eAAe,OAAO,QAAQ;AACzD,WAAO,IAAI,OAAO,OAAO,MAAM,QAAQ,EAAE,SAAS;AAAA,EACpD;AACA,SAAO;AACT;;;ACXO,IAAM,iBAAiB,CAAC,SAAiB;AAC9C,MAAI,OAAO,SAAS,eAAe,OAAO,SAAS,YAAY;AAC7D,WAAO,KAAK,IAAI;AAAA,EAClB,WAAW,OAAO,WAAW,eAAe,OAAO,QAAQ;AACzD,WAAO,IAAI,OAAO,OAAO,IAAI,EAAE,SAAS,QAAQ;AAAA,EAClD;AACA,SAAO;AACT;;;AHKA,IAAM,8BAA8B;AACpC,IAAM,8BAA8B;AAGpC,IAAM,qCAAqC;AAEpC,SAAS,oBAAoB,aAA6B;AAC/D,QAAM,WACJ,mCAAmC,KAAK,WAAW,KAClD,YAAY,WAAW,QAAQ,KAAK,6BAA6B,KAAK,OAAK,YAAY,SAAS,CAAC,CAAC;AACrG,QAAM,YAAY,WAAW,8BAA8B;AAC3D,SAAO,GAAG,SAAS,GAAG,eAAe,GAAG,WAAW,GAAG,CAAC;AACzD;AAUO,SAAS,oBACd,KACA,UAAmE,CAAC,GAC7C;AACvB,QAAM,OAAO;AAEb,MAAI,CAAC,OAAO,CAAC,iBAAiB,GAAG,GAAG;AAClC,QAAI,QAAQ,SAAS,CAAC,KAAK;AACzB,YAAM,IAAI;AAAA,QACR;AAAA,MACF;AAAA,IACF;AACA,QAAI,QAAQ,SAAS,CAAC,iBAAiB,GAAG,GAAG;AAC3C,YAAM,IAAI,MAAM,4BAA4B;AAAA,IAC9C;AACA,WAAO;AAAA,EACT;AAEA,QAAM,eAAe,IAAI,WAAW,2BAA2B,IAAI,eAAe;AAElF,MAAI,cAAc,eAAe,IAAI,MAAM,GAAG,EAAE,CAAC,CAAC;AAGlD,gBAAc,YAAY,MAAM,GAAG,EAAE;AAErC,MAAI,QAAQ,UAAU;AACpB,kBAAc,QAAQ;AAAA,EACxB,WAAW,iBAAiB,iBAAiB,QAAQ,QAAQ;AAC3D,kBAAc,SAAS,QAAQ,MAAM;AAAA,EACvC;AAEA,SAAO;AAAA,IACL;AAAA,IACA;AAAA,EACF;AACF;AAQO,SAAS,iBAAiB,MAAc,IAAI;AACjD,MAAI;AACF,UAAM,iBAAiB,IAAI,WAAW,2BAA2B,KAAK,IAAI,WAAW,2BAA2B;AAEhH,UAAM,6BAA6B,eAAe,IAAI,MAAM,GAAG,EAAE,CAAC,KAAK,EAAE,EAAE,SAAS,GAAG;AAEvF,WAAO,kBAAkB;AAAA,EAC3B,QAAQ;AACN,WAAO;AAAA,EACT;AACF;AAEO,SAAS,6BAA6B;AAC3C,QAAM,uBAAuB,oBAAI,IAAqB;AAEtD,SAAO;AAAA,IACL,mBAAmB,CAAC,QAA+B;AACjD,UAAI,CAAC,KAAK;AACR,eAAO;AAAA,MACT;AAEA,YAAM,WAAW,OAAO,QAAQ,WAAW,MAAM,IAAI;AACrD,UAAI,MAAM,qBAAqB,IAAI,QAAQ;AAC3C,UAAI,QAAQ,QAAW;AACrB,cAAM,wBAAwB,KAAK,OAAK,SAAS,SAAS,CAAC,CAAC;AAC5D,6BAAqB,IAAI,UAAU,GAAG;AAAA,MACxC;AACA,aAAO;AAAA,IACT;AAAA,EACF;AACF;AAEO,SAAS,gCAAgC,QAAyB;AACvE,SAAO,OAAO,WAAW,OAAO,KAAK,OAAO,WAAW,UAAU;AACnE;AAEO,SAAS,+BAA+B,QAAyB;AACtE,SAAO,OAAO,WAAW,OAAO,KAAK,OAAO,WAAW,UAAU;AACnE;AAEO,SAAS,2BAA2B,QAAyB;AAClE,SAAO,OAAO,WAAW,OAAO,KAAK,OAAO,WAAW,UAAU;AACnE;AAEO,SAAS,0BAA0B,QAAyB;AACjE,SAAO,OAAO,WAAW,OAAO,KAAK,OAAO,WAAW,UAAU;AACnE;AAEA,eAAsB,gBACpB,gBACA,SAAuB,WAAW,OAAO,QACxB;AACjB,QAAM,OAAO,IAAI,YAAY,EAAE,OAAO,cAAc;AACpD,QAAM,SAAS,MAAM,OAAO,OAAO,SAAS,IAAI;AAChD,QAAM,eAAe,OAAO,aAAa,GAAG,IAAI,WAAW,MAAM,CAAC;AAElE,SAAO,eAAe,YAAY,EAAE,QAAQ,QAAQ,GAAG,EAAE,QAAQ,QAAQ,GAAG,EAAE,UAAU,GAAG,CAAC;AAC9F;AAEO,IAAM,wBAAwB,CAAC,YAAoB,iBAAiC;AACzF,SAAO,GAAG,UAAU,IAAI,YAAY;AACtC;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.mjs new file mode 100644 index 000000000..9b01e3d19 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.mjs @@ -0,0 +1,29 @@ +import { + buildPublishableKey, + createDevOrStagingUrlCache, + getCookieSuffix, + getSuffixedCookieName, + isDevelopmentFromPublishableKey, + isDevelopmentFromSecretKey, + isProductionFromPublishableKey, + isProductionFromSecretKey, + isPublishableKey, + parsePublishableKey +} from "./chunk-G3VP5PJE.mjs"; +import "./chunk-TETGTEI2.mjs"; +import "./chunk-KOH7GTJO.mjs"; +import "./chunk-I6MTSTOF.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + buildPublishableKey, + createDevOrStagingUrlCache, + getCookieSuffix, + getSuffixedCookieName, + isDevelopmentFromPublishableKey, + isDevelopmentFromSecretKey, + isProductionFromPublishableKey, + isProductionFromSecretKey, + isPublishableKey, + parsePublishableKey +}; +//# sourceMappingURL=keys.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/keys.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.d.mts new file mode 100644 index 000000000..48335cff1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.d.mts @@ -0,0 +1,48 @@ +import { Without, ClerkOptions, SDKMetadata } from '@clerk/types'; + +/** + * Sets the package name for error messages during ClerkJS script loading. + * + * @example + * setClerkJsLoadingErrorPackageName('@clerk/clerk-react'); + */ +declare function setClerkJsLoadingErrorPackageName(packageName: string): void; +type LoadClerkJsScriptOptions = Without & { + publishableKey: string; + clerkJSUrl?: string; + clerkJSVariant?: 'headless' | ''; + clerkJSVersion?: string; + sdkMetadata?: SDKMetadata; + proxyUrl?: string; + domain?: string; + nonce?: string; +}; +/** + * Hotloads the Clerk JS script. + * + * Checks for an existing Clerk JS script. If found, it returns a promise + * that resolves when the script loads. If not found, it uses the provided options to + * build the Clerk JS script URL and load the script. + * + * @param opts - The options used to build the Clerk JS script URL and load the script. + * Must include a `publishableKey` if no existing script is found. + * + * @example + * loadClerkJsScript({ publishableKey: 'pk_' }); + */ +declare const loadClerkJsScript: (opts?: LoadClerkJsScriptOptions) => Promise; +/** + * Generates a Clerk JS script URL. + * + * @param opts - The options to use when building the Clerk JS script URL. + * + * @example + * clerkJsScriptUrl({ publishableKey: 'pk_' }); + */ +declare const clerkJsScriptUrl: (opts: LoadClerkJsScriptOptions) => string; +/** + * Builds an object of Clerk JS script attributes. + */ +declare const buildClerkJsScriptAttributes: (options: LoadClerkJsScriptOptions) => Record; + +export { type LoadClerkJsScriptOptions, buildClerkJsScriptAttributes, clerkJsScriptUrl, loadClerkJsScript, setClerkJsLoadingErrorPackageName }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.d.ts new file mode 100644 index 000000000..48335cff1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.d.ts @@ -0,0 +1,48 @@ +import { Without, ClerkOptions, SDKMetadata } from '@clerk/types'; + +/** + * Sets the package name for error messages during ClerkJS script loading. + * + * @example + * setClerkJsLoadingErrorPackageName('@clerk/clerk-react'); + */ +declare function setClerkJsLoadingErrorPackageName(packageName: string): void; +type LoadClerkJsScriptOptions = Without & { + publishableKey: string; + clerkJSUrl?: string; + clerkJSVariant?: 'headless' | ''; + clerkJSVersion?: string; + sdkMetadata?: SDKMetadata; + proxyUrl?: string; + domain?: string; + nonce?: string; +}; +/** + * Hotloads the Clerk JS script. + * + * Checks for an existing Clerk JS script. If found, it returns a promise + * that resolves when the script loads. If not found, it uses the provided options to + * build the Clerk JS script URL and load the script. + * + * @param opts - The options used to build the Clerk JS script URL and load the script. + * Must include a `publishableKey` if no existing script is found. + * + * @example + * loadClerkJsScript({ publishableKey: 'pk_' }); + */ +declare const loadClerkJsScript: (opts?: LoadClerkJsScriptOptions) => Promise; +/** + * Generates a Clerk JS script URL. + * + * @param opts - The options to use when building the Clerk JS script URL. + * + * @example + * clerkJsScriptUrl({ publishableKey: 'pk_' }); + */ +declare const clerkJsScriptUrl: (opts: LoadClerkJsScriptOptions) => string; +/** + * Builds an object of Clerk JS script attributes. + */ +declare const buildClerkJsScriptAttributes: (options: LoadClerkJsScriptOptions) => Record; + +export { type LoadClerkJsScriptOptions, buildClerkJsScriptAttributes, clerkJsScriptUrl, loadClerkJsScript, setClerkJsLoadingErrorPackageName }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.js new file mode 100644 index 000000000..a96c9fead --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.js @@ -0,0 +1,390 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/loadClerkJsScript.ts +var loadClerkJsScript_exports = {}; +__export(loadClerkJsScript_exports, { + buildClerkJsScriptAttributes: () => buildClerkJsScriptAttributes, + clerkJsScriptUrl: () => clerkJsScriptUrl, + loadClerkJsScript: () => loadClerkJsScript, + setClerkJsLoadingErrorPackageName: () => setClerkJsLoadingErrorPackageName +}); +module.exports = __toCommonJS(loadClerkJsScript_exports); + +// src/error.ts +var DefaultMessages = Object.freeze({ + InvalidProxyUrlErrorMessage: `The proxyUrl passed to Clerk is invalid. The expected value for proxyUrl is an absolute URL or a relative path with a leading '/'. (key={{url}})`, + InvalidPublishableKeyErrorMessage: `The publishableKey passed to Clerk is invalid. You can get your Publishable key at https://dashboard.clerk.com/last-active?path=api-keys. (key={{key}})`, + MissingPublishableKeyErrorMessage: `Missing publishableKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`, + MissingSecretKeyErrorMessage: `Missing secretKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`, + MissingClerkProvider: `{{source}} can only be used within the component. Learn more: https://clerk.com/docs/components/clerk-provider` +}); +function buildErrorThrower({ packageName, customMessages }) { + let pkg = packageName; + const messages = { + ...DefaultMessages, + ...customMessages + }; + function buildMessage(rawMessage, replacements) { + if (!replacements) { + return `${pkg}: ${rawMessage}`; + } + let msg = rawMessage; + const matches = rawMessage.matchAll(/{{([a-zA-Z0-9-_]+)}}/g); + for (const match of matches) { + const replacement = (replacements[match[1]] || "").toString(); + msg = msg.replace(`{{${match[1]}}}`, replacement); + } + return `${pkg}: ${msg}`; + } + return { + setPackageName({ packageName: packageName2 }) { + if (typeof packageName2 === "string") { + pkg = packageName2; + } + return this; + }, + setMessages({ customMessages: customMessages2 }) { + Object.assign(messages, customMessages2 || {}); + return this; + }, + throwInvalidPublishableKeyError(params) { + throw new Error(buildMessage(messages.InvalidPublishableKeyErrorMessage, params)); + }, + throwInvalidProxyUrl(params) { + throw new Error(buildMessage(messages.InvalidProxyUrlErrorMessage, params)); + }, + throwMissingPublishableKeyError() { + throw new Error(buildMessage(messages.MissingPublishableKeyErrorMessage)); + }, + throwMissingSecretKeyError() { + throw new Error(buildMessage(messages.MissingSecretKeyErrorMessage)); + }, + throwMissingClerkProviderError(params) { + throw new Error(buildMessage(messages.MissingClerkProvider, params)); + }, + throw(message) { + throw new Error(buildMessage(message)); + } + }; +} + +// src/constants.ts +var DEV_OR_STAGING_SUFFIXES = [ + ".lcl.dev", + ".stg.dev", + ".lclstage.dev", + ".stgstage.dev", + ".dev.lclclerk.com", + ".stg.lclclerk.com", + ".accounts.lclclerk.com", + "accountsstage.dev", + "accounts.dev" +]; + +// src/isomorphicAtob.ts +var isomorphicAtob = (data) => { + if (typeof atob !== "undefined" && typeof atob === "function") { + return atob(data); + } else if (typeof global !== "undefined" && global.Buffer) { + return new global.Buffer(data, "base64").toString(); + } + return data; +}; + +// src/keys.ts +var PUBLISHABLE_KEY_LIVE_PREFIX = "pk_live_"; +var PUBLISHABLE_KEY_TEST_PREFIX = "pk_test_"; +function parsePublishableKey(key, options = {}) { + key = key || ""; + if (!key || !isPublishableKey(key)) { + if (options.fatal && !key) { + throw new Error( + "Publishable key is missing. Ensure that your publishable key is correctly configured. Double-check your environment configuration for your keys, or access them here: https://dashboard.clerk.com/last-active?path=api-keys" + ); + } + if (options.fatal && !isPublishableKey(key)) { + throw new Error("Publishable key not valid."); + } + return null; + } + const instanceType = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) ? "production" : "development"; + let frontendApi = isomorphicAtob(key.split("_")[2]); + frontendApi = frontendApi.slice(0, -1); + if (options.proxyUrl) { + frontendApi = options.proxyUrl; + } else if (instanceType !== "development" && options.domain) { + frontendApi = `clerk.${options.domain}`; + } + return { + instanceType, + frontendApi + }; +} +function isPublishableKey(key = "") { + try { + const hasValidPrefix = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) || key.startsWith(PUBLISHABLE_KEY_TEST_PREFIX); + const hasValidFrontendApiPostfix = isomorphicAtob(key.split("_")[2] || "").endsWith("$"); + return hasValidPrefix && hasValidFrontendApiPostfix; + } catch { + return false; + } +} +function createDevOrStagingUrlCache() { + const devOrStagingUrlCache = /* @__PURE__ */ new Map(); + return { + isDevOrStagingUrl: (url) => { + if (!url) { + return false; + } + const hostname = typeof url === "string" ? url : url.hostname; + let res = devOrStagingUrlCache.get(hostname); + if (res === void 0) { + res = DEV_OR_STAGING_SUFFIXES.some((s) => hostname.endsWith(s)); + devOrStagingUrlCache.set(hostname, res); + } + return res; + } + }; +} + +// src/retry.ts +var defaultOptions = { + initialDelay: 125, + maxDelayBetweenRetries: 0, + factor: 2, + shouldRetry: (_, iteration) => iteration < 5, + retryImmediately: true, + jitter: true +}; +var RETRY_IMMEDIATELY_DELAY = 100; +var sleep = async (ms) => new Promise((s) => setTimeout(s, ms)); +var applyJitter = (delay, jitter) => { + return jitter ? delay * (1 + Math.random()) : delay; +}; +var createExponentialDelayAsyncFn = (opts) => { + let timesCalled = 0; + const calculateDelayInMs = () => { + const constant = opts.initialDelay; + const base = opts.factor; + let delay = constant * Math.pow(base, timesCalled); + delay = applyJitter(delay, opts.jitter); + return Math.min(opts.maxDelayBetweenRetries || delay, delay); + }; + return async () => { + await sleep(calculateDelayInMs()); + timesCalled++; + }; +}; +var retry = async (callback, options = {}) => { + let iterations = 0; + const { shouldRetry, initialDelay, maxDelayBetweenRetries, factor, retryImmediately, jitter } = { + ...defaultOptions, + ...options + }; + const delay = createExponentialDelayAsyncFn({ + initialDelay, + maxDelayBetweenRetries, + factor, + jitter + }); + while (true) { + try { + return await callback(); + } catch (e) { + iterations++; + if (!shouldRetry(e, iterations)) { + throw e; + } + if (retryImmediately && iterations === 1) { + await sleep(applyJitter(RETRY_IMMEDIATELY_DELAY, jitter)); + } else { + await delay(); + } + } + } +}; + +// src/loadScript.ts +var NO_DOCUMENT_ERROR = "loadScript cannot be called when document does not exist"; +var NO_SRC_ERROR = "loadScript cannot be called without a src"; +async function loadScript(src = "", opts) { + const { async, defer, beforeLoad, crossOrigin, nonce } = opts || {}; + const load = () => { + return new Promise((resolve, reject) => { + if (!src) { + reject(new Error(NO_SRC_ERROR)); + } + if (!document || !document.body) { + reject(NO_DOCUMENT_ERROR); + } + const script = document.createElement("script"); + if (crossOrigin) script.setAttribute("crossorigin", crossOrigin); + script.async = async || false; + script.defer = defer || false; + script.addEventListener("load", () => { + script.remove(); + resolve(script); + }); + script.addEventListener("error", () => { + script.remove(); + reject(); + }); + script.src = src; + script.nonce = nonce; + beforeLoad?.(script); + document.body.appendChild(script); + }); + }; + return retry(load, { shouldRetry: (_, iterations) => iterations <= 5 }); +} + +// src/proxy.ts +function isValidProxyUrl(key) { + if (!key) { + return true; + } + return isHttpOrHttps(key) || isProxyUrlRelative(key); +} +function isHttpOrHttps(key) { + return /^http(s)?:\/\//.test(key || ""); +} +function isProxyUrlRelative(key) { + return key.startsWith("/"); +} +function proxyUrlToAbsoluteURL(url) { + if (!url) { + return ""; + } + return isProxyUrlRelative(url) ? new URL(url, window.location.origin).toString() : url; +} + +// src/url.ts +function addClerkPrefix(str) { + if (!str) { + return ""; + } + let regex; + if (str.match(/^(clerk\.)+\w*$/)) { + regex = /(clerk\.)*(?=clerk\.)/; + } else if (str.match(/\.clerk.accounts/)) { + return str; + } else { + regex = /^(clerk\.)*/gi; + } + const stripped = str.replace(regex, ""); + return `clerk.${stripped}`; +} + +// src/versionSelector.ts +var versionSelector = (clerkJSVersion, packageVersion = "5.54.0") => { + if (clerkJSVersion) { + return clerkJSVersion; + } + const prereleaseTag = getPrereleaseTag(packageVersion); + if (prereleaseTag) { + if (prereleaseTag === "snapshot") { + return "5.54.0"; + } + return prereleaseTag; + } + return getMajorVersion(packageVersion); +}; +var getPrereleaseTag = (packageVersion) => packageVersion.trim().replace(/^v/, "").match(/-(.+?)(\.|$)/)?.[1]; +var getMajorVersion = (packageVersion) => packageVersion.trim().replace(/^v/, "").split(".")[0]; + +// src/loadClerkJsScript.ts +var FAILED_TO_LOAD_ERROR = "Clerk: Failed to load Clerk"; +var { isDevOrStagingUrl } = createDevOrStagingUrlCache(); +var errorThrower = buildErrorThrower({ packageName: "@clerk/shared" }); +function setClerkJsLoadingErrorPackageName(packageName) { + errorThrower.setPackageName({ packageName }); +} +var loadClerkJsScript = async (opts) => { + const existingScript = document.querySelector("script[data-clerk-js-script]"); + if (existingScript) { + return new Promise((resolve, reject) => { + existingScript.addEventListener("load", () => { + resolve(existingScript); + }); + existingScript.addEventListener("error", () => { + reject(FAILED_TO_LOAD_ERROR); + }); + }); + } + if (!opts?.publishableKey) { + errorThrower.throwMissingPublishableKeyError(); + return; + } + return loadScript(clerkJsScriptUrl(opts), { + async: true, + crossOrigin: "anonymous", + nonce: opts.nonce, + beforeLoad: applyClerkJsScriptAttributes(opts) + }).catch(() => { + throw new Error(FAILED_TO_LOAD_ERROR); + }); +}; +var clerkJsScriptUrl = (opts) => { + const { clerkJSUrl, clerkJSVariant, clerkJSVersion, proxyUrl, domain, publishableKey } = opts; + if (clerkJSUrl) { + return clerkJSUrl; + } + let scriptHost = ""; + if (!!proxyUrl && isValidProxyUrl(proxyUrl)) { + scriptHost = proxyUrlToAbsoluteURL(proxyUrl).replace(/http(s)?:\/\//, ""); + } else if (domain && !isDevOrStagingUrl(parsePublishableKey(publishableKey)?.frontendApi || "")) { + scriptHost = addClerkPrefix(domain); + } else { + scriptHost = parsePublishableKey(publishableKey)?.frontendApi || ""; + } + const variant = clerkJSVariant ? `${clerkJSVariant.replace(/\.+$/, "")}.` : ""; + const version = versionSelector(clerkJSVersion); + return `https://${scriptHost}/npm/@clerk/clerk-js@${version}/dist/clerk.${variant}browser.js`; +}; +var buildClerkJsScriptAttributes = (options) => { + const obj = {}; + if (options.publishableKey) { + obj["data-clerk-publishable-key"] = options.publishableKey; + } + if (options.proxyUrl) { + obj["data-clerk-proxy-url"] = options.proxyUrl; + } + if (options.domain) { + obj["data-clerk-domain"] = options.domain; + } + if (options.nonce) { + obj.nonce = options.nonce; + } + return obj; +}; +var applyClerkJsScriptAttributes = (options) => (script) => { + const attributes = buildClerkJsScriptAttributes(options); + for (const attribute in attributes) { + script.setAttribute(attribute, attributes[attribute]); + } +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + buildClerkJsScriptAttributes, + clerkJsScriptUrl, + loadClerkJsScript, + setClerkJsLoadingErrorPackageName +}); +//# sourceMappingURL=loadClerkJsScript.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.js.map new file mode 100644 index 000000000..0b100a100 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/loadClerkJsScript.ts","../src/error.ts","../src/constants.ts","../src/isomorphicAtob.ts","../src/keys.ts","../src/retry.ts","../src/loadScript.ts","../src/proxy.ts","../src/url.ts","../src/versionSelector.ts"],"sourcesContent":["import type { ClerkOptions, SDKMetadata, Without } from '@clerk/types';\n\nimport { buildErrorThrower } from './error';\nimport { createDevOrStagingUrlCache, parsePublishableKey } from './keys';\nimport { loadScript } from './loadScript';\nimport { isValidProxyUrl, proxyUrlToAbsoluteURL } from './proxy';\nimport { addClerkPrefix } from './url';\nimport { versionSelector } from './versionSelector';\n\nconst FAILED_TO_LOAD_ERROR = 'Clerk: Failed to load Clerk';\n\nconst { isDevOrStagingUrl } = createDevOrStagingUrlCache();\n\nconst errorThrower = buildErrorThrower({ packageName: '@clerk/shared' });\n\n/**\n * Sets the package name for error messages during ClerkJS script loading.\n *\n * @example\n * setClerkJsLoadingErrorPackageName('@clerk/clerk-react');\n */\nexport function setClerkJsLoadingErrorPackageName(packageName: string) {\n errorThrower.setPackageName({ packageName });\n}\n\ntype LoadClerkJsScriptOptions = Without & {\n publishableKey: string;\n clerkJSUrl?: string;\n clerkJSVariant?: 'headless' | '';\n clerkJSVersion?: string;\n sdkMetadata?: SDKMetadata;\n proxyUrl?: string;\n domain?: string;\n nonce?: string;\n};\n\n/**\n * Hotloads the Clerk JS script.\n *\n * Checks for an existing Clerk JS script. If found, it returns a promise\n * that resolves when the script loads. If not found, it uses the provided options to\n * build the Clerk JS script URL and load the script.\n *\n * @param opts - The options used to build the Clerk JS script URL and load the script.\n * Must include a `publishableKey` if no existing script is found.\n *\n * @example\n * loadClerkJsScript({ publishableKey: 'pk_' });\n */\nconst loadClerkJsScript = async (opts?: LoadClerkJsScriptOptions) => {\n const existingScript = document.querySelector('script[data-clerk-js-script]');\n\n if (existingScript) {\n return new Promise((resolve, reject) => {\n existingScript.addEventListener('load', () => {\n resolve(existingScript);\n });\n\n existingScript.addEventListener('error', () => {\n reject(FAILED_TO_LOAD_ERROR);\n });\n });\n }\n\n if (!opts?.publishableKey) {\n errorThrower.throwMissingPublishableKeyError();\n return;\n }\n\n return loadScript(clerkJsScriptUrl(opts), {\n async: true,\n crossOrigin: 'anonymous',\n nonce: opts.nonce,\n beforeLoad: applyClerkJsScriptAttributes(opts),\n }).catch(() => {\n throw new Error(FAILED_TO_LOAD_ERROR);\n });\n};\n\n/**\n * Generates a Clerk JS script URL.\n *\n * @param opts - The options to use when building the Clerk JS script URL.\n *\n * @example\n * clerkJsScriptUrl({ publishableKey: 'pk_' });\n */\nconst clerkJsScriptUrl = (opts: LoadClerkJsScriptOptions) => {\n const { clerkJSUrl, clerkJSVariant, clerkJSVersion, proxyUrl, domain, publishableKey } = opts;\n\n if (clerkJSUrl) {\n return clerkJSUrl;\n }\n\n let scriptHost = '';\n if (!!proxyUrl && isValidProxyUrl(proxyUrl)) {\n scriptHost = proxyUrlToAbsoluteURL(proxyUrl).replace(/http(s)?:\\/\\//, '');\n } else if (domain && !isDevOrStagingUrl(parsePublishableKey(publishableKey)?.frontendApi || '')) {\n scriptHost = addClerkPrefix(domain);\n } else {\n scriptHost = parsePublishableKey(publishableKey)?.frontendApi || '';\n }\n\n const variant = clerkJSVariant ? `${clerkJSVariant.replace(/\\.+$/, '')}.` : '';\n const version = versionSelector(clerkJSVersion);\n return `https://${scriptHost}/npm/@clerk/clerk-js@${version}/dist/clerk.${variant}browser.js`;\n};\n\n/**\n * Builds an object of Clerk JS script attributes.\n */\nconst buildClerkJsScriptAttributes = (options: LoadClerkJsScriptOptions) => {\n const obj: Record = {};\n\n if (options.publishableKey) {\n obj['data-clerk-publishable-key'] = options.publishableKey;\n }\n\n if (options.proxyUrl) {\n obj['data-clerk-proxy-url'] = options.proxyUrl;\n }\n\n if (options.domain) {\n obj['data-clerk-domain'] = options.domain;\n }\n\n if (options.nonce) {\n obj.nonce = options.nonce;\n }\n\n return obj;\n};\n\nconst applyClerkJsScriptAttributes = (options: LoadClerkJsScriptOptions) => (script: HTMLScriptElement) => {\n const attributes = buildClerkJsScriptAttributes(options);\n for (const attribute in attributes) {\n script.setAttribute(attribute, attributes[attribute]);\n }\n};\n\nexport { loadClerkJsScript, buildClerkJsScriptAttributes, clerkJsScriptUrl };\nexport type { LoadClerkJsScriptOptions };\n","import type { ClerkAPIError, ClerkAPIErrorJSON } from '@clerk/types';\n\nexport function isUnauthorizedError(e: any): boolean {\n const status = e?.status;\n const code = e?.errors?.[0]?.code;\n return code === 'authentication_invalid' && status === 401;\n}\n\nexport function isCaptchaError(e: ClerkAPIResponseError): boolean {\n return ['captcha_invalid', 'captcha_not_enabled', 'captcha_missing_token'].includes(e.errors[0].code);\n}\n\nexport function is4xxError(e: any): boolean {\n const status = e?.status;\n return !!status && status >= 400 && status < 500;\n}\n\nexport function isNetworkError(e: any): boolean {\n // TODO: revise during error handling epic\n const message = (`${e.message}${e.name}` || '').toLowerCase().replace(/\\s+/g, '');\n return message.includes('networkerror');\n}\n\ninterface ClerkAPIResponseOptions {\n data: ClerkAPIErrorJSON[];\n status: number;\n clerkTraceId?: string;\n}\n\n// For a comprehensive Metamask error list, please see\n// https://docs.metamask.io/guide/ethereum-provider.html#errors\nexport interface MetamaskError extends Error {\n code: 4001 | 32602 | 32603;\n message: string;\n data?: unknown;\n}\n\nexport function isKnownError(error: any): error is ClerkAPIResponseError | ClerkRuntimeError | MetamaskError {\n return isClerkAPIResponseError(error) || isMetamaskError(error) || isClerkRuntimeError(error);\n}\n\nexport function isClerkAPIResponseError(err: any): err is ClerkAPIResponseError {\n return 'clerkError' in err;\n}\n\n/**\n * Checks if the provided error object is an instance of ClerkRuntimeError.\n *\n * @param {any} err - The error object to check.\n * @returns {boolean} True if the error is a ClerkRuntimeError, false otherwise.\n *\n * @example\n * const error = new ClerkRuntimeError('An error occurred');\n * if (isClerkRuntimeError(error)) {\n * // Handle ClerkRuntimeError\n * console.error('ClerkRuntimeError:', error.message);\n * } else {\n * // Handle other errors\n * console.error('Other error:', error.message);\n * }\n */\nexport function isClerkRuntimeError(err: any): err is ClerkRuntimeError {\n return 'clerkRuntimeError' in err;\n}\n\nexport function isMetamaskError(err: any): err is MetamaskError {\n return 'code' in err && [4001, 32602, 32603].includes(err.code) && 'message' in err;\n}\n\nexport function isUserLockedError(err: any) {\n return isClerkAPIResponseError(err) && err.errors?.[0]?.code === 'user_locked';\n}\n\nexport function isPasswordPwnedError(err: any) {\n return isClerkAPIResponseError(err) && err.errors?.[0]?.code === 'form_password_pwned';\n}\n\nexport function parseErrors(data: ClerkAPIErrorJSON[] = []): ClerkAPIError[] {\n return data.length > 0 ? data.map(parseError) : [];\n}\n\nexport function parseError(error: ClerkAPIErrorJSON): ClerkAPIError {\n return {\n code: error.code,\n message: error.message,\n longMessage: error.long_message,\n meta: {\n paramName: error?.meta?.param_name,\n sessionId: error?.meta?.session_id,\n emailAddresses: error?.meta?.email_addresses,\n identifiers: error?.meta?.identifiers,\n zxcvbn: error?.meta?.zxcvbn,\n },\n };\n}\n\nexport function errorToJSON(error: ClerkAPIError | null): ClerkAPIErrorJSON {\n return {\n code: error?.code || '',\n message: error?.message || '',\n long_message: error?.longMessage,\n meta: {\n param_name: error?.meta?.paramName,\n session_id: error?.meta?.sessionId,\n email_addresses: error?.meta?.emailAddresses,\n identifiers: error?.meta?.identifiers,\n zxcvbn: error?.meta?.zxcvbn,\n },\n };\n}\n\nexport class ClerkAPIResponseError extends Error {\n clerkError: true;\n\n status: number;\n message: string;\n clerkTraceId?: string;\n\n errors: ClerkAPIError[];\n\n constructor(message: string, { data, status, clerkTraceId }: ClerkAPIResponseOptions) {\n super(message);\n\n Object.setPrototypeOf(this, ClerkAPIResponseError.prototype);\n\n this.status = status;\n this.message = message;\n this.clerkTraceId = clerkTraceId;\n this.clerkError = true;\n this.errors = parseErrors(data);\n }\n\n public toString = () => {\n let message = `[${this.name}]\\nMessage:${this.message}\\nStatus:${this.status}\\nSerialized errors: ${this.errors.map(\n e => JSON.stringify(e),\n )}`;\n\n if (this.clerkTraceId) {\n message += `\\nClerk Trace ID: ${this.clerkTraceId}`;\n }\n\n return message;\n };\n}\n\n/**\n * Custom error class for representing Clerk runtime errors.\n *\n * @class ClerkRuntimeError\n * @example\n * throw new ClerkRuntimeError('An error occurred', { code: 'password_invalid' });\n */\nexport class ClerkRuntimeError extends Error {\n clerkRuntimeError: true;\n\n /**\n * The error message.\n *\n * @type {string}\n * @memberof ClerkRuntimeError\n */\n message: string;\n\n /**\n * A unique code identifying the error, can be used for localization.\n *\n * @type {string}\n * @memberof ClerkRuntimeError\n */\n code: string;\n\n constructor(message: string, { code }: { code: string }) {\n const prefix = '🔒 Clerk:';\n const regex = new RegExp(prefix.replace(' ', '\\\\s*'), 'i');\n const sanitized = message.replace(regex, '');\n const _message = `${prefix} ${sanitized.trim()}\\n\\n(code=\"${code}\")\\n`;\n super(_message);\n\n Object.setPrototypeOf(this, ClerkRuntimeError.prototype);\n\n this.code = code;\n this.message = _message;\n this.clerkRuntimeError = true;\n this.name = 'ClerkRuntimeError';\n }\n\n /**\n * Returns a string representation of the error.\n *\n * @returns {string} A formatted string with the error name and message.\n * @memberof ClerkRuntimeError\n */\n public toString = () => {\n return `[${this.name}]\\nMessage:${this.message}`;\n };\n}\n\nexport class EmailLinkError extends Error {\n code: string;\n\n constructor(code: string) {\n super(code);\n this.code = code;\n this.name = 'EmailLinkError' as const;\n Object.setPrototypeOf(this, EmailLinkError.prototype);\n }\n}\n\nexport function isEmailLinkError(err: Error): err is EmailLinkError {\n return err.name === 'EmailLinkError';\n}\n\n/** @deprecated Please use `EmailLinkErrorCodeStatus` instead.*/\nexport const EmailLinkErrorCode = {\n Expired: 'expired',\n Failed: 'failed',\n ClientMismatch: 'client_mismatch',\n};\n\nexport const EmailLinkErrorCodeStatus = {\n Expired: 'expired',\n Failed: 'failed',\n ClientMismatch: 'client_mismatch',\n} as const;\n\nconst DefaultMessages = Object.freeze({\n InvalidProxyUrlErrorMessage: `The proxyUrl passed to Clerk is invalid. The expected value for proxyUrl is an absolute URL or a relative path with a leading '/'. (key={{url}})`,\n InvalidPublishableKeyErrorMessage: `The publishableKey passed to Clerk is invalid. You can get your Publishable key at https://dashboard.clerk.com/last-active?path=api-keys. (key={{key}})`,\n MissingPublishableKeyErrorMessage: `Missing publishableKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`,\n MissingSecretKeyErrorMessage: `Missing secretKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`,\n MissingClerkProvider: `{{source}} can only be used within the component. Learn more: https://clerk.com/docs/components/clerk-provider`,\n});\n\ntype MessageKeys = keyof typeof DefaultMessages;\n\ntype Messages = Record;\n\ntype CustomMessages = Partial;\n\nexport type ErrorThrowerOptions = {\n packageName: string;\n customMessages?: CustomMessages;\n};\n\nexport interface ErrorThrower {\n setPackageName(options: ErrorThrowerOptions): ErrorThrower;\n\n setMessages(options: ErrorThrowerOptions): ErrorThrower;\n\n throwInvalidPublishableKeyError(params: { key?: string }): never;\n\n throwInvalidProxyUrl(params: { url?: string }): never;\n\n throwMissingPublishableKeyError(): never;\n\n throwMissingSecretKeyError(): never;\n\n throwMissingClerkProviderError(params: { source?: string }): never;\n\n throw(message: string): never;\n}\n\nexport function buildErrorThrower({ packageName, customMessages }: ErrorThrowerOptions): ErrorThrower {\n let pkg = packageName;\n\n const messages = {\n ...DefaultMessages,\n ...customMessages,\n };\n\n function buildMessage(rawMessage: string, replacements?: Record) {\n if (!replacements) {\n return `${pkg}: ${rawMessage}`;\n }\n\n let msg = rawMessage;\n const matches = rawMessage.matchAll(/{{([a-zA-Z0-9-_]+)}}/g);\n\n for (const match of matches) {\n const replacement = (replacements[match[1]] || '').toString();\n msg = msg.replace(`{{${match[1]}}}`, replacement);\n }\n\n return `${pkg}: ${msg}`;\n }\n\n return {\n setPackageName({ packageName }: ErrorThrowerOptions): ErrorThrower {\n if (typeof packageName === 'string') {\n pkg = packageName;\n }\n return this;\n },\n\n setMessages({ customMessages }: ErrorThrowerOptions): ErrorThrower {\n Object.assign(messages, customMessages || {});\n return this;\n },\n\n throwInvalidPublishableKeyError(params: { key?: string }): never {\n throw new Error(buildMessage(messages.InvalidPublishableKeyErrorMessage, params));\n },\n\n throwInvalidProxyUrl(params: { url?: string }): never {\n throw new Error(buildMessage(messages.InvalidProxyUrlErrorMessage, params));\n },\n\n throwMissingPublishableKeyError(): never {\n throw new Error(buildMessage(messages.MissingPublishableKeyErrorMessage));\n },\n\n throwMissingSecretKeyError(): never {\n throw new Error(buildMessage(messages.MissingSecretKeyErrorMessage));\n },\n\n throwMissingClerkProviderError(params: { source?: string }): never {\n throw new Error(buildMessage(messages.MissingClerkProvider, params));\n },\n\n throw(message: string): never {\n throw new Error(buildMessage(message));\n },\n };\n}\n\ntype ClerkWebAuthnErrorCode =\n // Generic\n | 'passkey_not_supported'\n | 'passkey_pa_not_supported'\n | 'passkey_invalid_rpID_or_domain'\n | 'passkey_already_exists'\n | 'passkey_operation_aborted'\n // Retrieval\n | 'passkey_retrieval_cancelled'\n | 'passkey_retrieval_failed'\n // Registration\n | 'passkey_registration_cancelled'\n | 'passkey_registration_failed';\n\nexport class ClerkWebAuthnError extends ClerkRuntimeError {\n /**\n * A unique code identifying the error, can be used for localization.\n */\n code: ClerkWebAuthnErrorCode;\n\n constructor(message: string, { code }: { code: ClerkWebAuthnErrorCode }) {\n super(message, { code });\n this.code = code;\n }\n}\n","export const LEGACY_DEV_INSTANCE_SUFFIXES = ['.lcl.dev', '.lclstage.dev', '.lclclerk.com'];\nexport const CURRENT_DEV_INSTANCE_SUFFIXES = ['.accounts.dev', '.accountsstage.dev', '.accounts.lclclerk.com'];\nexport const DEV_OR_STAGING_SUFFIXES = [\n '.lcl.dev',\n '.stg.dev',\n '.lclstage.dev',\n '.stgstage.dev',\n '.dev.lclclerk.com',\n '.stg.lclclerk.com',\n '.accounts.lclclerk.com',\n 'accountsstage.dev',\n 'accounts.dev',\n];\nexport const LOCAL_ENV_SUFFIXES = ['.lcl.dev', 'lclstage.dev', '.lclclerk.com', '.accounts.lclclerk.com'];\nexport const STAGING_ENV_SUFFIXES = ['.accountsstage.dev'];\nexport const LOCAL_API_URL = 'https://api.lclclerk.com';\nexport const STAGING_API_URL = 'https://api.clerkstage.dev';\nexport const PROD_API_URL = 'https://api.clerk.com';\n\n/**\n * Returns the URL for a static image\n * using the new img.clerk.com service\n */\nexport function iconImageUrl(id: string, format: 'svg' | 'jpeg' = 'svg'): string {\n return `https://img.clerk.com/static/${id}.${format}`;\n}\n","/**\n * A function that decodes a string of data which has been encoded using base-64 encoding.\n * Uses `atob` if available, otherwise uses `Buffer` from `global`. If neither are available, returns the data as-is.\n */\nexport const isomorphicAtob = (data: string) => {\n if (typeof atob !== 'undefined' && typeof atob === 'function') {\n return atob(data);\n } else if (typeof global !== 'undefined' && global.Buffer) {\n return new global.Buffer(data, 'base64').toString();\n }\n return data;\n};\n","import type { PublishableKey } from '@clerk/types';\n\nimport { DEV_OR_STAGING_SUFFIXES, LEGACY_DEV_INSTANCE_SUFFIXES } from './constants';\nimport { isomorphicAtob } from './isomorphicAtob';\nimport { isomorphicBtoa } from './isomorphicBtoa';\n\ntype ParsePublishableKeyOptions = {\n fatal?: boolean;\n domain?: string;\n proxyUrl?: string;\n};\n\nconst PUBLISHABLE_KEY_LIVE_PREFIX = 'pk_live_';\nconst PUBLISHABLE_KEY_TEST_PREFIX = 'pk_test_';\n\n// This regex matches the publishable like frontend API keys (e.g. foo-bar-13.clerk.accounts.dev)\nconst PUBLISHABLE_FRONTEND_API_DEV_REGEX = /^(([a-z]+)-){2}([0-9]{1,2})\\.clerk\\.accounts([a-z.]*)(dev|com)$/i;\n\nexport function buildPublishableKey(frontendApi: string): string {\n const isDevKey =\n PUBLISHABLE_FRONTEND_API_DEV_REGEX.test(frontendApi) ||\n (frontendApi.startsWith('clerk.') && LEGACY_DEV_INSTANCE_SUFFIXES.some(s => frontendApi.endsWith(s)));\n const keyPrefix = isDevKey ? PUBLISHABLE_KEY_TEST_PREFIX : PUBLISHABLE_KEY_LIVE_PREFIX;\n return `${keyPrefix}${isomorphicBtoa(`${frontendApi}$`)}`;\n}\n\nexport function parsePublishableKey(\n key: string | undefined,\n options: ParsePublishableKeyOptions & { fatal: true },\n): PublishableKey;\nexport function parsePublishableKey(\n key: string | undefined,\n options?: ParsePublishableKeyOptions,\n): PublishableKey | null;\nexport function parsePublishableKey(\n key: string | undefined,\n options: { fatal?: boolean; domain?: string; proxyUrl?: string } = {},\n): PublishableKey | null {\n key = key || '';\n\n if (!key || !isPublishableKey(key)) {\n if (options.fatal && !key) {\n throw new Error(\n 'Publishable key is missing. Ensure that your publishable key is correctly configured. Double-check your environment configuration for your keys, or access them here: https://dashboard.clerk.com/last-active?path=api-keys',\n );\n }\n if (options.fatal && !isPublishableKey(key)) {\n throw new Error('Publishable key not valid.');\n }\n return null;\n }\n\n const instanceType = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) ? 'production' : 'development';\n\n let frontendApi = isomorphicAtob(key.split('_')[2]);\n\n // TODO(@dimkl): validate packages/clerk-js/src/utils/instance.ts\n frontendApi = frontendApi.slice(0, -1);\n\n if (options.proxyUrl) {\n frontendApi = options.proxyUrl;\n } else if (instanceType !== 'development' && options.domain) {\n frontendApi = `clerk.${options.domain}`;\n }\n\n return {\n instanceType,\n frontendApi,\n };\n}\n\n/**\n * Checks if the provided key is a valid publishable key.\n *\n * @param key - The key to be checked. Defaults to an empty string if not provided.\n * @returns `true` if 'key' is a valid publishable key, `false` otherwise.\n */\nexport function isPublishableKey(key: string = '') {\n try {\n const hasValidPrefix = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) || key.startsWith(PUBLISHABLE_KEY_TEST_PREFIX);\n\n const hasValidFrontendApiPostfix = isomorphicAtob(key.split('_')[2] || '').endsWith('$');\n\n return hasValidPrefix && hasValidFrontendApiPostfix;\n } catch {\n return false;\n }\n}\n\nexport function createDevOrStagingUrlCache() {\n const devOrStagingUrlCache = new Map();\n\n return {\n isDevOrStagingUrl: (url: string | URL): boolean => {\n if (!url) {\n return false;\n }\n\n const hostname = typeof url === 'string' ? url : url.hostname;\n let res = devOrStagingUrlCache.get(hostname);\n if (res === undefined) {\n res = DEV_OR_STAGING_SUFFIXES.some(s => hostname.endsWith(s));\n devOrStagingUrlCache.set(hostname, res);\n }\n return res;\n },\n };\n}\n\nexport function isDevelopmentFromPublishableKey(apiKey: string): boolean {\n return apiKey.startsWith('test_') || apiKey.startsWith('pk_test_');\n}\n\nexport function isProductionFromPublishableKey(apiKey: string): boolean {\n return apiKey.startsWith('live_') || apiKey.startsWith('pk_live_');\n}\n\nexport function isDevelopmentFromSecretKey(apiKey: string): boolean {\n return apiKey.startsWith('test_') || apiKey.startsWith('sk_test_');\n}\n\nexport function isProductionFromSecretKey(apiKey: string): boolean {\n return apiKey.startsWith('live_') || apiKey.startsWith('sk_live_');\n}\n\nexport async function getCookieSuffix(\n publishableKey: string,\n subtle: SubtleCrypto = globalThis.crypto.subtle,\n): Promise {\n const data = new TextEncoder().encode(publishableKey);\n const digest = await subtle.digest('sha-1', data);\n const stringDigest = String.fromCharCode(...new Uint8Array(digest));\n // Base 64 Encoding with URL and Filename Safe Alphabet: https://datatracker.ietf.org/doc/html/rfc4648#section-5\n return isomorphicBtoa(stringDigest).replace(/\\+/gi, '-').replace(/\\//gi, '_').substring(0, 8);\n}\n\nexport const getSuffixedCookieName = (cookieName: string, cookieSuffix: string): string => {\n return `${cookieName}_${cookieSuffix}`;\n};\n","type Milliseconds = number;\n\ntype RetryOptions = Partial<{\n /**\n * The initial delay before the first retry.\n * @default 125\n */\n initialDelay: Milliseconds;\n /**\n * The maximum delay between retries.\n * The delay between retries will never exceed this value.\n * If set to 0, the delay will increase indefinitely.\n * @default 0\n */\n maxDelayBetweenRetries: Milliseconds;\n /**\n * The multiplier for the exponential backoff.\n * @default 2\n */\n factor: number;\n /**\n * A function to determine if the operation should be retried.\n * The callback accepts the error that was thrown and the number of iterations.\n * The iterations variable references the number of retries AFTER attempt\n * that caused the error and starts at 1 (as in, this is the 1st, 2nd, nth retry).\n * @default (error, iterations) => iterations < 5\n */\n shouldRetry: (error: unknown, iterations: number) => boolean;\n /**\n * Controls whether the helper should retry the operation immediately once before applying exponential backoff.\n * The delay for the immediate retry is 100ms.\n * @default true\n */\n retryImmediately: boolean;\n /**\n * If true, the intervals will be multiplied by a factor in the range of [1,2].\n * @default true\n */\n jitter: boolean;\n}>;\n\nconst defaultOptions: Required = {\n initialDelay: 125,\n maxDelayBetweenRetries: 0,\n factor: 2,\n shouldRetry: (_: unknown, iteration: number) => iteration < 5,\n retryImmediately: true,\n jitter: true,\n};\n\nconst RETRY_IMMEDIATELY_DELAY = 100;\n\nconst sleep = async (ms: Milliseconds) => new Promise(s => setTimeout(s, ms));\n\nconst applyJitter = (delay: Milliseconds, jitter: boolean) => {\n return jitter ? delay * (1 + Math.random()) : delay;\n};\n\nconst createExponentialDelayAsyncFn = (\n opts: Required>,\n) => {\n let timesCalled = 0;\n\n const calculateDelayInMs = () => {\n const constant = opts.initialDelay;\n const base = opts.factor;\n let delay = constant * Math.pow(base, timesCalled);\n delay = applyJitter(delay, opts.jitter);\n return Math.min(opts.maxDelayBetweenRetries || delay, delay);\n };\n\n return async (): Promise => {\n await sleep(calculateDelayInMs());\n timesCalled++;\n };\n};\n\n/**\n * Retries a callback until it succeeds or the shouldRetry function returns false.\n * See {@link RetryOptions} for the available options.\n */\nexport const retry = async (callback: () => T | Promise, options: RetryOptions = {}): Promise => {\n let iterations = 0;\n const { shouldRetry, initialDelay, maxDelayBetweenRetries, factor, retryImmediately, jitter } = {\n ...defaultOptions,\n ...options,\n };\n\n const delay = createExponentialDelayAsyncFn({\n initialDelay,\n maxDelayBetweenRetries,\n factor,\n jitter,\n });\n\n while (true) {\n try {\n return await callback();\n } catch (e) {\n iterations++;\n if (!shouldRetry(e, iterations)) {\n throw e;\n }\n if (retryImmediately && iterations === 1) {\n await sleep(applyJitter(RETRY_IMMEDIATELY_DELAY, jitter));\n } else {\n await delay();\n }\n }\n }\n};\n","import { retry } from './retry';\n\nconst NO_DOCUMENT_ERROR = 'loadScript cannot be called when document does not exist';\nconst NO_SRC_ERROR = 'loadScript cannot be called without a src';\n\ntype LoadScriptOptions = {\n async?: boolean;\n defer?: boolean;\n crossOrigin?: 'anonymous' | 'use-credentials';\n nonce?: string;\n beforeLoad?: (script: HTMLScriptElement) => void;\n};\n\nexport async function loadScript(src = '', opts: LoadScriptOptions): Promise {\n const { async, defer, beforeLoad, crossOrigin, nonce } = opts || {};\n\n const load = () => {\n return new Promise((resolve, reject) => {\n if (!src) {\n reject(new Error(NO_SRC_ERROR));\n }\n\n if (!document || !document.body) {\n reject(NO_DOCUMENT_ERROR);\n }\n\n const script = document.createElement('script');\n\n if (crossOrigin) script.setAttribute('crossorigin', crossOrigin);\n script.async = async || false;\n script.defer = defer || false;\n\n script.addEventListener('load', () => {\n script.remove();\n resolve(script);\n });\n\n script.addEventListener('error', () => {\n script.remove();\n reject();\n });\n\n script.src = src;\n script.nonce = nonce;\n beforeLoad?.(script);\n document.body.appendChild(script);\n });\n };\n\n return retry(load, { shouldRetry: (_, iterations) => iterations <= 5 });\n}\n","export function isValidProxyUrl(key: string | undefined) {\n if (!key) {\n return true;\n }\n\n return isHttpOrHttps(key) || isProxyUrlRelative(key);\n}\n\nexport function isHttpOrHttps(key: string | undefined) {\n return /^http(s)?:\\/\\//.test(key || '');\n}\n\nexport function isProxyUrlRelative(key: string) {\n return key.startsWith('/');\n}\n\nexport function proxyUrlToAbsoluteURL(url: string | undefined): string {\n if (!url) {\n return '';\n }\n return isProxyUrlRelative(url) ? new URL(url, window.location.origin).toString() : url;\n}\n","import { CURRENT_DEV_INSTANCE_SUFFIXES, LEGACY_DEV_INSTANCE_SUFFIXES } from './constants';\nimport { isStaging } from './utils/instance';\n\nexport function parseSearchParams(queryString = ''): URLSearchParams {\n if (queryString.startsWith('?')) {\n queryString = queryString.slice(1);\n }\n return new URLSearchParams(queryString);\n}\n\nexport function stripScheme(url = ''): string {\n return (url || '').replace(/^.+:\\/\\//, '');\n}\n\nexport function addClerkPrefix(str: string | undefined) {\n if (!str) {\n return '';\n }\n let regex;\n if (str.match(/^(clerk\\.)+\\w*$/)) {\n regex = /(clerk\\.)*(?=clerk\\.)/;\n } else if (str.match(/\\.clerk.accounts/)) {\n return str;\n } else {\n regex = /^(clerk\\.)*/gi;\n }\n\n const stripped = str.replace(regex, '');\n return `clerk.${stripped}`;\n}\n\n/**\n *\n * Retrieve the clerk-js major tag using the major version from the pkgVersion\n * param or use the frontendApi to determine if the canary tag should be used.\n * The default tag is `latest`.\n */\nexport const getClerkJsMajorVersionOrTag = (frontendApi: string, version?: string) => {\n if (!version && isStaging(frontendApi)) {\n return 'canary';\n }\n\n if (!version) {\n return 'latest';\n }\n\n return version.split('.')[0] || 'latest';\n};\n\n/**\n *\n * Retrieve the clerk-js script url from the frontendApi and the major tag\n * using the {@link getClerkJsMajorVersionOrTag} or a provided clerkJSVersion tag.\n */\nexport const getScriptUrl = (frontendApi: string, { clerkJSVersion }: { clerkJSVersion?: string }) => {\n const noSchemeFrontendApi = frontendApi.replace(/http(s)?:\\/\\//, '');\n const major = getClerkJsMajorVersionOrTag(frontendApi, clerkJSVersion);\n return `https://${noSchemeFrontendApi}/npm/@clerk/clerk-js@${clerkJSVersion || major}/dist/clerk.browser.js`;\n};\n\n// Returns true for hosts such as:\n// * accounts.foo.bar-13.lcl.dev\n// * accounts.foo.bar-13.lclstage.dev\n// * accounts.foo.bar-13.dev.lclclerk.com\nexport function isLegacyDevAccountPortalOrigin(host: string): boolean {\n return LEGACY_DEV_INSTANCE_SUFFIXES.some(legacyDevSuffix => {\n return host.startsWith('accounts.') && host.endsWith(legacyDevSuffix);\n });\n}\n\n// Returns true for hosts such as:\n// * foo-bar-13.accounts.dev\n// * foo-bar-13.accountsstage.dev\n// * foo-bar-13.accounts.lclclerk.com\n// But false for:\n// * foo-bar-13.clerk.accounts.lclclerk.com\nexport function isCurrentDevAccountPortalOrigin(host: string): boolean {\n return CURRENT_DEV_INSTANCE_SUFFIXES.some(currentDevSuffix => {\n return host.endsWith(currentDevSuffix) && !host.endsWith('.clerk' + currentDevSuffix);\n });\n}\n\n/* Functions below are taken from https://github.com/unjs/ufo/blob/main/src/utils.ts. LICENSE: MIT */\n\nconst TRAILING_SLASH_RE = /\\/$|\\/\\?|\\/#/;\n\nexport function hasTrailingSlash(input = '', respectQueryAndFragment?: boolean): boolean {\n if (!respectQueryAndFragment) {\n return input.endsWith('/');\n }\n return TRAILING_SLASH_RE.test(input);\n}\n\nexport function withTrailingSlash(input = '', respectQueryAndFragment?: boolean): string {\n if (!respectQueryAndFragment) {\n return input.endsWith('/') ? input : input + '/';\n }\n if (hasTrailingSlash(input, true)) {\n return input || '/';\n }\n let path = input;\n let fragment = '';\n const fragmentIndex = input.indexOf('#');\n if (fragmentIndex >= 0) {\n path = input.slice(0, fragmentIndex);\n fragment = input.slice(fragmentIndex);\n if (!path) {\n return fragment;\n }\n }\n const [s0, ...s] = path.split('?');\n return s0 + '/' + (s.length > 0 ? `?${s.join('?')}` : '') + fragment;\n}\n\nexport function withoutTrailingSlash(input = '', respectQueryAndFragment?: boolean): string {\n if (!respectQueryAndFragment) {\n return (hasTrailingSlash(input) ? input.slice(0, -1) : input) || '/';\n }\n if (!hasTrailingSlash(input, true)) {\n return input || '/';\n }\n let path = input;\n let fragment = '';\n const fragmentIndex = input.indexOf('#');\n if (fragmentIndex >= 0) {\n path = input.slice(0, fragmentIndex);\n fragment = input.slice(fragmentIndex);\n }\n const [s0, ...s] = path.split('?');\n return (s0.slice(0, -1) || '/') + (s.length > 0 ? `?${s.join('?')}` : '') + fragment;\n}\n\nexport function hasLeadingSlash(input = ''): boolean {\n return input.startsWith('/');\n}\n\nexport function withoutLeadingSlash(input = ''): string {\n return (hasLeadingSlash(input) ? input.slice(1) : input) || '/';\n}\n\nexport function withLeadingSlash(input = ''): string {\n return hasLeadingSlash(input) ? input : '/' + input;\n}\n\nexport function cleanDoubleSlashes(input = ''): string {\n return input\n .split('://')\n .map(string_ => string_.replace(/\\/{2,}/g, '/'))\n .join('://');\n}\n\nexport function isNonEmptyURL(url: string) {\n return url && url !== '/';\n}\n\nconst JOIN_LEADING_SLASH_RE = /^\\.?\\//;\n\nexport function joinURL(base: string, ...input: string[]): string {\n let url = base || '';\n\n for (const segment of input.filter(url => isNonEmptyURL(url))) {\n if (url) {\n // TODO: Handle .. when joining\n const _segment = segment.replace(JOIN_LEADING_SLASH_RE, '');\n url = withTrailingSlash(url) + _segment;\n } else {\n url = segment;\n }\n }\n\n return url;\n}\n\n/* Code below is taken from https://github.com/vercel/next.js/blob/fe7ff3f468d7651a92865350bfd0f16ceba27db5/packages/next/src/shared/lib/utils.ts. LICENSE: MIT */\n\n// Scheme: https://tools.ietf.org/html/rfc3986#section-3.1\n// Absolute URL: https://tools.ietf.org/html/rfc3986#section-4.3\nconst ABSOLUTE_URL_REGEX = /^[a-zA-Z][a-zA-Z\\d+\\-.]*?:/;\nexport const isAbsoluteUrl = (url: string) => ABSOLUTE_URL_REGEX.test(url);\n","/**\n * This version selector is a bit complicated, so here is the flow:\n * 1. Use the clerkJSVersion prop on the provider\n * 2. Use the exact `@clerk/clerk-js` version if it is a `@snapshot` prerelease\n * 3. Use the prerelease tag of `@clerk/clerk-js` or the packageVersion provided\n * 4. Fallback to the major version of `@clerk/clerk-js` or the packageVersion provided\n * @param clerkJSVersion - The optional clerkJSVersion prop on the provider\n * @param packageVersion - The version of `@clerk/clerk-js` that will be used if an explicit version is not provided\n * @returns The npm tag, version or major version to use\n */\nexport const versionSelector = (clerkJSVersion: string | undefined, packageVersion = JS_PACKAGE_VERSION) => {\n if (clerkJSVersion) {\n return clerkJSVersion;\n }\n\n const prereleaseTag = getPrereleaseTag(packageVersion);\n if (prereleaseTag) {\n if (prereleaseTag === 'snapshot') {\n return JS_PACKAGE_VERSION;\n }\n\n return prereleaseTag;\n }\n\n return getMajorVersion(packageVersion);\n};\n\nconst getPrereleaseTag = (packageVersion: string) =>\n packageVersion\n .trim()\n .replace(/^v/, '')\n .match(/-(.+?)(\\.|$)/)?.[1];\n\nexport const getMajorVersion = (packageVersion: string) => packageVersion.trim().replace(/^v/, '').split('.')[0];\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACiOA,IAAM,kBAAkB,OAAO,OAAO;AAAA,EACpC,6BAA6B;AAAA,EAC7B,mCAAmC;AAAA,EACnC,mCAAmC;AAAA,EACnC,8BAA8B;AAAA,EAC9B,sBAAsB;AACxB,CAAC;AA+BM,SAAS,kBAAkB,EAAE,aAAa,eAAe,GAAsC;AACpG,MAAI,MAAM;AAEV,QAAM,WAAW;AAAA,IACf,GAAG;AAAA,IACH,GAAG;AAAA,EACL;AAEA,WAAS,aAAa,YAAoB,cAAgD;AACxF,QAAI,CAAC,cAAc;AACjB,aAAO,GAAG,GAAG,KAAK,UAAU;AAAA,IAC9B;AAEA,QAAI,MAAM;AACV,UAAM,UAAU,WAAW,SAAS,uBAAuB;AAE3D,eAAW,SAAS,SAAS;AAC3B,YAAM,eAAe,aAAa,MAAM,CAAC,CAAC,KAAK,IAAI,SAAS;AAC5D,YAAM,IAAI,QAAQ,KAAK,MAAM,CAAC,CAAC,MAAM,WAAW;AAAA,IAClD;AAEA,WAAO,GAAG,GAAG,KAAK,GAAG;AAAA,EACvB;AAEA,SAAO;AAAA,IACL,eAAe,EAAE,aAAAA,aAAY,GAAsC;AACjE,UAAI,OAAOA,iBAAgB,UAAU;AACnC,cAAMA;AAAA,MACR;AACA,aAAO;AAAA,IACT;AAAA,IAEA,YAAY,EAAE,gBAAAC,gBAAe,GAAsC;AACjE,aAAO,OAAO,UAAUA,mBAAkB,CAAC,CAAC;AAC5C,aAAO;AAAA,IACT;AAAA,IAEA,gCAAgC,QAAiC;AAC/D,YAAM,IAAI,MAAM,aAAa,SAAS,mCAAmC,MAAM,CAAC;AAAA,IAClF;AAAA,IAEA,qBAAqB,QAAiC;AACpD,YAAM,IAAI,MAAM,aAAa,SAAS,6BAA6B,MAAM,CAAC;AAAA,IAC5E;AAAA,IAEA,kCAAyC;AACvC,YAAM,IAAI,MAAM,aAAa,SAAS,iCAAiC,CAAC;AAAA,IAC1E;AAAA,IAEA,6BAAoC;AAClC,YAAM,IAAI,MAAM,aAAa,SAAS,4BAA4B,CAAC;AAAA,IACrE;AAAA,IAEA,+BAA+B,QAAoC;AACjE,YAAM,IAAI,MAAM,aAAa,SAAS,sBAAsB,MAAM,CAAC;AAAA,IACrE;AAAA,IAEA,MAAM,SAAwB;AAC5B,YAAM,IAAI,MAAM,aAAa,OAAO,CAAC;AAAA,IACvC;AAAA,EACF;AACF;;;ACjUO,IAAM,0BAA0B;AAAA,EACrC;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AACF;;;ACRO,IAAM,iBAAiB,CAAC,SAAiB;AAC9C,MAAI,OAAO,SAAS,eAAe,OAAO,SAAS,YAAY;AAC7D,WAAO,KAAK,IAAI;AAAA,EAClB,WAAW,OAAO,WAAW,eAAe,OAAO,QAAQ;AACzD,WAAO,IAAI,OAAO,OAAO,MAAM,QAAQ,EAAE,SAAS;AAAA,EACpD;AACA,SAAO;AACT;;;ACCA,IAAM,8BAA8B;AACpC,IAAM,8BAA8B;AAqB7B,SAAS,oBACd,KACA,UAAmE,CAAC,GAC7C;AACvB,QAAM,OAAO;AAEb,MAAI,CAAC,OAAO,CAAC,iBAAiB,GAAG,GAAG;AAClC,QAAI,QAAQ,SAAS,CAAC,KAAK;AACzB,YAAM,IAAI;AAAA,QACR;AAAA,MACF;AAAA,IACF;AACA,QAAI,QAAQ,SAAS,CAAC,iBAAiB,GAAG,GAAG;AAC3C,YAAM,IAAI,MAAM,4BAA4B;AAAA,IAC9C;AACA,WAAO;AAAA,EACT;AAEA,QAAM,eAAe,IAAI,WAAW,2BAA2B,IAAI,eAAe;AAElF,MAAI,cAAc,eAAe,IAAI,MAAM,GAAG,EAAE,CAAC,CAAC;AAGlD,gBAAc,YAAY,MAAM,GAAG,EAAE;AAErC,MAAI,QAAQ,UAAU;AACpB,kBAAc,QAAQ;AAAA,EACxB,WAAW,iBAAiB,iBAAiB,QAAQ,QAAQ;AAC3D,kBAAc,SAAS,QAAQ,MAAM;AAAA,EACvC;AAEA,SAAO;AAAA,IACL;AAAA,IACA;AAAA,EACF;AACF;AAQO,SAAS,iBAAiB,MAAc,IAAI;AACjD,MAAI;AACF,UAAM,iBAAiB,IAAI,WAAW,2BAA2B,KAAK,IAAI,WAAW,2BAA2B;AAEhH,UAAM,6BAA6B,eAAe,IAAI,MAAM,GAAG,EAAE,CAAC,KAAK,EAAE,EAAE,SAAS,GAAG;AAEvF,WAAO,kBAAkB;AAAA,EAC3B,QAAQ;AACN,WAAO;AAAA,EACT;AACF;AAEO,SAAS,6BAA6B;AAC3C,QAAM,uBAAuB,oBAAI,IAAqB;AAEtD,SAAO;AAAA,IACL,mBAAmB,CAAC,QAA+B;AACjD,UAAI,CAAC,KAAK;AACR,eAAO;AAAA,MACT;AAEA,YAAM,WAAW,OAAO,QAAQ,WAAW,MAAM,IAAI;AACrD,UAAI,MAAM,qBAAqB,IAAI,QAAQ;AAC3C,UAAI,QAAQ,QAAW;AACrB,cAAM,wBAAwB,KAAK,OAAK,SAAS,SAAS,CAAC,CAAC;AAC5D,6BAAqB,IAAI,UAAU,GAAG;AAAA,MACxC;AACA,aAAO;AAAA,IACT;AAAA,EACF;AACF;;;AClEA,IAAM,iBAAyC;AAAA,EAC7C,cAAc;AAAA,EACd,wBAAwB;AAAA,EACxB,QAAQ;AAAA,EACR,aAAa,CAAC,GAAY,cAAsB,YAAY;AAAA,EAC5D,kBAAkB;AAAA,EAClB,QAAQ;AACV;AAEA,IAAM,0BAA0B;AAEhC,IAAM,QAAQ,OAAO,OAAqB,IAAI,QAAQ,OAAK,WAAW,GAAG,EAAE,CAAC;AAE5E,IAAM,cAAc,CAAC,OAAqB,WAAoB;AAC5D,SAAO,SAAS,SAAS,IAAI,KAAK,OAAO,KAAK;AAChD;AAEA,IAAM,gCAAgC,CACpC,SACG;AACH,MAAI,cAAc;AAElB,QAAM,qBAAqB,MAAM;AAC/B,UAAM,WAAW,KAAK;AACtB,UAAM,OAAO,KAAK;AAClB,QAAI,QAAQ,WAAW,KAAK,IAAI,MAAM,WAAW;AACjD,YAAQ,YAAY,OAAO,KAAK,MAAM;AACtC,WAAO,KAAK,IAAI,KAAK,0BAA0B,OAAO,KAAK;AAAA,EAC7D;AAEA,SAAO,YAA2B;AAChC,UAAM,MAAM,mBAAmB,CAAC;AAChC;AAAA,EACF;AACF;AAMO,IAAM,QAAQ,OAAU,UAAgC,UAAwB,CAAC,MAAkB;AACxG,MAAI,aAAa;AACjB,QAAM,EAAE,aAAa,cAAc,wBAAwB,QAAQ,kBAAkB,OAAO,IAAI;AAAA,IAC9F,GAAG;AAAA,IACH,GAAG;AAAA,EACL;AAEA,QAAM,QAAQ,8BAA8B;AAAA,IAC1C;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF,CAAC;AAED,SAAO,MAAM;AACX,QAAI;AACF,aAAO,MAAM,SAAS;AAAA,IACxB,SAAS,GAAG;AACV;AACA,UAAI,CAAC,YAAY,GAAG,UAAU,GAAG;AAC/B,cAAM;AAAA,MACR;AACA,UAAI,oBAAoB,eAAe,GAAG;AACxC,cAAM,MAAM,YAAY,yBAAyB,MAAM,CAAC;AAAA,MAC1D,OAAO;AACL,cAAM,MAAM;AAAA,MACd;AAAA,IACF;AAAA,EACF;AACF;;;AC5GA,IAAM,oBAAoB;AAC1B,IAAM,eAAe;AAUrB,eAAsB,WAAW,MAAM,IAAI,MAAqD;AAC9F,QAAM,EAAE,OAAO,OAAO,YAAY,aAAa,MAAM,IAAI,QAAQ,CAAC;AAElE,QAAM,OAAO,MAAM;AACjB,WAAO,IAAI,QAA2B,CAAC,SAAS,WAAW;AACzD,UAAI,CAAC,KAAK;AACR,eAAO,IAAI,MAAM,YAAY,CAAC;AAAA,MAChC;AAEA,UAAI,CAAC,YAAY,CAAC,SAAS,MAAM;AAC/B,eAAO,iBAAiB;AAAA,MAC1B;AAEA,YAAM,SAAS,SAAS,cAAc,QAAQ;AAE9C,UAAI,YAAa,QAAO,aAAa,eAAe,WAAW;AAC/D,aAAO,QAAQ,SAAS;AACxB,aAAO,QAAQ,SAAS;AAExB,aAAO,iBAAiB,QAAQ,MAAM;AACpC,eAAO,OAAO;AACd,gBAAQ,MAAM;AAAA,MAChB,CAAC;AAED,aAAO,iBAAiB,SAAS,MAAM;AACrC,eAAO,OAAO;AACd,eAAO;AAAA,MACT,CAAC;AAED,aAAO,MAAM;AACb,aAAO,QAAQ;AACf,mBAAa,MAAM;AACnB,eAAS,KAAK,YAAY,MAAM;AAAA,IAClC,CAAC;AAAA,EACH;AAEA,SAAO,MAAM,MAAM,EAAE,aAAa,CAAC,GAAG,eAAe,cAAc,EAAE,CAAC;AACxE;;;AClDO,SAAS,gBAAgB,KAAyB;AACvD,MAAI,CAAC,KAAK;AACR,WAAO;AAAA,EACT;AAEA,SAAO,cAAc,GAAG,KAAK,mBAAmB,GAAG;AACrD;AAEO,SAAS,cAAc,KAAyB;AACrD,SAAO,iBAAiB,KAAK,OAAO,EAAE;AACxC;AAEO,SAAS,mBAAmB,KAAa;AAC9C,SAAO,IAAI,WAAW,GAAG;AAC3B;AAEO,SAAS,sBAAsB,KAAiC;AACrE,MAAI,CAAC,KAAK;AACR,WAAO;AAAA,EACT;AACA,SAAO,mBAAmB,GAAG,IAAI,IAAI,IAAI,KAAK,OAAO,SAAS,MAAM,EAAE,SAAS,IAAI;AACrF;;;ACPO,SAAS,eAAe,KAAyB;AACtD,MAAI,CAAC,KAAK;AACR,WAAO;AAAA,EACT;AACA,MAAI;AACJ,MAAI,IAAI,MAAM,iBAAiB,GAAG;AAChC,YAAQ;AAAA,EACV,WAAW,IAAI,MAAM,kBAAkB,GAAG;AACxC,WAAO;AAAA,EACT,OAAO;AACL,YAAQ;AAAA,EACV;AAEA,QAAM,WAAW,IAAI,QAAQ,OAAO,EAAE;AACtC,SAAO,SAAS,QAAQ;AAC1B;;;ACnBO,IAAM,kBAAkB,CAAC,gBAAoC,iBAAiB,aAAuB;AAC1G,MAAI,gBAAgB;AAClB,WAAO;AAAA,EACT;AAEA,QAAM,gBAAgB,iBAAiB,cAAc;AACrD,MAAI,eAAe;AACjB,QAAI,kBAAkB,YAAY;AAChC,aAAO;AAAA,IACT;AAEA,WAAO;AAAA,EACT;AAEA,SAAO,gBAAgB,cAAc;AACvC;AAEA,IAAM,mBAAmB,CAAC,mBACxB,eACG,KAAK,EACL,QAAQ,MAAM,EAAE,EAChB,MAAM,cAAc,IAAI,CAAC;AAEvB,IAAM,kBAAkB,CAAC,mBAA2B,eAAe,KAAK,EAAE,QAAQ,MAAM,EAAE,EAAE,MAAM,GAAG,EAAE,CAAC;;;ATxB/G,IAAM,uBAAuB;AAE7B,IAAM,EAAE,kBAAkB,IAAI,2BAA2B;AAEzD,IAAM,eAAe,kBAAkB,EAAE,aAAa,gBAAgB,CAAC;AAQhE,SAAS,kCAAkC,aAAqB;AACrE,eAAa,eAAe,EAAE,YAAY,CAAC;AAC7C;AA0BA,IAAM,oBAAoB,OAAO,SAAoC;AACnE,QAAM,iBAAiB,SAAS,cAAiC,8BAA8B;AAE/F,MAAI,gBAAgB;AAClB,WAAO,IAAI,QAAQ,CAAC,SAAS,WAAW;AACtC,qBAAe,iBAAiB,QAAQ,MAAM;AAC5C,gBAAQ,cAAc;AAAA,MACxB,CAAC;AAED,qBAAe,iBAAiB,SAAS,MAAM;AAC7C,eAAO,oBAAoB;AAAA,MAC7B,CAAC;AAAA,IACH,CAAC;AAAA,EACH;AAEA,MAAI,CAAC,MAAM,gBAAgB;AACzB,iBAAa,gCAAgC;AAC7C;AAAA,EACF;AAEA,SAAO,WAAW,iBAAiB,IAAI,GAAG;AAAA,IACxC,OAAO;AAAA,IACP,aAAa;AAAA,IACb,OAAO,KAAK;AAAA,IACZ,YAAY,6BAA6B,IAAI;AAAA,EAC/C,CAAC,EAAE,MAAM,MAAM;AACb,UAAM,IAAI,MAAM,oBAAoB;AAAA,EACtC,CAAC;AACH;AAUA,IAAM,mBAAmB,CAAC,SAAmC;AAC3D,QAAM,EAAE,YAAY,gBAAgB,gBAAgB,UAAU,QAAQ,eAAe,IAAI;AAEzF,MAAI,YAAY;AACd,WAAO;AAAA,EACT;AAEA,MAAI,aAAa;AACjB,MAAI,CAAC,CAAC,YAAY,gBAAgB,QAAQ,GAAG;AAC3C,iBAAa,sBAAsB,QAAQ,EAAE,QAAQ,iBAAiB,EAAE;AAAA,EAC1E,WAAW,UAAU,CAAC,kBAAkB,oBAAoB,cAAc,GAAG,eAAe,EAAE,GAAG;AAC/F,iBAAa,eAAe,MAAM;AAAA,EACpC,OAAO;AACL,iBAAa,oBAAoB,cAAc,GAAG,eAAe;AAAA,EACnE;AAEA,QAAM,UAAU,iBAAiB,GAAG,eAAe,QAAQ,QAAQ,EAAE,CAAC,MAAM;AAC5E,QAAM,UAAU,gBAAgB,cAAc;AAC9C,SAAO,WAAW,UAAU,wBAAwB,OAAO,eAAe,OAAO;AACnF;AAKA,IAAM,+BAA+B,CAAC,YAAsC;AAC1E,QAAM,MAA8B,CAAC;AAErC,MAAI,QAAQ,gBAAgB;AAC1B,QAAI,4BAA4B,IAAI,QAAQ;AAAA,EAC9C;AAEA,MAAI,QAAQ,UAAU;AACpB,QAAI,sBAAsB,IAAI,QAAQ;AAAA,EACxC;AAEA,MAAI,QAAQ,QAAQ;AAClB,QAAI,mBAAmB,IAAI,QAAQ;AAAA,EACrC;AAEA,MAAI,QAAQ,OAAO;AACjB,QAAI,QAAQ,QAAQ;AAAA,EACtB;AAEA,SAAO;AACT;AAEA,IAAM,+BAA+B,CAAC,YAAsC,CAAC,WAA8B;AACzG,QAAM,aAAa,6BAA6B,OAAO;AACvD,aAAW,aAAa,YAAY;AAClC,WAAO,aAAa,WAAW,WAAW,SAAS,CAAC;AAAA,EACtD;AACF;","names":["packageName","customMessages"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.mjs new file mode 100644 index 000000000..b905af864 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.mjs @@ -0,0 +1,25 @@ +import { + buildClerkJsScriptAttributes, + clerkJsScriptUrl, + loadClerkJsScript, + setClerkJsLoadingErrorPackageName +} from "./chunk-QUVOOEBF.mjs"; +import "./chunk-IFTVZ2LQ.mjs"; +import "./chunk-3TMSNP4L.mjs"; +import "./chunk-QL5NCNJD.mjs"; +import "./chunk-6NDGN2IU.mjs"; +import "./chunk-YIV5QDK5.mjs"; +import "./chunk-BUNBAIZO.mjs"; +import "./chunk-JXRB7SGQ.mjs"; +import "./chunk-G3VP5PJE.mjs"; +import "./chunk-TETGTEI2.mjs"; +import "./chunk-KOH7GTJO.mjs"; +import "./chunk-I6MTSTOF.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + buildClerkJsScriptAttributes, + clerkJsScriptUrl, + loadClerkJsScript, + setClerkJsLoadingErrorPackageName +}; +//# sourceMappingURL=loadClerkJsScript.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadClerkJsScript.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.d.mts new file mode 100644 index 000000000..e139d333b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.d.mts @@ -0,0 +1,10 @@ +type LoadScriptOptions = { + async?: boolean; + defer?: boolean; + crossOrigin?: 'anonymous' | 'use-credentials'; + nonce?: string; + beforeLoad?: (script: HTMLScriptElement) => void; +}; +declare function loadScript(src: string | undefined, opts: LoadScriptOptions): Promise; + +export { loadScript }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.d.ts new file mode 100644 index 000000000..e139d333b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.d.ts @@ -0,0 +1,10 @@ +type LoadScriptOptions = { + async?: boolean; + defer?: boolean; + crossOrigin?: 'anonymous' | 'use-credentials'; + nonce?: string; + beforeLoad?: (script: HTMLScriptElement) => void; +}; +declare function loadScript(src: string | undefined, opts: LoadScriptOptions): Promise; + +export { loadScript }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.js new file mode 100644 index 000000000..7f55c450d --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.js @@ -0,0 +1,121 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/loadScript.ts +var loadScript_exports = {}; +__export(loadScript_exports, { + loadScript: () => loadScript +}); +module.exports = __toCommonJS(loadScript_exports); + +// src/retry.ts +var defaultOptions = { + initialDelay: 125, + maxDelayBetweenRetries: 0, + factor: 2, + shouldRetry: (_, iteration) => iteration < 5, + retryImmediately: true, + jitter: true +}; +var RETRY_IMMEDIATELY_DELAY = 100; +var sleep = async (ms) => new Promise((s) => setTimeout(s, ms)); +var applyJitter = (delay, jitter) => { + return jitter ? delay * (1 + Math.random()) : delay; +}; +var createExponentialDelayAsyncFn = (opts) => { + let timesCalled = 0; + const calculateDelayInMs = () => { + const constant = opts.initialDelay; + const base = opts.factor; + let delay = constant * Math.pow(base, timesCalled); + delay = applyJitter(delay, opts.jitter); + return Math.min(opts.maxDelayBetweenRetries || delay, delay); + }; + return async () => { + await sleep(calculateDelayInMs()); + timesCalled++; + }; +}; +var retry = async (callback, options = {}) => { + let iterations = 0; + const { shouldRetry, initialDelay, maxDelayBetweenRetries, factor, retryImmediately, jitter } = { + ...defaultOptions, + ...options + }; + const delay = createExponentialDelayAsyncFn({ + initialDelay, + maxDelayBetweenRetries, + factor, + jitter + }); + while (true) { + try { + return await callback(); + } catch (e) { + iterations++; + if (!shouldRetry(e, iterations)) { + throw e; + } + if (retryImmediately && iterations === 1) { + await sleep(applyJitter(RETRY_IMMEDIATELY_DELAY, jitter)); + } else { + await delay(); + } + } + } +}; + +// src/loadScript.ts +var NO_DOCUMENT_ERROR = "loadScript cannot be called when document does not exist"; +var NO_SRC_ERROR = "loadScript cannot be called without a src"; +async function loadScript(src = "", opts) { + const { async, defer, beforeLoad, crossOrigin, nonce } = opts || {}; + const load = () => { + return new Promise((resolve, reject) => { + if (!src) { + reject(new Error(NO_SRC_ERROR)); + } + if (!document || !document.body) { + reject(NO_DOCUMENT_ERROR); + } + const script = document.createElement("script"); + if (crossOrigin) script.setAttribute("crossorigin", crossOrigin); + script.async = async || false; + script.defer = defer || false; + script.addEventListener("load", () => { + script.remove(); + resolve(script); + }); + script.addEventListener("error", () => { + script.remove(); + reject(); + }); + script.src = src; + script.nonce = nonce; + beforeLoad?.(script); + document.body.appendChild(script); + }); + }; + return retry(load, { shouldRetry: (_, iterations) => iterations <= 5 }); +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + loadScript +}); +//# sourceMappingURL=loadScript.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.js.map new file mode 100644 index 000000000..a6d92261b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/loadScript.ts","../src/retry.ts"],"sourcesContent":["import { retry } from './retry';\n\nconst NO_DOCUMENT_ERROR = 'loadScript cannot be called when document does not exist';\nconst NO_SRC_ERROR = 'loadScript cannot be called without a src';\n\ntype LoadScriptOptions = {\n async?: boolean;\n defer?: boolean;\n crossOrigin?: 'anonymous' | 'use-credentials';\n nonce?: string;\n beforeLoad?: (script: HTMLScriptElement) => void;\n};\n\nexport async function loadScript(src = '', opts: LoadScriptOptions): Promise {\n const { async, defer, beforeLoad, crossOrigin, nonce } = opts || {};\n\n const load = () => {\n return new Promise((resolve, reject) => {\n if (!src) {\n reject(new Error(NO_SRC_ERROR));\n }\n\n if (!document || !document.body) {\n reject(NO_DOCUMENT_ERROR);\n }\n\n const script = document.createElement('script');\n\n if (crossOrigin) script.setAttribute('crossorigin', crossOrigin);\n script.async = async || false;\n script.defer = defer || false;\n\n script.addEventListener('load', () => {\n script.remove();\n resolve(script);\n });\n\n script.addEventListener('error', () => {\n script.remove();\n reject();\n });\n\n script.src = src;\n script.nonce = nonce;\n beforeLoad?.(script);\n document.body.appendChild(script);\n });\n };\n\n return retry(load, { shouldRetry: (_, iterations) => iterations <= 5 });\n}\n","type Milliseconds = number;\n\ntype RetryOptions = Partial<{\n /**\n * The initial delay before the first retry.\n * @default 125\n */\n initialDelay: Milliseconds;\n /**\n * The maximum delay between retries.\n * The delay between retries will never exceed this value.\n * If set to 0, the delay will increase indefinitely.\n * @default 0\n */\n maxDelayBetweenRetries: Milliseconds;\n /**\n * The multiplier for the exponential backoff.\n * @default 2\n */\n factor: number;\n /**\n * A function to determine if the operation should be retried.\n * The callback accepts the error that was thrown and the number of iterations.\n * The iterations variable references the number of retries AFTER attempt\n * that caused the error and starts at 1 (as in, this is the 1st, 2nd, nth retry).\n * @default (error, iterations) => iterations < 5\n */\n shouldRetry: (error: unknown, iterations: number) => boolean;\n /**\n * Controls whether the helper should retry the operation immediately once before applying exponential backoff.\n * The delay for the immediate retry is 100ms.\n * @default true\n */\n retryImmediately: boolean;\n /**\n * If true, the intervals will be multiplied by a factor in the range of [1,2].\n * @default true\n */\n jitter: boolean;\n}>;\n\nconst defaultOptions: Required = {\n initialDelay: 125,\n maxDelayBetweenRetries: 0,\n factor: 2,\n shouldRetry: (_: unknown, iteration: number) => iteration < 5,\n retryImmediately: true,\n jitter: true,\n};\n\nconst RETRY_IMMEDIATELY_DELAY = 100;\n\nconst sleep = async (ms: Milliseconds) => new Promise(s => setTimeout(s, ms));\n\nconst applyJitter = (delay: Milliseconds, jitter: boolean) => {\n return jitter ? delay * (1 + Math.random()) : delay;\n};\n\nconst createExponentialDelayAsyncFn = (\n opts: Required>,\n) => {\n let timesCalled = 0;\n\n const calculateDelayInMs = () => {\n const constant = opts.initialDelay;\n const base = opts.factor;\n let delay = constant * Math.pow(base, timesCalled);\n delay = applyJitter(delay, opts.jitter);\n return Math.min(opts.maxDelayBetweenRetries || delay, delay);\n };\n\n return async (): Promise => {\n await sleep(calculateDelayInMs());\n timesCalled++;\n };\n};\n\n/**\n * Retries a callback until it succeeds or the shouldRetry function returns false.\n * See {@link RetryOptions} for the available options.\n */\nexport const retry = async (callback: () => T | Promise, options: RetryOptions = {}): Promise => {\n let iterations = 0;\n const { shouldRetry, initialDelay, maxDelayBetweenRetries, factor, retryImmediately, jitter } = {\n ...defaultOptions,\n ...options,\n };\n\n const delay = createExponentialDelayAsyncFn({\n initialDelay,\n maxDelayBetweenRetries,\n factor,\n jitter,\n });\n\n while (true) {\n try {\n return await callback();\n } catch (e) {\n iterations++;\n if (!shouldRetry(e, iterations)) {\n throw e;\n }\n if (retryImmediately && iterations === 1) {\n await sleep(applyJitter(RETRY_IMMEDIATELY_DELAY, jitter));\n } else {\n await delay();\n }\n }\n }\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACyCA,IAAM,iBAAyC;AAAA,EAC7C,cAAc;AAAA,EACd,wBAAwB;AAAA,EACxB,QAAQ;AAAA,EACR,aAAa,CAAC,GAAY,cAAsB,YAAY;AAAA,EAC5D,kBAAkB;AAAA,EAClB,QAAQ;AACV;AAEA,IAAM,0BAA0B;AAEhC,IAAM,QAAQ,OAAO,OAAqB,IAAI,QAAQ,OAAK,WAAW,GAAG,EAAE,CAAC;AAE5E,IAAM,cAAc,CAAC,OAAqB,WAAoB;AAC5D,SAAO,SAAS,SAAS,IAAI,KAAK,OAAO,KAAK;AAChD;AAEA,IAAM,gCAAgC,CACpC,SACG;AACH,MAAI,cAAc;AAElB,QAAM,qBAAqB,MAAM;AAC/B,UAAM,WAAW,KAAK;AACtB,UAAM,OAAO,KAAK;AAClB,QAAI,QAAQ,WAAW,KAAK,IAAI,MAAM,WAAW;AACjD,YAAQ,YAAY,OAAO,KAAK,MAAM;AACtC,WAAO,KAAK,IAAI,KAAK,0BAA0B,OAAO,KAAK;AAAA,EAC7D;AAEA,SAAO,YAA2B;AAChC,UAAM,MAAM,mBAAmB,CAAC;AAChC;AAAA,EACF;AACF;AAMO,IAAM,QAAQ,OAAU,UAAgC,UAAwB,CAAC,MAAkB;AACxG,MAAI,aAAa;AACjB,QAAM,EAAE,aAAa,cAAc,wBAAwB,QAAQ,kBAAkB,OAAO,IAAI;AAAA,IAC9F,GAAG;AAAA,IACH,GAAG;AAAA,EACL;AAEA,QAAM,QAAQ,8BAA8B;AAAA,IAC1C;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF,CAAC;AAED,SAAO,MAAM;AACX,QAAI;AACF,aAAO,MAAM,SAAS;AAAA,IACxB,SAAS,GAAG;AACV;AACA,UAAI,CAAC,YAAY,GAAG,UAAU,GAAG;AAC/B,cAAM;AAAA,MACR;AACA,UAAI,oBAAoB,eAAe,GAAG;AACxC,cAAM,MAAM,YAAY,yBAAyB,MAAM,CAAC;AAAA,MAC1D,OAAO;AACL,cAAM,MAAM;AAAA,MACd;AAAA,IACF;AAAA,EACF;AACF;;;AD5GA,IAAM,oBAAoB;AAC1B,IAAM,eAAe;AAUrB,eAAsB,WAAW,MAAM,IAAI,MAAqD;AAC9F,QAAM,EAAE,OAAO,OAAO,YAAY,aAAa,MAAM,IAAI,QAAQ,CAAC;AAElE,QAAM,OAAO,MAAM;AACjB,WAAO,IAAI,QAA2B,CAAC,SAAS,WAAW;AACzD,UAAI,CAAC,KAAK;AACR,eAAO,IAAI,MAAM,YAAY,CAAC;AAAA,MAChC;AAEA,UAAI,CAAC,YAAY,CAAC,SAAS,MAAM;AAC/B,eAAO,iBAAiB;AAAA,MAC1B;AAEA,YAAM,SAAS,SAAS,cAAc,QAAQ;AAE9C,UAAI,YAAa,QAAO,aAAa,eAAe,WAAW;AAC/D,aAAO,QAAQ,SAAS;AACxB,aAAO,QAAQ,SAAS;AAExB,aAAO,iBAAiB,QAAQ,MAAM;AACpC,eAAO,OAAO;AACd,gBAAQ,MAAM;AAAA,MAChB,CAAC;AAED,aAAO,iBAAiB,SAAS,MAAM;AACrC,eAAO,OAAO;AACd,eAAO;AAAA,MACT,CAAC;AAED,aAAO,MAAM;AACb,aAAO,QAAQ;AACf,mBAAa,MAAM;AACnB,eAAS,KAAK,YAAY,MAAM;AAAA,IAClC,CAAC;AAAA,EACH;AAEA,SAAO,MAAM,MAAM,EAAE,aAAa,CAAC,GAAG,eAAe,cAAc,EAAE,CAAC;AACxE;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.mjs new file mode 100644 index 000000000..ff9dcb694 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.mjs @@ -0,0 +1,9 @@ +import { + loadScript +} from "./chunk-YIV5QDK5.mjs"; +import "./chunk-BUNBAIZO.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + loadScript +}; +//# sourceMappingURL=loadScript.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/loadScript.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.d.mts new file mode 100644 index 000000000..f433fd17c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.d.mts @@ -0,0 +1,12 @@ +type Listener = (e: MessageEvent) => void; +declare class LocalStorageBroadcastChannel { + private readonly eventTarget; + private readonly channelKey; + constructor(name: string); + postMessage: (data: E) => void; + addEventListener: (eventName: "message", listener: Listener) => void; + private setupLocalStorageListener; + private prefixEventName; +} + +export { LocalStorageBroadcastChannel }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.d.ts new file mode 100644 index 000000000..f433fd17c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.d.ts @@ -0,0 +1,12 @@ +type Listener = (e: MessageEvent) => void; +declare class LocalStorageBroadcastChannel { + private readonly eventTarget; + private readonly channelKey; + constructor(name: string); + postMessage: (data: E) => void; + addEventListener: (eventName: "message", listener: Listener) => void; + private setupLocalStorageListener; + private prefixEventName; +} + +export { LocalStorageBroadcastChannel }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.js new file mode 100644 index 000000000..e130d3aa1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.js @@ -0,0 +1,72 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/localStorageBroadcastChannel.ts +var localStorageBroadcastChannel_exports = {}; +__export(localStorageBroadcastChannel_exports, { + LocalStorageBroadcastChannel: () => LocalStorageBroadcastChannel +}); +module.exports = __toCommonJS(localStorageBroadcastChannel_exports); +var KEY_PREFIX = "__lsbc__"; +var LocalStorageBroadcastChannel = class { + constructor(name) { + this.eventTarget = window; + this.postMessage = (data) => { + if (typeof window === "undefined") { + return; + } + try { + window.localStorage.setItem(this.channelKey, JSON.stringify(data)); + window.localStorage.removeItem(this.channelKey); + } catch { + } + }; + this.addEventListener = (eventName, listener) => { + this.eventTarget.addEventListener(this.prefixEventName(eventName), (e) => { + listener(e); + }); + }; + this.setupLocalStorageListener = () => { + const notifyListeners = (e) => { + if (e.key !== this.channelKey || !e.newValue) { + return; + } + try { + const data = JSON.parse(e.newValue || ""); + const event = new MessageEvent(this.prefixEventName("message"), { + data + }); + this.eventTarget.dispatchEvent(event); + } catch { + } + }; + window.addEventListener("storage", notifyListeners); + }; + this.channelKey = KEY_PREFIX + name; + this.setupLocalStorageListener(); + } + prefixEventName(eventName) { + return this.channelKey + eventName; + } +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + LocalStorageBroadcastChannel +}); +//# sourceMappingURL=localStorageBroadcastChannel.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.js.map new file mode 100644 index 000000000..b6c141f77 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/localStorageBroadcastChannel.ts"],"sourcesContent":["type Listener = (e: MessageEvent) => void;\n\nconst KEY_PREFIX = '__lsbc__';\n\nexport class LocalStorageBroadcastChannel {\n private readonly eventTarget = window;\n private readonly channelKey: string;\n\n constructor(name: string) {\n this.channelKey = KEY_PREFIX + name;\n this.setupLocalStorageListener();\n }\n\n public postMessage = (data: E): void => {\n if (typeof window === 'undefined') {\n // Silently do nothing\n return;\n }\n\n try {\n window.localStorage.setItem(this.channelKey, JSON.stringify(data));\n window.localStorage.removeItem(this.channelKey);\n } catch {\n // Silently do nothing\n }\n };\n\n public addEventListener = (eventName: 'message', listener: Listener): void => {\n this.eventTarget.addEventListener(this.prefixEventName(eventName), e => {\n listener(e as MessageEvent);\n });\n };\n\n private setupLocalStorageListener = () => {\n const notifyListeners = (e: StorageEvent) => {\n if (e.key !== this.channelKey || !e.newValue) {\n return;\n }\n\n try {\n const data = JSON.parse(e.newValue || '');\n const event = new MessageEvent(this.prefixEventName('message'), {\n data,\n });\n this.eventTarget.dispatchEvent(event);\n } catch {\n //\n }\n };\n\n window.addEventListener('storage', notifyListeners);\n };\n\n private prefixEventName(eventName: string): string {\n return this.channelKey + eventName;\n }\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAEA,IAAM,aAAa;AAEZ,IAAM,+BAAN,MAAsC;AAAA,EAI3C,YAAY,MAAc;AAH1B,SAAiB,cAAc;AAQ/B,SAAO,cAAc,CAAC,SAAkB;AACtC,UAAI,OAAO,WAAW,aAAa;AAEjC;AAAA,MACF;AAEA,UAAI;AACF,eAAO,aAAa,QAAQ,KAAK,YAAY,KAAK,UAAU,IAAI,CAAC;AACjE,eAAO,aAAa,WAAW,KAAK,UAAU;AAAA,MAChD,QAAQ;AAAA,MAER;AAAA,IACF;AAEA,SAAO,mBAAmB,CAAC,WAAsB,aAAgC;AAC/E,WAAK,YAAY,iBAAiB,KAAK,gBAAgB,SAAS,GAAG,OAAK;AACtE,iBAAS,CAAiB;AAAA,MAC5B,CAAC;AAAA,IACH;AAEA,SAAQ,4BAA4B,MAAM;AACxC,YAAM,kBAAkB,CAAC,MAAoB;AAC3C,YAAI,EAAE,QAAQ,KAAK,cAAc,CAAC,EAAE,UAAU;AAC5C;AAAA,QACF;AAEA,YAAI;AACF,gBAAM,OAAO,KAAK,MAAM,EAAE,YAAY,EAAE;AACxC,gBAAM,QAAQ,IAAI,aAAa,KAAK,gBAAgB,SAAS,GAAG;AAAA,YAC9D;AAAA,UACF,CAAC;AACD,eAAK,YAAY,cAAc,KAAK;AAAA,QACtC,QAAQ;AAAA,QAER;AAAA,MACF;AAEA,aAAO,iBAAiB,WAAW,eAAe;AAAA,IACpD;AA1CE,SAAK,aAAa,aAAa;AAC/B,SAAK,0BAA0B;AAAA,EACjC;AAAA,EA0CQ,gBAAgB,WAA2B;AACjD,WAAO,KAAK,aAAa;AAAA,EAC3B;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.mjs new file mode 100644 index 000000000..66d6b3e2c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.mjs @@ -0,0 +1,8 @@ +import { + LocalStorageBroadcastChannel +} from "./chunk-KZL5MSSZ.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + LocalStorageBroadcastChannel +}; +//# sourceMappingURL=localStorageBroadcastChannel.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/localStorageBroadcastChannel.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.d.mts new file mode 100644 index 000000000..be28bcc10 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.d.mts @@ -0,0 +1,10 @@ +declare const logger: { + /** + * A custom logger that ensures messages are logged only once. + * Reduces noise and duplicated messages when logs are in a hot codepath. + */ + warnOnce: (msg: string) => void; + logOnce: (msg: string) => void; +}; + +export { logger }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.d.ts new file mode 100644 index 000000000..be28bcc10 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.d.ts @@ -0,0 +1,10 @@ +declare const logger: { + /** + * A custom logger that ensures messages are logged only once. + * Reduces noise and duplicated messages when logs are in a hot codepath. + */ + warnOnce: (msg: string) => void; + logOnce: (msg: string) => void; +}; + +export { logger }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.js new file mode 100644 index 000000000..726460f63 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.js @@ -0,0 +1,51 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/logger.ts +var logger_exports = {}; +__export(logger_exports, { + logger: () => logger +}); +module.exports = __toCommonJS(logger_exports); +var loggedMessages = /* @__PURE__ */ new Set(); +var logger = { + /** + * A custom logger that ensures messages are logged only once. + * Reduces noise and duplicated messages when logs are in a hot codepath. + */ + warnOnce: (msg) => { + if (loggedMessages.has(msg)) { + return; + } + loggedMessages.add(msg); + console.warn(msg); + }, + logOnce: (msg) => { + if (loggedMessages.has(msg)) { + return; + } + console.log(msg); + loggedMessages.add(msg); + } +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + logger +}); +//# sourceMappingURL=logger.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.js.map new file mode 100644 index 000000000..e4da331ba --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/logger.ts"],"sourcesContent":["const loggedMessages: Set = new Set();\n\nexport const logger = {\n /**\n * A custom logger that ensures messages are logged only once.\n * Reduces noise and duplicated messages when logs are in a hot codepath.\n */\n warnOnce: (msg: string) => {\n if (loggedMessages.has(msg)) {\n return;\n }\n\n loggedMessages.add(msg);\n console.warn(msg);\n },\n logOnce: (msg: string) => {\n if (loggedMessages.has(msg)) {\n return;\n }\n\n console.log(msg);\n loggedMessages.add(msg);\n },\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAAM,iBAA8B,oBAAI,IAAI;AAErC,IAAM,SAAS;AAAA;AAAA;AAAA;AAAA;AAAA,EAKpB,UAAU,CAAC,QAAgB;AACzB,QAAI,eAAe,IAAI,GAAG,GAAG;AAC3B;AAAA,IACF;AAEA,mBAAe,IAAI,GAAG;AACtB,YAAQ,KAAK,GAAG;AAAA,EAClB;AAAA,EACA,SAAS,CAAC,QAAgB;AACxB,QAAI,eAAe,IAAI,GAAG,GAAG;AAC3B;AAAA,IACF;AAEA,YAAQ,IAAI,GAAG;AACf,mBAAe,IAAI,GAAG;AAAA,EACxB;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.mjs new file mode 100644 index 000000000..f577ed993 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.mjs @@ -0,0 +1,8 @@ +import { + logger +} from "./chunk-CYDR2ZSA.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + logger +}; +//# sourceMappingURL=logger.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/logger.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.d.mts new file mode 100644 index 000000000..d18a2f1db --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.d.mts @@ -0,0 +1,10 @@ +import { OAuthProviderData, OAuthProvider, OAuthStrategy } from '@clerk/types'; + +declare const OAUTH_PROVIDERS: OAuthProviderData[]; +interface getOAuthProviderDataProps { + provider?: OAuthProvider; + strategy?: OAuthStrategy; +} +declare function getOAuthProviderData({ provider, strategy, }: getOAuthProviderDataProps): OAuthProviderData | undefined | null; + +export { OAUTH_PROVIDERS, getOAuthProviderData }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.d.ts new file mode 100644 index 000000000..d18a2f1db --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.d.ts @@ -0,0 +1,10 @@ +import { OAuthProviderData, OAuthProvider, OAuthStrategy } from '@clerk/types'; + +declare const OAUTH_PROVIDERS: OAuthProviderData[]; +interface getOAuthProviderDataProps { + provider?: OAuthProvider; + strategy?: OAuthStrategy; +} +declare function getOAuthProviderData({ provider, strategy, }: getOAuthProviderDataProps): OAuthProviderData | undefined | null; + +export { OAUTH_PROVIDERS, getOAuthProviderData }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.js new file mode 100644 index 000000000..ff62e18f2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.js @@ -0,0 +1,211 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/oauth.ts +var oauth_exports = {}; +__export(oauth_exports, { + OAUTH_PROVIDERS: () => OAUTH_PROVIDERS, + getOAuthProviderData: () => getOAuthProviderData +}); +module.exports = __toCommonJS(oauth_exports); +var OAUTH_PROVIDERS = [ + { + provider: "google", + strategy: "oauth_google", + name: "Google", + docsUrl: "https://clerk.com/docs/authentication/social-connections/google" + }, + { + provider: "discord", + strategy: "oauth_discord", + name: "Discord", + docsUrl: "https://clerk.com/docs/authentication/social-connections/discord" + }, + { + provider: "facebook", + strategy: "oauth_facebook", + name: "Facebook", + docsUrl: "https://clerk.com/docs/authentication/social-connections/facebook" + }, + { + provider: "twitch", + strategy: "oauth_twitch", + name: "Twitch", + docsUrl: "https://clerk.com/docs/authentication/social-connections/twitch" + }, + { + provider: "twitter", + strategy: "oauth_twitter", + name: "Twitter", + docsUrl: "https://clerk.com/docs/authentication/social-connections/twitter" + }, + { + provider: "microsoft", + strategy: "oauth_microsoft", + name: "Microsoft", + docsUrl: "https://clerk.com/docs/authentication/social-connections/microsoft" + }, + { + provider: "tiktok", + strategy: "oauth_tiktok", + name: "TikTok", + docsUrl: "https://clerk.com/docs/authentication/social-connections/tiktok" + }, + { + provider: "linkedin", + strategy: "oauth_linkedin", + name: "LinkedIn", + docsUrl: "https://clerk.com/docs/authentication/social-connections/linkedin" + }, + { + provider: "linkedin_oidc", + strategy: "oauth_linkedin_oidc", + name: "LinkedIn", + docsUrl: "https://clerk.com/docs/authentication/social-connections/linkedin-oidc" + }, + { + provider: "github", + strategy: "oauth_github", + name: "GitHub", + docsUrl: "https://clerk.com/docs/authentication/social-connections/github" + }, + { + provider: "gitlab", + strategy: "oauth_gitlab", + name: "GitLab", + docsUrl: "https://clerk.com/docs/authentication/social-connections/gitlab" + }, + { + provider: "dropbox", + strategy: "oauth_dropbox", + name: "Dropbox", + docsUrl: "https://clerk.com/docs/authentication/social-connections/dropbox" + }, + { + provider: "atlassian", + strategy: "oauth_atlassian", + name: "Atlassian", + docsUrl: "https://clerk.com/docs/authentication/social-connections/atlassian" + }, + { + provider: "bitbucket", + strategy: "oauth_bitbucket", + name: "Bitbucket", + docsUrl: "https://clerk.com/docs/authentication/social-connections/bitbucket" + }, + { + provider: "hubspot", + strategy: "oauth_hubspot", + name: "HubSpot", + docsUrl: "https://clerk.com/docs/authentication/social-connections/hubspot" + }, + { + provider: "notion", + strategy: "oauth_notion", + name: "Notion", + docsUrl: "https://clerk.com/docs/authentication/social-connections/notion" + }, + { + provider: "apple", + strategy: "oauth_apple", + name: "Apple", + docsUrl: "https://clerk.com/docs/authentication/social-connections/apple" + }, + { + provider: "line", + strategy: "oauth_line", + name: "LINE", + docsUrl: "https://clerk.com/docs/authentication/social-connections/line" + }, + { + provider: "instagram", + strategy: "oauth_instagram", + name: "Instagram", + docsUrl: "https://clerk.com/docs/authentication/social-connections/instagram" + }, + { + provider: "coinbase", + strategy: "oauth_coinbase", + name: "Coinbase", + docsUrl: "https://clerk.com/docs/authentication/social-connections/coinbase" + }, + { + provider: "spotify", + strategy: "oauth_spotify", + name: "Spotify", + docsUrl: "https://clerk.com/docs/authentication/social-connections/spotify" + }, + { + provider: "xero", + strategy: "oauth_xero", + name: "Xero", + docsUrl: "https://clerk.com/docs/authentication/social-connections/xero" + }, + { + provider: "box", + strategy: "oauth_box", + name: "Box", + docsUrl: "https://clerk.com/docs/authentication/social-connections/box" + }, + { + provider: "slack", + strategy: "oauth_slack", + name: "Slack", + docsUrl: "https://clerk.com/docs/authentication/social-connections/slack" + }, + { + provider: "linear", + strategy: "oauth_linear", + name: "Linear", + docsUrl: "https://clerk.com/docs/authentication/social-connections/linear" + }, + { + provider: "x", + strategy: "oauth_x", + name: "X / Twitter", + docsUrl: "https://clerk.com/docs/authentication/social-connections/x-twitter-v2" + }, + { + provider: "enstall", + strategy: "oauth_enstall", + name: "Enstall", + docsUrl: "https://clerk.com/docs/authentication/social-connections/enstall" + }, + { + provider: "huggingface", + strategy: "oauth_huggingface", + name: "Hugging Face", + docsUrl: "https://clerk.com/docs/authentication/social-connections/huggingface" + } +]; +function getOAuthProviderData({ + provider, + strategy +}) { + if (provider) { + return OAUTH_PROVIDERS.find((oauth_provider) => oauth_provider.provider == provider); + } + return OAUTH_PROVIDERS.find((oauth_provider) => oauth_provider.strategy == strategy); +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + OAUTH_PROVIDERS, + getOAuthProviderData +}); +//# sourceMappingURL=oauth.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.js.map new file mode 100644 index 000000000..7d5a20174 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/oauth.ts"],"sourcesContent":["import type { OAuthProvider, OAuthProviderData, OAuthStrategy } from '@clerk/types';\n\nexport const OAUTH_PROVIDERS: OAuthProviderData[] = [\n {\n provider: 'google',\n strategy: 'oauth_google',\n name: 'Google',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/google',\n },\n {\n provider: 'discord',\n strategy: 'oauth_discord',\n name: 'Discord',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/discord',\n },\n {\n provider: 'facebook',\n strategy: 'oauth_facebook',\n name: 'Facebook',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/facebook',\n },\n {\n provider: 'twitch',\n strategy: 'oauth_twitch',\n name: 'Twitch',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/twitch',\n },\n {\n provider: 'twitter',\n strategy: 'oauth_twitter',\n name: 'Twitter',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/twitter',\n },\n {\n provider: 'microsoft',\n strategy: 'oauth_microsoft',\n name: 'Microsoft',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/microsoft',\n },\n {\n provider: 'tiktok',\n strategy: 'oauth_tiktok',\n name: 'TikTok',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/tiktok',\n },\n {\n provider: 'linkedin',\n strategy: 'oauth_linkedin',\n name: 'LinkedIn',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/linkedin',\n },\n {\n provider: 'linkedin_oidc',\n strategy: 'oauth_linkedin_oidc',\n name: 'LinkedIn',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/linkedin-oidc',\n },\n {\n provider: 'github',\n strategy: 'oauth_github',\n name: 'GitHub',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/github',\n },\n {\n provider: 'gitlab',\n strategy: 'oauth_gitlab',\n name: 'GitLab',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/gitlab',\n },\n {\n provider: 'dropbox',\n strategy: 'oauth_dropbox',\n name: 'Dropbox',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/dropbox',\n },\n {\n provider: 'atlassian',\n strategy: 'oauth_atlassian',\n name: 'Atlassian',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/atlassian',\n },\n {\n provider: 'bitbucket',\n strategy: 'oauth_bitbucket',\n name: 'Bitbucket',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/bitbucket',\n },\n {\n provider: 'hubspot',\n strategy: 'oauth_hubspot',\n name: 'HubSpot',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/hubspot',\n },\n {\n provider: 'notion',\n strategy: 'oauth_notion',\n name: 'Notion',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/notion',\n },\n {\n provider: 'apple',\n strategy: 'oauth_apple',\n name: 'Apple',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/apple',\n },\n {\n provider: 'line',\n strategy: 'oauth_line',\n name: 'LINE',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/line',\n },\n {\n provider: 'instagram',\n strategy: 'oauth_instagram',\n name: 'Instagram',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/instagram',\n },\n {\n provider: 'coinbase',\n strategy: 'oauth_coinbase',\n name: 'Coinbase',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/coinbase',\n },\n {\n provider: 'spotify',\n strategy: 'oauth_spotify',\n name: 'Spotify',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/spotify',\n },\n {\n provider: 'xero',\n strategy: 'oauth_xero',\n name: 'Xero',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/xero',\n },\n {\n provider: 'box',\n strategy: 'oauth_box',\n name: 'Box',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/box',\n },\n {\n provider: 'slack',\n strategy: 'oauth_slack',\n name: 'Slack',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/slack',\n },\n {\n provider: 'linear',\n strategy: 'oauth_linear',\n name: 'Linear',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/linear',\n },\n {\n provider: 'x',\n strategy: 'oauth_x',\n name: 'X / Twitter',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/x-twitter-v2',\n },\n {\n provider: 'enstall',\n strategy: 'oauth_enstall',\n name: 'Enstall',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/enstall',\n },\n {\n provider: 'huggingface',\n strategy: 'oauth_huggingface',\n name: 'Hugging Face',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/huggingface',\n },\n];\n\ninterface getOAuthProviderDataProps {\n provider?: OAuthProvider;\n strategy?: OAuthStrategy;\n}\n\nexport function getOAuthProviderData({\n provider,\n strategy,\n}: getOAuthProviderDataProps): OAuthProviderData | undefined | null {\n if (provider) {\n return OAUTH_PROVIDERS.find(oauth_provider => oauth_provider.provider == provider);\n }\n\n return OAUTH_PROVIDERS.find(oauth_provider => oauth_provider.strategy == strategy);\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAEO,IAAM,kBAAuC;AAAA,EAClD;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AACF;AAOO,SAAS,qBAAqB;AAAA,EACnC;AAAA,EACA;AACF,GAAoE;AAClE,MAAI,UAAU;AACZ,WAAO,gBAAgB,KAAK,oBAAkB,eAAe,YAAY,QAAQ;AAAA,EACnF;AAEA,SAAO,gBAAgB,KAAK,oBAAkB,eAAe,YAAY,QAAQ;AACnF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.mjs new file mode 100644 index 000000000..3d80f9c1d --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.mjs @@ -0,0 +1,187 @@ +import "./chunk-7ELT755Q.mjs"; + +// src/oauth.ts +var OAUTH_PROVIDERS = [ + { + provider: "google", + strategy: "oauth_google", + name: "Google", + docsUrl: "https://clerk.com/docs/authentication/social-connections/google" + }, + { + provider: "discord", + strategy: "oauth_discord", + name: "Discord", + docsUrl: "https://clerk.com/docs/authentication/social-connections/discord" + }, + { + provider: "facebook", + strategy: "oauth_facebook", + name: "Facebook", + docsUrl: "https://clerk.com/docs/authentication/social-connections/facebook" + }, + { + provider: "twitch", + strategy: "oauth_twitch", + name: "Twitch", + docsUrl: "https://clerk.com/docs/authentication/social-connections/twitch" + }, + { + provider: "twitter", + strategy: "oauth_twitter", + name: "Twitter", + docsUrl: "https://clerk.com/docs/authentication/social-connections/twitter" + }, + { + provider: "microsoft", + strategy: "oauth_microsoft", + name: "Microsoft", + docsUrl: "https://clerk.com/docs/authentication/social-connections/microsoft" + }, + { + provider: "tiktok", + strategy: "oauth_tiktok", + name: "TikTok", + docsUrl: "https://clerk.com/docs/authentication/social-connections/tiktok" + }, + { + provider: "linkedin", + strategy: "oauth_linkedin", + name: "LinkedIn", + docsUrl: "https://clerk.com/docs/authentication/social-connections/linkedin" + }, + { + provider: "linkedin_oidc", + strategy: "oauth_linkedin_oidc", + name: "LinkedIn", + docsUrl: "https://clerk.com/docs/authentication/social-connections/linkedin-oidc" + }, + { + provider: "github", + strategy: "oauth_github", + name: "GitHub", + docsUrl: "https://clerk.com/docs/authentication/social-connections/github" + }, + { + provider: "gitlab", + strategy: "oauth_gitlab", + name: "GitLab", + docsUrl: "https://clerk.com/docs/authentication/social-connections/gitlab" + }, + { + provider: "dropbox", + strategy: "oauth_dropbox", + name: "Dropbox", + docsUrl: "https://clerk.com/docs/authentication/social-connections/dropbox" + }, + { + provider: "atlassian", + strategy: "oauth_atlassian", + name: "Atlassian", + docsUrl: "https://clerk.com/docs/authentication/social-connections/atlassian" + }, + { + provider: "bitbucket", + strategy: "oauth_bitbucket", + name: "Bitbucket", + docsUrl: "https://clerk.com/docs/authentication/social-connections/bitbucket" + }, + { + provider: "hubspot", + strategy: "oauth_hubspot", + name: "HubSpot", + docsUrl: "https://clerk.com/docs/authentication/social-connections/hubspot" + }, + { + provider: "notion", + strategy: "oauth_notion", + name: "Notion", + docsUrl: "https://clerk.com/docs/authentication/social-connections/notion" + }, + { + provider: "apple", + strategy: "oauth_apple", + name: "Apple", + docsUrl: "https://clerk.com/docs/authentication/social-connections/apple" + }, + { + provider: "line", + strategy: "oauth_line", + name: "LINE", + docsUrl: "https://clerk.com/docs/authentication/social-connections/line" + }, + { + provider: "instagram", + strategy: "oauth_instagram", + name: "Instagram", + docsUrl: "https://clerk.com/docs/authentication/social-connections/instagram" + }, + { + provider: "coinbase", + strategy: "oauth_coinbase", + name: "Coinbase", + docsUrl: "https://clerk.com/docs/authentication/social-connections/coinbase" + }, + { + provider: "spotify", + strategy: "oauth_spotify", + name: "Spotify", + docsUrl: "https://clerk.com/docs/authentication/social-connections/spotify" + }, + { + provider: "xero", + strategy: "oauth_xero", + name: "Xero", + docsUrl: "https://clerk.com/docs/authentication/social-connections/xero" + }, + { + provider: "box", + strategy: "oauth_box", + name: "Box", + docsUrl: "https://clerk.com/docs/authentication/social-connections/box" + }, + { + provider: "slack", + strategy: "oauth_slack", + name: "Slack", + docsUrl: "https://clerk.com/docs/authentication/social-connections/slack" + }, + { + provider: "linear", + strategy: "oauth_linear", + name: "Linear", + docsUrl: "https://clerk.com/docs/authentication/social-connections/linear" + }, + { + provider: "x", + strategy: "oauth_x", + name: "X / Twitter", + docsUrl: "https://clerk.com/docs/authentication/social-connections/x-twitter-v2" + }, + { + provider: "enstall", + strategy: "oauth_enstall", + name: "Enstall", + docsUrl: "https://clerk.com/docs/authentication/social-connections/enstall" + }, + { + provider: "huggingface", + strategy: "oauth_huggingface", + name: "Hugging Face", + docsUrl: "https://clerk.com/docs/authentication/social-connections/huggingface" + } +]; +function getOAuthProviderData({ + provider, + strategy +}) { + if (provider) { + return OAUTH_PROVIDERS.find((oauth_provider) => oauth_provider.provider == provider); + } + return OAUTH_PROVIDERS.find((oauth_provider) => oauth_provider.strategy == strategy); +} +export { + OAUTH_PROVIDERS, + getOAuthProviderData +}; +//# sourceMappingURL=oauth.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.mjs.map new file mode 100644 index 000000000..6db6b912e --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/oauth.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/oauth.ts"],"sourcesContent":["import type { OAuthProvider, OAuthProviderData, OAuthStrategy } from '@clerk/types';\n\nexport const OAUTH_PROVIDERS: OAuthProviderData[] = [\n {\n provider: 'google',\n strategy: 'oauth_google',\n name: 'Google',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/google',\n },\n {\n provider: 'discord',\n strategy: 'oauth_discord',\n name: 'Discord',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/discord',\n },\n {\n provider: 'facebook',\n strategy: 'oauth_facebook',\n name: 'Facebook',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/facebook',\n },\n {\n provider: 'twitch',\n strategy: 'oauth_twitch',\n name: 'Twitch',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/twitch',\n },\n {\n provider: 'twitter',\n strategy: 'oauth_twitter',\n name: 'Twitter',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/twitter',\n },\n {\n provider: 'microsoft',\n strategy: 'oauth_microsoft',\n name: 'Microsoft',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/microsoft',\n },\n {\n provider: 'tiktok',\n strategy: 'oauth_tiktok',\n name: 'TikTok',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/tiktok',\n },\n {\n provider: 'linkedin',\n strategy: 'oauth_linkedin',\n name: 'LinkedIn',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/linkedin',\n },\n {\n provider: 'linkedin_oidc',\n strategy: 'oauth_linkedin_oidc',\n name: 'LinkedIn',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/linkedin-oidc',\n },\n {\n provider: 'github',\n strategy: 'oauth_github',\n name: 'GitHub',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/github',\n },\n {\n provider: 'gitlab',\n strategy: 'oauth_gitlab',\n name: 'GitLab',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/gitlab',\n },\n {\n provider: 'dropbox',\n strategy: 'oauth_dropbox',\n name: 'Dropbox',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/dropbox',\n },\n {\n provider: 'atlassian',\n strategy: 'oauth_atlassian',\n name: 'Atlassian',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/atlassian',\n },\n {\n provider: 'bitbucket',\n strategy: 'oauth_bitbucket',\n name: 'Bitbucket',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/bitbucket',\n },\n {\n provider: 'hubspot',\n strategy: 'oauth_hubspot',\n name: 'HubSpot',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/hubspot',\n },\n {\n provider: 'notion',\n strategy: 'oauth_notion',\n name: 'Notion',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/notion',\n },\n {\n provider: 'apple',\n strategy: 'oauth_apple',\n name: 'Apple',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/apple',\n },\n {\n provider: 'line',\n strategy: 'oauth_line',\n name: 'LINE',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/line',\n },\n {\n provider: 'instagram',\n strategy: 'oauth_instagram',\n name: 'Instagram',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/instagram',\n },\n {\n provider: 'coinbase',\n strategy: 'oauth_coinbase',\n name: 'Coinbase',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/coinbase',\n },\n {\n provider: 'spotify',\n strategy: 'oauth_spotify',\n name: 'Spotify',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/spotify',\n },\n {\n provider: 'xero',\n strategy: 'oauth_xero',\n name: 'Xero',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/xero',\n },\n {\n provider: 'box',\n strategy: 'oauth_box',\n name: 'Box',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/box',\n },\n {\n provider: 'slack',\n strategy: 'oauth_slack',\n name: 'Slack',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/slack',\n },\n {\n provider: 'linear',\n strategy: 'oauth_linear',\n name: 'Linear',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/linear',\n },\n {\n provider: 'x',\n strategy: 'oauth_x',\n name: 'X / Twitter',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/x-twitter-v2',\n },\n {\n provider: 'enstall',\n strategy: 'oauth_enstall',\n name: 'Enstall',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/enstall',\n },\n {\n provider: 'huggingface',\n strategy: 'oauth_huggingface',\n name: 'Hugging Face',\n docsUrl: 'https://clerk.com/docs/authentication/social-connections/huggingface',\n },\n];\n\ninterface getOAuthProviderDataProps {\n provider?: OAuthProvider;\n strategy?: OAuthStrategy;\n}\n\nexport function getOAuthProviderData({\n provider,\n strategy,\n}: getOAuthProviderDataProps): OAuthProviderData | undefined | null {\n if (provider) {\n return OAUTH_PROVIDERS.find(oauth_provider => oauth_provider.provider == provider);\n }\n\n return OAUTH_PROVIDERS.find(oauth_provider => oauth_provider.strategy == strategy);\n}\n"],"mappings":";;;AAEO,IAAM,kBAAuC;AAAA,EAClD;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AACF;AAOO,SAAS,qBAAqB;AAAA,EACnC;AAAA,EACA;AACF,GAAoE;AAClE,MAAI,UAAU;AACZ,WAAO,gBAAgB,KAAK,oBAAkB,eAAe,YAAY,QAAQ;AAAA,EACnF;AAEA,SAAO,gBAAgB,KAAK,oBAAkB,eAAe,YAAY,QAAQ;AACnF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.d.mts new file mode 100644 index 000000000..f92bf7c09 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.d.mts @@ -0,0 +1,6 @@ +declare const without: (obj: T, ...props: P[]) => Omit; +declare const removeUndefined: (obj: T) => Partial; +declare const applyFunctionToObj: , R>(obj: T, fn: (val: any, key: string) => R) => Record; +declare const filterProps: >(obj: T, filter: (a: any) => boolean) => T; + +export { applyFunctionToObj, filterProps, removeUndefined, without }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.d.ts new file mode 100644 index 000000000..f92bf7c09 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.d.ts @@ -0,0 +1,6 @@ +declare const without: (obj: T, ...props: P[]) => Omit; +declare const removeUndefined: (obj: T) => Partial; +declare const applyFunctionToObj: , R>(obj: T, fn: (val: any, key: string) => R) => Record; +declare const filterProps: >(obj: T, filter: (a: any) => boolean) => T; + +export { applyFunctionToObj, filterProps, removeUndefined, without }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.js new file mode 100644 index 000000000..8e15e8192 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.js @@ -0,0 +1,67 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/object.ts +var object_exports = {}; +__export(object_exports, { + applyFunctionToObj: () => applyFunctionToObj, + filterProps: () => filterProps, + removeUndefined: () => removeUndefined, + without: () => without +}); +module.exports = __toCommonJS(object_exports); +var without = (obj, ...props) => { + const copy = { ...obj }; + for (const prop of props) { + delete copy[prop]; + } + return copy; +}; +var removeUndefined = (obj) => { + return Object.entries(obj).reduce((acc, [key, value]) => { + if (value !== void 0 && value !== null) { + acc[key] = value; + } + return acc; + }, {}); +}; +var applyFunctionToObj = (obj, fn) => { + const result = {}; + for (const key in obj) { + result[key] = fn(obj[key], key); + } + return result; +}; +var filterProps = (obj, filter) => { + const result = {}; + for (const key in obj) { + if (obj[key] && filter(obj[key])) { + result[key] = obj[key]; + } + } + return result; +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + applyFunctionToObj, + filterProps, + removeUndefined, + without +}); +//# sourceMappingURL=object.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.js.map new file mode 100644 index 000000000..90d2162b4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/object.ts"],"sourcesContent":["export const without = (obj: T, ...props: P[]): Omit => {\n const copy = { ...obj };\n for (const prop of props) {\n delete copy[prop];\n }\n return copy;\n};\n\nexport const removeUndefined = (obj: T): Partial => {\n return Object.entries(obj).reduce((acc, [key, value]) => {\n if (value !== undefined && value !== null) {\n acc[key as keyof T] = value;\n }\n return acc;\n }, {} as Partial);\n};\n\nexport const applyFunctionToObj = , R>(\n obj: T,\n fn: (val: any, key: string) => R,\n): Record => {\n const result = {} as Record;\n for (const key in obj) {\n result[key] = fn(obj[key], key);\n }\n return result;\n};\n\nexport const filterProps = >(obj: T, filter: (a: any) => boolean): T => {\n const result = {} as T;\n for (const key in obj) {\n if (obj[key] && filter(obj[key])) {\n result[key] = obj[key];\n }\n }\n return result;\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAO,IAAM,UAAU,CAAsC,QAAW,UAA2B;AACjG,QAAM,OAAO,EAAE,GAAG,IAAI;AACtB,aAAW,QAAQ,OAAO;AACxB,WAAO,KAAK,IAAI;AAAA,EAClB;AACA,SAAO;AACT;AAEO,IAAM,kBAAkB,CAAmB,QAAuB;AACvE,SAAO,OAAO,QAAQ,GAAG,EAAE,OAAO,CAAC,KAAK,CAAC,KAAK,KAAK,MAAM;AACvD,QAAI,UAAU,UAAa,UAAU,MAAM;AACzC,UAAI,GAAc,IAAI;AAAA,IACxB;AACA,WAAO;AAAA,EACT,GAAG,CAAC,CAAe;AACrB;AAEO,IAAM,qBAAqB,CAChC,KACA,OACsB;AACtB,QAAM,SAAS,CAAC;AAChB,aAAW,OAAO,KAAK;AACrB,WAAO,GAAG,IAAI,GAAG,IAAI,GAAG,GAAG,GAAG;AAAA,EAChC;AACA,SAAO;AACT;AAEO,IAAM,cAAc,CAAgC,KAAQ,WAAmC;AACpG,QAAM,SAAS,CAAC;AAChB,aAAW,OAAO,KAAK;AACrB,QAAI,IAAI,GAAG,KAAK,OAAO,IAAI,GAAG,CAAC,GAAG;AAChC,aAAO,GAAG,IAAI,IAAI,GAAG;AAAA,IACvB;AAAA,EACF;AACA,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.mjs new file mode 100644 index 000000000..0c68d1166 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.mjs @@ -0,0 +1,14 @@ +import { + applyFunctionToObj, + filterProps, + removeUndefined, + without +} from "./chunk-CFXQSUF6.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + applyFunctionToObj, + filterProps, + removeUndefined, + without +}; +//# sourceMappingURL=object.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/object.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.d.mts new file mode 100644 index 000000000..35265dd0e --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.d.mts @@ -0,0 +1,11 @@ +import { OrganizationMembershipResource } from '@clerk/types'; + +/** + * Finds the organization membership for a given organization ID from a list of memberships + * @param organizationMemberships - Array of organization memberships to search through + * @param organizationId - ID of the organization to find the membership for + * @returns The matching organization membership or undefined if not found + */ +declare function getCurrentOrganizationMembership(organizationMemberships: OrganizationMembershipResource[], organizationId: string): OrganizationMembershipResource | undefined; + +export { getCurrentOrganizationMembership }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.d.ts new file mode 100644 index 000000000..35265dd0e --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.d.ts @@ -0,0 +1,11 @@ +import { OrganizationMembershipResource } from '@clerk/types'; + +/** + * Finds the organization membership for a given organization ID from a list of memberships + * @param organizationMemberships - Array of organization memberships to search through + * @param organizationId - ID of the organization to find the membership for + * @returns The matching organization membership or undefined if not found + */ +declare function getCurrentOrganizationMembership(organizationMemberships: OrganizationMembershipResource[], organizationId: string): OrganizationMembershipResource | undefined; + +export { getCurrentOrganizationMembership }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.js new file mode 100644 index 000000000..0da3372e7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.js @@ -0,0 +1,35 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/organization.ts +var organization_exports = {}; +__export(organization_exports, { + getCurrentOrganizationMembership: () => getCurrentOrganizationMembership +}); +module.exports = __toCommonJS(organization_exports); +function getCurrentOrganizationMembership(organizationMemberships, organizationId) { + return organizationMemberships.find( + (organizationMembership) => organizationMembership.organization.id === organizationId + ); +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + getCurrentOrganizationMembership +}); +//# sourceMappingURL=organization.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.js.map new file mode 100644 index 000000000..be512acdc --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/organization.ts"],"sourcesContent":["import type { OrganizationMembershipResource } from '@clerk/types';\n\n/**\n * Finds the organization membership for a given organization ID from a list of memberships\n * @param organizationMemberships - Array of organization memberships to search through\n * @param organizationId - ID of the organization to find the membership for\n * @returns The matching organization membership or undefined if not found\n */\nexport function getCurrentOrganizationMembership(\n organizationMemberships: OrganizationMembershipResource[],\n organizationId: string,\n) {\n return organizationMemberships.find(\n organizationMembership => organizationMembership.organization.id === organizationId,\n );\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAQO,SAAS,iCACd,yBACA,gBACA;AACA,SAAO,wBAAwB;AAAA,IAC7B,4BAA0B,uBAAuB,aAAa,OAAO;AAAA,EACvE;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.mjs new file mode 100644 index 000000000..2db764ddd --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.mjs @@ -0,0 +1,8 @@ +import { + getCurrentOrganizationMembership +} from "./chunk-IBXKDGSZ.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + getCurrentOrganizationMembership +}; +//# sourceMappingURL=organization.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/organization.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.d.mts new file mode 100644 index 000000000..86f581717 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.d.mts @@ -0,0 +1,14 @@ +import { Autocomplete } from '@clerk/types'; + +type WithPathPatternWildcard = `${T & string}(.*)`; +type PathPattern = Autocomplete; +type PathMatcherParam = Array | RegExp | PathPattern; +/** + * Creates a function that matches paths against a set of patterns. + * + * @param patterns - A string, RegExp, or array of patterns to match against + * @returns A function that takes a pathname and returns true if it matches any of the patterns + */ +declare const createPathMatcher: (patterns: PathMatcherParam) => (pathname: string) => boolean; + +export { type PathMatcherParam, type PathPattern, type WithPathPatternWildcard, createPathMatcher }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.d.ts new file mode 100644 index 000000000..86f581717 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.d.ts @@ -0,0 +1,14 @@ +import { Autocomplete } from '@clerk/types'; + +type WithPathPatternWildcard = `${T & string}(.*)`; +type PathPattern = Autocomplete; +type PathMatcherParam = Array | RegExp | PathPattern; +/** + * Creates a function that matches paths against a set of patterns. + * + * @param patterns - A string, RegExp, or array of patterns to match against + * @returns A function that takes a pathname and returns true if it matches any of the patterns + */ +declare const createPathMatcher: (patterns: PathMatcherParam) => (pathname: string) => boolean; + +export { type PathMatcherParam, type PathPattern, type WithPathPatternWildcard, createPathMatcher }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.js new file mode 100644 index 000000000..f6516b174 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.js @@ -0,0 +1,263 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/pathMatcher.ts +var pathMatcher_exports = {}; +__export(pathMatcher_exports, { + createPathMatcher: () => createPathMatcher +}); +module.exports = __toCommonJS(pathMatcher_exports); + +// src/compiled/path-to-regexp/index.js +function _(r) { + for (var n = [], e = 0; e < r.length; ) { + var a = r[e]; + if (a === "*" || a === "+" || a === "?") { + n.push({ + type: "MODIFIER", + index: e, + value: r[e++] + }); + continue; + } + if (a === "\\") { + n.push({ + type: "ESCAPED_CHAR", + index: e++, + value: r[e++] + }); + continue; + } + if (a === "{") { + n.push({ + type: "OPEN", + index: e, + value: r[e++] + }); + continue; + } + if (a === "}") { + n.push({ + type: "CLOSE", + index: e, + value: r[e++] + }); + continue; + } + if (a === ":") { + for (var u = "", t = e + 1; t < r.length; ) { + var c = r.charCodeAt(t); + if (c >= 48 && c <= 57 || c >= 65 && c <= 90 || c >= 97 && c <= 122 || c === 95) { + u += r[t++]; + continue; + } + break; + } + if (!u) throw new TypeError("Missing parameter name at ".concat(e)); + n.push({ + type: "NAME", + index: e, + value: u + }), e = t; + continue; + } + if (a === "(") { + var o = 1, m = "", t = e + 1; + if (r[t] === "?") throw new TypeError('Pattern cannot start with "?" at '.concat(t)); + for (; t < r.length; ) { + if (r[t] === "\\") { + m += r[t++] + r[t++]; + continue; + } + if (r[t] === ")") { + if (o--, o === 0) { + t++; + break; + } + } else if (r[t] === "(" && (o++, r[t + 1] !== "?")) + throw new TypeError("Capturing groups are not allowed at ".concat(t)); + m += r[t++]; + } + if (o) throw new TypeError("Unbalanced pattern at ".concat(e)); + if (!m) throw new TypeError("Missing pattern at ".concat(e)); + n.push({ + type: "PATTERN", + index: e, + value: m + }), e = t; + continue; + } + n.push({ + type: "CHAR", + index: e, + value: r[e++] + }); + } + return n.push({ + type: "END", + index: e, + value: "" + }), n; +} +function F(r, n) { + n === void 0 && (n = {}); + for (var e = _(r), a = n.prefixes, u = a === void 0 ? "./" : a, t = n.delimiter, c = t === void 0 ? "/#?" : t, o = [], m = 0, h = 0, p = "", f = function(l) { + if (h < e.length && e[h].type === l) return e[h++].value; + }, w = function(l) { + var v = f(l); + if (v !== void 0) return v; + var E = e[h], N = E.type, S = E.index; + throw new TypeError("Unexpected ".concat(N, " at ").concat(S, ", expected ").concat(l)); + }, d = function() { + for (var l = "", v; v = f("CHAR") || f("ESCAPED_CHAR"); ) l += v; + return l; + }, M = function(l) { + for (var v = 0, E = c; v < E.length; v++) { + var N = E[v]; + if (l.indexOf(N) > -1) return true; + } + return false; + }, A = function(l) { + var v = o[o.length - 1], E = l || (v && typeof v == "string" ? v : ""); + if (v && !E) + throw new TypeError('Must have text between two parameters, missing text after "'.concat(v.name, '"')); + return !E || M(E) ? "[^".concat(s(c), "]+?") : "(?:(?!".concat(s(E), ")[^").concat(s(c), "])+?"); + }; h < e.length; ) { + var T = f("CHAR"), x = f("NAME"), C = f("PATTERN"); + if (x || C) { + var g = T || ""; + u.indexOf(g) === -1 && (p += g, g = ""), p && (o.push(p), p = ""), o.push({ + name: x || m++, + prefix: g, + suffix: "", + pattern: C || A(g), + modifier: f("MODIFIER") || "" + }); + continue; + } + var i = T || f("ESCAPED_CHAR"); + if (i) { + p += i; + continue; + } + p && (o.push(p), p = ""); + var R = f("OPEN"); + if (R) { + var g = d(), y = f("NAME") || "", O = f("PATTERN") || "", b = d(); + w("CLOSE"), o.push({ + name: y || (O ? m++ : ""), + pattern: y && !O ? A(g) : O, + prefix: g, + suffix: b, + modifier: f("MODIFIER") || "" + }); + continue; + } + w("END"); + } + return o; +} +function s(r) { + return r.replace(/([.+*?=^!:${}()[\]|/\\])/g, "\\$1"); +} +function D(r) { + return r && r.sensitive ? "" : "i"; +} +function $(r, n) { + if (!n) return r; + for (var e = /\((?:\?<(.*?)>)?(?!\?)/g, a = 0, u = e.exec(r.source); u; ) + n.push({ + name: u[1] || a++, + prefix: "", + suffix: "", + modifier: "", + pattern: "" + }), u = e.exec(r.source); + return r; +} +function W(r, n, e) { + var a = r.map(function(u) { + return P(u, n, e).source; + }); + return new RegExp("(?:".concat(a.join("|"), ")"), D(e)); +} +function L(r, n, e) { + return U(F(r, e), n, e); +} +function U(r, n, e) { + e === void 0 && (e = {}); + for (var a = e.strict, u = a === void 0 ? false : a, t = e.start, c = t === void 0 ? true : t, o = e.end, m = o === void 0 ? true : o, h = e.encode, p = h === void 0 ? function(v) { + return v; + } : h, f = e.delimiter, w = f === void 0 ? "/#?" : f, d = e.endsWith, M = d === void 0 ? "" : d, A = "[".concat(s(M), "]|$"), T = "[".concat(s(w), "]"), x = c ? "^" : "", C = 0, g = r; C < g.length; C++) { + var i = g[C]; + if (typeof i == "string") x += s(p(i)); + else { + var R = s(p(i.prefix)), y = s(p(i.suffix)); + if (i.pattern) + if (n && n.push(i), R || y) + if (i.modifier === "+" || i.modifier === "*") { + var O = i.modifier === "*" ? "?" : ""; + x += "(?:".concat(R, "((?:").concat(i.pattern, ")(?:").concat(y).concat(R, "(?:").concat(i.pattern, "))*)").concat(y, ")").concat(O); + } else x += "(?:".concat(R, "(").concat(i.pattern, ")").concat(y, ")").concat(i.modifier); + else { + if (i.modifier === "+" || i.modifier === "*") + throw new TypeError('Can not repeat "'.concat(i.name, '" without a prefix and suffix')); + x += "(".concat(i.pattern, ")").concat(i.modifier); + } + else x += "(?:".concat(R).concat(y, ")").concat(i.modifier); + } + } + if (m) u || (x += "".concat(T, "?")), x += e.endsWith ? "(?=".concat(A, ")") : "$"; + else { + var b = r[r.length - 1], l = typeof b == "string" ? T.indexOf(b[b.length - 1]) > -1 : b === void 0; + u || (x += "(?:".concat(T, "(?=").concat(A, "))?")), l || (x += "(?=".concat(T, "|").concat(A, ")")); + } + return new RegExp(x, D(e)); +} +function P(r, n, e) { + return r instanceof RegExp ? $(r, n) : Array.isArray(r) ? W(r, n, e) : L(r, n, e); +} + +// src/pathToRegexp.ts +var pathToRegexp = (path) => { + try { + return P(path); + } catch (e) { + throw new Error( + `Invalid path: ${path}. +Consult the documentation of path-to-regexp here: https://github.com/pillarjs/path-to-regexp/tree/6.x +${e.message}` + ); + } +}; + +// src/pathMatcher.ts +var precomputePathRegex = (patterns) => { + return patterns.map((pattern) => pattern instanceof RegExp ? pattern : pathToRegexp(pattern)); +}; +var createPathMatcher = (patterns) => { + const routePatterns = [patterns || ""].flat().filter(Boolean); + const matchers = precomputePathRegex(routePatterns); + return (pathname) => matchers.some((matcher) => matcher.test(pathname)); +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + createPathMatcher +}); +//# sourceMappingURL=pathMatcher.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.js.map new file mode 100644 index 000000000..32c780a11 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/pathMatcher.ts","../src/compiled/path-to-regexp/index.js","../src/pathToRegexp.ts"],"sourcesContent":["import type { Autocomplete } from '@clerk/types';\n\nimport { pathToRegexp } from './pathToRegexp';\n\nexport type WithPathPatternWildcard = `${T & string}(.*)`;\nexport type PathPattern = Autocomplete;\nexport type PathMatcherParam = Array | RegExp | PathPattern;\n\nconst precomputePathRegex = (patterns: Array) => {\n return patterns.map(pattern => (pattern instanceof RegExp ? pattern : pathToRegexp(pattern)));\n};\n\n/**\n * Creates a function that matches paths against a set of patterns.\n *\n * @param patterns - A string, RegExp, or array of patterns to match against\n * @returns A function that takes a pathname and returns true if it matches any of the patterns\n */\nexport const createPathMatcher = (patterns: PathMatcherParam) => {\n const routePatterns = [patterns || ''].flat().filter(Boolean);\n const matchers = precomputePathRegex(routePatterns);\n return (pathname: string) => matchers.some(matcher => matcher.test(pathname));\n};\n","/* eslint-disable no-redeclare, curly */\n\nfunction _(r) {\n for (var n = [], e = 0; e < r.length; ) {\n var a = r[e];\n if (a === '*' || a === '+' || a === '?') {\n n.push({\n type: 'MODIFIER',\n index: e,\n value: r[e++],\n });\n continue;\n }\n if (a === '\\\\') {\n n.push({\n type: 'ESCAPED_CHAR',\n index: e++,\n value: r[e++],\n });\n continue;\n }\n if (a === '{') {\n n.push({\n type: 'OPEN',\n index: e,\n value: r[e++],\n });\n continue;\n }\n if (a === '}') {\n n.push({\n type: 'CLOSE',\n index: e,\n value: r[e++],\n });\n continue;\n }\n if (a === ':') {\n for (var u = '', t = e + 1; t < r.length; ) {\n var c = r.charCodeAt(t);\n if ((c >= 48 && c <= 57) || (c >= 65 && c <= 90) || (c >= 97 && c <= 122) || c === 95) {\n u += r[t++];\n continue;\n }\n break;\n }\n if (!u) throw new TypeError('Missing parameter name at '.concat(e));\n n.push({\n type: 'NAME',\n index: e,\n value: u,\n }),\n (e = t);\n continue;\n }\n if (a === '(') {\n var o = 1,\n m = '',\n t = e + 1;\n if (r[t] === '?') throw new TypeError('Pattern cannot start with \"?\" at '.concat(t));\n for (; t < r.length; ) {\n if (r[t] === '\\\\') {\n m += r[t++] + r[t++];\n continue;\n }\n if (r[t] === ')') {\n if ((o--, o === 0)) {\n t++;\n break;\n }\n } else if (r[t] === '(' && (o++, r[t + 1] !== '?'))\n throw new TypeError('Capturing groups are not allowed at '.concat(t));\n m += r[t++];\n }\n if (o) throw new TypeError('Unbalanced pattern at '.concat(e));\n if (!m) throw new TypeError('Missing pattern at '.concat(e));\n n.push({\n type: 'PATTERN',\n index: e,\n value: m,\n }),\n (e = t);\n continue;\n }\n n.push({\n type: 'CHAR',\n index: e,\n value: r[e++],\n });\n }\n return (\n n.push({\n type: 'END',\n index: e,\n value: '',\n }),\n n\n );\n}\n\nfunction F(r, n) {\n n === void 0 && (n = {});\n for (\n var e = _(r),\n a = n.prefixes,\n u = a === void 0 ? './' : a,\n t = n.delimiter,\n c = t === void 0 ? '/#?' : t,\n o = [],\n m = 0,\n h = 0,\n p = '',\n f = function (l) {\n if (h < e.length && e[h].type === l) return e[h++].value;\n },\n w = function (l) {\n var v = f(l);\n if (v !== void 0) return v;\n var E = e[h],\n N = E.type,\n S = E.index;\n throw new TypeError('Unexpected '.concat(N, ' at ').concat(S, ', expected ').concat(l));\n },\n d = function () {\n for (var l = '', v; (v = f('CHAR') || f('ESCAPED_CHAR')); ) l += v;\n return l;\n },\n M = function (l) {\n for (var v = 0, E = c; v < E.length; v++) {\n var N = E[v];\n if (l.indexOf(N) > -1) return !0;\n }\n return !1;\n },\n A = function (l) {\n var v = o[o.length - 1],\n E = l || (v && typeof v == 'string' ? v : '');\n if (v && !E)\n throw new TypeError('Must have text between two parameters, missing text after \"'.concat(v.name, '\"'));\n return !E || M(E) ? '[^'.concat(s(c), ']+?') : '(?:(?!'.concat(s(E), ')[^').concat(s(c), '])+?');\n };\n h < e.length;\n\n ) {\n var T = f('CHAR'),\n x = f('NAME'),\n C = f('PATTERN');\n if (x || C) {\n var g = T || '';\n u.indexOf(g) === -1 && ((p += g), (g = '')),\n p && (o.push(p), (p = '')),\n o.push({\n name: x || m++,\n prefix: g,\n suffix: '',\n pattern: C || A(g),\n modifier: f('MODIFIER') || '',\n });\n continue;\n }\n var i = T || f('ESCAPED_CHAR');\n if (i) {\n p += i;\n continue;\n }\n p && (o.push(p), (p = ''));\n var R = f('OPEN');\n if (R) {\n var g = d(),\n y = f('NAME') || '',\n O = f('PATTERN') || '',\n b = d();\n w('CLOSE'),\n o.push({\n name: y || (O ? m++ : ''),\n pattern: y && !O ? A(g) : O,\n prefix: g,\n suffix: b,\n modifier: f('MODIFIER') || '',\n });\n continue;\n }\n w('END');\n }\n return o;\n}\n\nfunction H(r, n) {\n var e = [],\n a = P(r, e, n);\n return I(a, e, n);\n}\n\nfunction I(r, n, e) {\n e === void 0 && (e = {});\n var a = e.decode,\n u =\n a === void 0\n ? function (t) {\n return t;\n }\n : a;\n return function (t) {\n var c = r.exec(t);\n if (!c) return !1;\n for (\n var o = c[0],\n m = c.index,\n h = Object.create(null),\n p = function (w) {\n if (c[w] === void 0) return 'continue';\n var d = n[w - 1];\n d.modifier === '*' || d.modifier === '+'\n ? (h[d.name] = c[w].split(d.prefix + d.suffix).map(function (M) {\n return u(M, d);\n }))\n : (h[d.name] = u(c[w], d));\n },\n f = 1;\n f < c.length;\n f++\n )\n p(f);\n return {\n path: o,\n index: m,\n params: h,\n };\n };\n}\n\nfunction s(r) {\n return r.replace(/([.+*?=^!:${}()[\\]|/\\\\])/g, '\\\\$1');\n}\n\nfunction D(r) {\n return r && r.sensitive ? '' : 'i';\n}\n\nfunction $(r, n) {\n if (!n) return r;\n for (var e = /\\((?:\\?<(.*?)>)?(?!\\?)/g, a = 0, u = e.exec(r.source); u; )\n n.push({\n name: u[1] || a++,\n prefix: '',\n suffix: '',\n modifier: '',\n pattern: '',\n }),\n (u = e.exec(r.source));\n return r;\n}\n\nfunction W(r, n, e) {\n var a = r.map(function (u) {\n return P(u, n, e).source;\n });\n return new RegExp('(?:'.concat(a.join('|'), ')'), D(e));\n}\n\nfunction L(r, n, e) {\n return U(F(r, e), n, e);\n}\n\nfunction U(r, n, e) {\n e === void 0 && (e = {});\n for (\n var a = e.strict,\n u = a === void 0 ? !1 : a,\n t = e.start,\n c = t === void 0 ? !0 : t,\n o = e.end,\n m = o === void 0 ? !0 : o,\n h = e.encode,\n p =\n h === void 0\n ? function (v) {\n return v;\n }\n : h,\n f = e.delimiter,\n w = f === void 0 ? '/#?' : f,\n d = e.endsWith,\n M = d === void 0 ? '' : d,\n A = '['.concat(s(M), ']|$'),\n T = '['.concat(s(w), ']'),\n x = c ? '^' : '',\n C = 0,\n g = r;\n C < g.length;\n C++\n ) {\n var i = g[C];\n if (typeof i == 'string') x += s(p(i));\n else {\n var R = s(p(i.prefix)),\n y = s(p(i.suffix));\n if (i.pattern)\n if ((n && n.push(i), R || y))\n if (i.modifier === '+' || i.modifier === '*') {\n var O = i.modifier === '*' ? '?' : '';\n x += '(?:'\n .concat(R, '((?:')\n .concat(i.pattern, ')(?:')\n .concat(y)\n .concat(R, '(?:')\n .concat(i.pattern, '))*)')\n .concat(y, ')')\n .concat(O);\n } else x += '(?:'.concat(R, '(').concat(i.pattern, ')').concat(y, ')').concat(i.modifier);\n else {\n if (i.modifier === '+' || i.modifier === '*')\n throw new TypeError('Can not repeat \"'.concat(i.name, '\" without a prefix and suffix'));\n x += '('.concat(i.pattern, ')').concat(i.modifier);\n }\n else x += '(?:'.concat(R).concat(y, ')').concat(i.modifier);\n }\n }\n if (m) u || (x += ''.concat(T, '?')), (x += e.endsWith ? '(?='.concat(A, ')') : '$');\n else {\n var b = r[r.length - 1],\n l = typeof b == 'string' ? T.indexOf(b[b.length - 1]) > -1 : b === void 0;\n u || (x += '(?:'.concat(T, '(?=').concat(A, '))?')), l || (x += '(?='.concat(T, '|').concat(A, ')'));\n }\n return new RegExp(x, D(e));\n}\n\nfunction P(r, n, e) {\n return r instanceof RegExp ? $(r, n) : Array.isArray(r) ? W(r, n, e) : L(r, n, e);\n}\nexport { H as match, P as pathToRegexp };\n","import type {\n Match,\n MatchFunction,\n ParseOptions,\n Path,\n RegexpToFunctionOptions,\n TokensToRegexpOptions,\n} from './compiled/path-to-regexp';\nimport { match as matchBase, pathToRegexp as pathToRegexpBase } from './compiled/path-to-regexp';\n\nexport const pathToRegexp = (path: string) => {\n try {\n // @ts-ignore no types exists for the pre-compiled package\n return pathToRegexpBase(path);\n } catch (e: any) {\n throw new Error(\n `Invalid path: ${path}.\\nConsult the documentation of path-to-regexp here: https://github.com/pillarjs/path-to-regexp/tree/6.x\\n${e.message}`,\n );\n }\n};\n\nexport function match

(\n str: Path,\n options?: ParseOptions & TokensToRegexpOptions & RegexpToFunctionOptions,\n): MatchFunction

{\n try {\n // @ts-ignore no types exists for the pre-compiled package\n return matchBase(str, options);\n } catch (e: any) {\n throw new Error(\n `Invalid path and options: Consult the documentation of path-to-regexp here: https://github.com/pillarjs/path-to-regexp/tree/6.x\\n${e.message}`,\n );\n }\n}\n\nexport { type Match, type MatchFunction };\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACEA,SAAS,EAAE,GAAG;AACZ,WAAS,IAAI,CAAC,GAAG,IAAI,GAAG,IAAI,EAAE,UAAU;AACtC,QAAI,IAAI,EAAE,CAAC;AACX,QAAI,MAAM,OAAO,MAAM,OAAO,MAAM,KAAK;AACvC,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,MAAM;AACd,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,eAAS,IAAI,IAAI,IAAI,IAAI,GAAG,IAAI,EAAE,UAAU;AAC1C,YAAI,IAAI,EAAE,WAAW,CAAC;AACtB,YAAK,KAAK,MAAM,KAAK,MAAQ,KAAK,MAAM,KAAK,MAAQ,KAAK,MAAM,KAAK,OAAQ,MAAM,IAAI;AACrF,eAAK,EAAE,GAAG;AACV;AAAA,QACF;AACA;AAAA,MACF;AACA,UAAI,CAAC,EAAG,OAAM,IAAI,UAAU,6BAA6B,OAAO,CAAC,CAAC;AAClE,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO;AAAA,MACT,CAAC,GACE,IAAI;AACP;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,UAAI,IAAI,GACN,IAAI,IACJ,IAAI,IAAI;AACV,UAAI,EAAE,CAAC,MAAM,IAAK,OAAM,IAAI,UAAU,oCAAoC,OAAO,CAAC,CAAC;AACnF,aAAO,IAAI,EAAE,UAAU;AACrB,YAAI,EAAE,CAAC,MAAM,MAAM;AACjB,eAAK,EAAE,GAAG,IAAI,EAAE,GAAG;AACnB;AAAA,QACF;AACA,YAAI,EAAE,CAAC,MAAM,KAAK;AAChB,cAAK,KAAK,MAAM,GAAI;AAClB;AACA;AAAA,UACF;AAAA,QACF,WAAW,EAAE,CAAC,MAAM,QAAQ,KAAK,EAAE,IAAI,CAAC,MAAM;AAC5C,gBAAM,IAAI,UAAU,uCAAuC,OAAO,CAAC,CAAC;AACtE,aAAK,EAAE,GAAG;AAAA,MACZ;AACA,UAAI,EAAG,OAAM,IAAI,UAAU,yBAAyB,OAAO,CAAC,CAAC;AAC7D,UAAI,CAAC,EAAG,OAAM,IAAI,UAAU,sBAAsB,OAAO,CAAC,CAAC;AAC3D,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO;AAAA,MACT,CAAC,GACE,IAAI;AACP;AAAA,IACF;AACA,MAAE,KAAK;AAAA,MACL,MAAM;AAAA,MACN,OAAO;AAAA,MACP,OAAO,EAAE,GAAG;AAAA,IACd,CAAC;AAAA,EACH;AACA,SACE,EAAE,KAAK;AAAA,IACL,MAAM;AAAA,IACN,OAAO;AAAA,IACP,OAAO;AAAA,EACT,CAAC,GACD;AAEJ;AAEA,SAAS,EAAE,GAAG,GAAG;AACf,QAAM,WAAW,IAAI,CAAC;AACtB,WACM,IAAI,EAAE,CAAC,GACT,IAAI,EAAE,UACN,IAAI,MAAM,SAAS,OAAO,GAC1B,IAAI,EAAE,WACN,IAAI,MAAM,SAAS,QAAQ,GAC3B,IAAI,CAAC,GACL,IAAI,GACJ,IAAI,GACJ,IAAI,IACJ,IAAI,SAAU,GAAG;AACf,QAAI,IAAI,EAAE,UAAU,EAAE,CAAC,EAAE,SAAS,EAAG,QAAO,EAAE,GAAG,EAAE;AAAA,EACrD,GACA,IAAI,SAAU,GAAG;AACf,QAAI,IAAI,EAAE,CAAC;AACX,QAAI,MAAM,OAAQ,QAAO;AACzB,QAAI,IAAI,EAAE,CAAC,GACT,IAAI,EAAE,MACN,IAAI,EAAE;AACR,UAAM,IAAI,UAAU,cAAc,OAAO,GAAG,MAAM,EAAE,OAAO,GAAG,aAAa,EAAE,OAAO,CAAC,CAAC;AAAA,EACxF,GACA,IAAI,WAAY;AACd,aAAS,IAAI,IAAI,GAAI,IAAI,EAAE,MAAM,KAAK,EAAE,cAAc,IAAM,MAAK;AACjE,WAAO;AAAA,EACT,GACA,IAAI,SAAU,GAAG;AACf,aAAS,IAAI,GAAG,IAAI,GAAG,IAAI,EAAE,QAAQ,KAAK;AACxC,UAAI,IAAI,EAAE,CAAC;AACX,UAAI,EAAE,QAAQ,CAAC,IAAI,GAAI,QAAO;AAAA,IAChC;AACA,WAAO;AAAA,EACT,GACA,IAAI,SAAU,GAAG;AACf,QAAI,IAAI,EAAE,EAAE,SAAS,CAAC,GACpB,IAAI,MAAM,KAAK,OAAO,KAAK,WAAW,IAAI;AAC5C,QAAI,KAAK,CAAC;AACR,YAAM,IAAI,UAAU,8DAA8D,OAAO,EAAE,MAAM,GAAG,CAAC;AACvG,WAAO,CAAC,KAAK,EAAE,CAAC,IAAI,KAAK,OAAO,EAAE,CAAC,GAAG,KAAK,IAAI,SAAS,OAAO,EAAE,CAAC,GAAG,KAAK,EAAE,OAAO,EAAE,CAAC,GAAG,MAAM;AAAA,EACjG,GACF,IAAI,EAAE,UAEN;AACA,QAAI,IAAI,EAAE,MAAM,GACd,IAAI,EAAE,MAAM,GACZ,IAAI,EAAE,SAAS;AACjB,QAAI,KAAK,GAAG;AACV,UAAI,IAAI,KAAK;AACb,QAAE,QAAQ,CAAC,MAAM,OAAQ,KAAK,GAAK,IAAI,KACrC,MAAM,EAAE,KAAK,CAAC,GAAI,IAAI,KACtB,EAAE,KAAK;AAAA,QACL,MAAM,KAAK;AAAA,QACX,QAAQ;AAAA,QACR,QAAQ;AAAA,QACR,SAAS,KAAK,EAAE,CAAC;AAAA,QACjB,UAAU,EAAE,UAAU,KAAK;AAAA,MAC7B,CAAC;AACH;AAAA,IACF;AACA,QAAI,IAAI,KAAK,EAAE,cAAc;AAC7B,QAAI,GAAG;AACL,WAAK;AACL;AAAA,IACF;AACA,UAAM,EAAE,KAAK,CAAC,GAAI,IAAI;AACtB,QAAI,IAAI,EAAE,MAAM;AAChB,QAAI,GAAG;AACL,UAAI,IAAI,EAAE,GACR,IAAI,EAAE,MAAM,KAAK,IACjB,IAAI,EAAE,SAAS,KAAK,IACpB,IAAI,EAAE;AACR,QAAE,OAAO,GACP,EAAE,KAAK;AAAA,QACL,MAAM,MAAM,IAAI,MAAM;AAAA,QACtB,SAAS,KAAK,CAAC,IAAI,EAAE,CAAC,IAAI;AAAA,QAC1B,QAAQ;AAAA,QACR,QAAQ;AAAA,QACR,UAAU,EAAE,UAAU,KAAK;AAAA,MAC7B,CAAC;AACH;AAAA,IACF;AACA,MAAE,KAAK;AAAA,EACT;AACA,SAAO;AACT;AA8CA,SAAS,EAAE,GAAG;AACZ,SAAO,EAAE,QAAQ,6BAA6B,MAAM;AACtD;AAEA,SAAS,EAAE,GAAG;AACZ,SAAO,KAAK,EAAE,YAAY,KAAK;AACjC;AAEA,SAAS,EAAE,GAAG,GAAG;AACf,MAAI,CAAC,EAAG,QAAO;AACf,WAAS,IAAI,2BAA2B,IAAI,GAAG,IAAI,EAAE,KAAK,EAAE,MAAM,GAAG;AACnE,MAAE,KAAK;AAAA,MACL,MAAM,EAAE,CAAC,KAAK;AAAA,MACd,QAAQ;AAAA,MACR,QAAQ;AAAA,MACR,UAAU;AAAA,MACV,SAAS;AAAA,IACX,CAAC,GACE,IAAI,EAAE,KAAK,EAAE,MAAM;AACxB,SAAO;AACT;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,MAAI,IAAI,EAAE,IAAI,SAAU,GAAG;AACzB,WAAO,EAAE,GAAG,GAAG,CAAC,EAAE;AAAA,EACpB,CAAC;AACD,SAAO,IAAI,OAAO,MAAM,OAAO,EAAE,KAAK,GAAG,GAAG,GAAG,GAAG,EAAE,CAAC,CAAC;AACxD;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,SAAO,EAAE,EAAE,GAAG,CAAC,GAAG,GAAG,CAAC;AACxB;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,QAAM,WAAW,IAAI,CAAC;AACtB,WACM,IAAI,EAAE,QACR,IAAI,MAAM,SAAS,QAAK,GACxB,IAAI,EAAE,OACN,IAAI,MAAM,SAAS,OAAK,GACxB,IAAI,EAAE,KACN,IAAI,MAAM,SAAS,OAAK,GACxB,IAAI,EAAE,QACN,IACE,MAAM,SACF,SAAU,GAAG;AACX,WAAO;AAAA,EACT,IACA,GACN,IAAI,EAAE,WACN,IAAI,MAAM,SAAS,QAAQ,GAC3B,IAAI,EAAE,UACN,IAAI,MAAM,SAAS,KAAK,GACxB,IAAI,IAAI,OAAO,EAAE,CAAC,GAAG,KAAK,GAC1B,IAAI,IAAI,OAAO,EAAE,CAAC,GAAG,GAAG,GACxB,IAAI,IAAI,MAAM,IACd,IAAI,GACJ,IAAI,GACN,IAAI,EAAE,QACN,KACA;AACA,QAAI,IAAI,EAAE,CAAC;AACX,QAAI,OAAO,KAAK,SAAU,MAAK,EAAE,EAAE,CAAC,CAAC;AAAA,SAChC;AACH,UAAI,IAAI,EAAE,EAAE,EAAE,MAAM,CAAC,GACnB,IAAI,EAAE,EAAE,EAAE,MAAM,CAAC;AACnB,UAAI,EAAE;AACJ,YAAK,KAAK,EAAE,KAAK,CAAC,GAAG,KAAK;AACxB,cAAI,EAAE,aAAa,OAAO,EAAE,aAAa,KAAK;AAC5C,gBAAI,IAAI,EAAE,aAAa,MAAM,MAAM;AACnC,iBAAK,MACF,OAAO,GAAG,MAAM,EAChB,OAAO,EAAE,SAAS,MAAM,EACxB,OAAO,CAAC,EACR,OAAO,GAAG,KAAK,EACf,OAAO,EAAE,SAAS,MAAM,EACxB,OAAO,GAAG,GAAG,EACb,OAAO,CAAC;AAAA,UACb,MAAO,MAAK,MAAM,OAAO,GAAG,GAAG,EAAE,OAAO,EAAE,SAAS,GAAG,EAAE,OAAO,GAAG,GAAG,EAAE,OAAO,EAAE,QAAQ;AAAA,aACrF;AACH,cAAI,EAAE,aAAa,OAAO,EAAE,aAAa;AACvC,kBAAM,IAAI,UAAU,mBAAmB,OAAO,EAAE,MAAM,+BAA+B,CAAC;AACxF,eAAK,IAAI,OAAO,EAAE,SAAS,GAAG,EAAE,OAAO,EAAE,QAAQ;AAAA,QACnD;AAAA,UACG,MAAK,MAAM,OAAO,CAAC,EAAE,OAAO,GAAG,GAAG,EAAE,OAAO,EAAE,QAAQ;AAAA,IAC5D;AAAA,EACF;AACA,MAAI,EAAG,OAAM,KAAK,GAAG,OAAO,GAAG,GAAG,IAAK,KAAK,EAAE,WAAW,MAAM,OAAO,GAAG,GAAG,IAAI;AAAA,OAC3E;AACH,QAAI,IAAI,EAAE,EAAE,SAAS,CAAC,GACpB,IAAI,OAAO,KAAK,WAAW,EAAE,QAAQ,EAAE,EAAE,SAAS,CAAC,CAAC,IAAI,KAAK,MAAM;AACrE,UAAM,KAAK,MAAM,OAAO,GAAG,KAAK,EAAE,OAAO,GAAG,KAAK,IAAI,MAAM,KAAK,MAAM,OAAO,GAAG,GAAG,EAAE,OAAO,GAAG,GAAG;AAAA,EACpG;AACA,SAAO,IAAI,OAAO,GAAG,EAAE,CAAC,CAAC;AAC3B;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,SAAO,aAAa,SAAS,EAAE,GAAG,CAAC,IAAI,MAAM,QAAQ,CAAC,IAAI,EAAE,GAAG,GAAG,CAAC,IAAI,EAAE,GAAG,GAAG,CAAC;AAClF;;;AC/TO,IAAM,eAAe,CAAC,SAAiB;AAC5C,MAAI;AAEF,WAAO,EAAiB,IAAI;AAAA,EAC9B,SAAS,GAAQ;AACf,UAAM,IAAI;AAAA,MACR,iBAAiB,IAAI;AAAA;AAAA,EAA6G,EAAE,OAAO;AAAA,IAC7I;AAAA,EACF;AACF;;;AFXA,IAAM,sBAAsB,CAAC,aAAqC;AAChE,SAAO,SAAS,IAAI,aAAY,mBAAmB,SAAS,UAAU,aAAa,OAAO,CAAE;AAC9F;AAQO,IAAM,oBAAoB,CAAC,aAA+B;AAC/D,QAAM,gBAAgB,CAAC,YAAY,EAAE,EAAE,KAAK,EAAE,OAAO,OAAO;AAC5D,QAAM,WAAW,oBAAoB,aAAa;AAClD,SAAO,CAAC,aAAqB,SAAS,KAAK,aAAW,QAAQ,KAAK,QAAQ,CAAC;AAC9E;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.mjs new file mode 100644 index 000000000..fe735edb2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.mjs @@ -0,0 +1,9 @@ +import { + createPathMatcher +} from "./chunk-2ZNADCNC.mjs"; +import "./chunk-JJHTUJGL.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + createPathMatcher +}; +//# sourceMappingURL=pathMatcher.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathMatcher.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.d.mts new file mode 100644 index 000000000..caf598119 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.d.mts @@ -0,0 +1,81 @@ +interface ParseOptions { + /** + * Set the default delimiter for repeat parameters. (default: `'/'`) + */ + delimiter?: string; + /** + * List of characters to automatically consider prefixes when parsing. + */ + prefixes?: string; +} +interface RegexpToFunctionOptions { + /** + * Function for decoding strings for params. + */ + decode?: (value: string, token: Key) => string; +} +/** + * A match result contains data about the path match. + */ +interface MatchResult

{ + path: string; + index: number; + params: P; +} +/** + * A match is either `false` (no match) or a match result. + */ +type Match

= false | MatchResult

; +/** + * The match function takes a string and returns whether it matched the path. + */ +type MatchFunction

= (path: string) => Match

; +/** + * Metadata about a key. + */ +interface Key { + name: string | number; + prefix: string; + suffix: string; + pattern: string; + modifier: string; +} +interface TokensToRegexpOptions { + /** + * When `true` the regexp will be case sensitive. (default: `false`) + */ + sensitive?: boolean; + /** + * When `true` the regexp won't allow an optional trailing delimiter to match. (default: `false`) + */ + strict?: boolean; + /** + * When `true` the regexp will match to the end of the string. (default: `true`) + */ + end?: boolean; + /** + * When `true` the regexp will match from the beginning of the string. (default: `true`) + */ + start?: boolean; + /** + * Sets the final character for non-ending optimistic matches. (default: `/`) + */ + delimiter?: string; + /** + * List of characters that can also be "end" characters. + */ + endsWith?: string; + /** + * Encode path tokens for use in the `RegExp`. + */ + encode?: (value: string) => string; +} +/** + * Supported `path-to-regexp` input types. + */ +type Path = string | RegExp | Array; + +declare const pathToRegexp: (path: string) => RegExp; +declare function match

(str: Path, options?: ParseOptions & TokensToRegexpOptions & RegexpToFunctionOptions): MatchFunction

; + +export { type Match, type MatchFunction, match, pathToRegexp }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.d.ts new file mode 100644 index 000000000..caf598119 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.d.ts @@ -0,0 +1,81 @@ +interface ParseOptions { + /** + * Set the default delimiter for repeat parameters. (default: `'/'`) + */ + delimiter?: string; + /** + * List of characters to automatically consider prefixes when parsing. + */ + prefixes?: string; +} +interface RegexpToFunctionOptions { + /** + * Function for decoding strings for params. + */ + decode?: (value: string, token: Key) => string; +} +/** + * A match result contains data about the path match. + */ +interface MatchResult

{ + path: string; + index: number; + params: P; +} +/** + * A match is either `false` (no match) or a match result. + */ +type Match

= false | MatchResult

; +/** + * The match function takes a string and returns whether it matched the path. + */ +type MatchFunction

= (path: string) => Match

; +/** + * Metadata about a key. + */ +interface Key { + name: string | number; + prefix: string; + suffix: string; + pattern: string; + modifier: string; +} +interface TokensToRegexpOptions { + /** + * When `true` the regexp will be case sensitive. (default: `false`) + */ + sensitive?: boolean; + /** + * When `true` the regexp won't allow an optional trailing delimiter to match. (default: `false`) + */ + strict?: boolean; + /** + * When `true` the regexp will match to the end of the string. (default: `true`) + */ + end?: boolean; + /** + * When `true` the regexp will match from the beginning of the string. (default: `true`) + */ + start?: boolean; + /** + * Sets the final character for non-ending optimistic matches. (default: `/`) + */ + delimiter?: string; + /** + * List of characters that can also be "end" characters. + */ + endsWith?: string; + /** + * Encode path tokens for use in the `RegExp`. + */ + encode?: (value: string) => string; +} +/** + * Supported `path-to-regexp` input types. + */ +type Path = string | RegExp | Array; + +declare const pathToRegexp: (path: string) => RegExp; +declare function match

(str: Path, options?: ParseOptions & TokensToRegexpOptions & RegexpToFunctionOptions): MatchFunction

; + +export { type Match, type MatchFunction, match, pathToRegexp }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.js new file mode 100644 index 000000000..4fcf2d2ac --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.js @@ -0,0 +1,292 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/pathToRegexp.ts +var pathToRegexp_exports = {}; +__export(pathToRegexp_exports, { + match: () => match, + pathToRegexp: () => pathToRegexp +}); +module.exports = __toCommonJS(pathToRegexp_exports); + +// src/compiled/path-to-regexp/index.js +function _(r) { + for (var n = [], e = 0; e < r.length; ) { + var a = r[e]; + if (a === "*" || a === "+" || a === "?") { + n.push({ + type: "MODIFIER", + index: e, + value: r[e++] + }); + continue; + } + if (a === "\\") { + n.push({ + type: "ESCAPED_CHAR", + index: e++, + value: r[e++] + }); + continue; + } + if (a === "{") { + n.push({ + type: "OPEN", + index: e, + value: r[e++] + }); + continue; + } + if (a === "}") { + n.push({ + type: "CLOSE", + index: e, + value: r[e++] + }); + continue; + } + if (a === ":") { + for (var u = "", t = e + 1; t < r.length; ) { + var c = r.charCodeAt(t); + if (c >= 48 && c <= 57 || c >= 65 && c <= 90 || c >= 97 && c <= 122 || c === 95) { + u += r[t++]; + continue; + } + break; + } + if (!u) throw new TypeError("Missing parameter name at ".concat(e)); + n.push({ + type: "NAME", + index: e, + value: u + }), e = t; + continue; + } + if (a === "(") { + var o = 1, m = "", t = e + 1; + if (r[t] === "?") throw new TypeError('Pattern cannot start with "?" at '.concat(t)); + for (; t < r.length; ) { + if (r[t] === "\\") { + m += r[t++] + r[t++]; + continue; + } + if (r[t] === ")") { + if (o--, o === 0) { + t++; + break; + } + } else if (r[t] === "(" && (o++, r[t + 1] !== "?")) + throw new TypeError("Capturing groups are not allowed at ".concat(t)); + m += r[t++]; + } + if (o) throw new TypeError("Unbalanced pattern at ".concat(e)); + if (!m) throw new TypeError("Missing pattern at ".concat(e)); + n.push({ + type: "PATTERN", + index: e, + value: m + }), e = t; + continue; + } + n.push({ + type: "CHAR", + index: e, + value: r[e++] + }); + } + return n.push({ + type: "END", + index: e, + value: "" + }), n; +} +function F(r, n) { + n === void 0 && (n = {}); + for (var e = _(r), a = n.prefixes, u = a === void 0 ? "./" : a, t = n.delimiter, c = t === void 0 ? "/#?" : t, o = [], m = 0, h = 0, p = "", f = function(l) { + if (h < e.length && e[h].type === l) return e[h++].value; + }, w = function(l) { + var v = f(l); + if (v !== void 0) return v; + var E = e[h], N = E.type, S = E.index; + throw new TypeError("Unexpected ".concat(N, " at ").concat(S, ", expected ").concat(l)); + }, d = function() { + for (var l = "", v; v = f("CHAR") || f("ESCAPED_CHAR"); ) l += v; + return l; + }, M = function(l) { + for (var v = 0, E = c; v < E.length; v++) { + var N = E[v]; + if (l.indexOf(N) > -1) return true; + } + return false; + }, A = function(l) { + var v = o[o.length - 1], E = l || (v && typeof v == "string" ? v : ""); + if (v && !E) + throw new TypeError('Must have text between two parameters, missing text after "'.concat(v.name, '"')); + return !E || M(E) ? "[^".concat(s(c), "]+?") : "(?:(?!".concat(s(E), ")[^").concat(s(c), "])+?"); + }; h < e.length; ) { + var T = f("CHAR"), x = f("NAME"), C = f("PATTERN"); + if (x || C) { + var g = T || ""; + u.indexOf(g) === -1 && (p += g, g = ""), p && (o.push(p), p = ""), o.push({ + name: x || m++, + prefix: g, + suffix: "", + pattern: C || A(g), + modifier: f("MODIFIER") || "" + }); + continue; + } + var i = T || f("ESCAPED_CHAR"); + if (i) { + p += i; + continue; + } + p && (o.push(p), p = ""); + var R = f("OPEN"); + if (R) { + var g = d(), y = f("NAME") || "", O = f("PATTERN") || "", b = d(); + w("CLOSE"), o.push({ + name: y || (O ? m++ : ""), + pattern: y && !O ? A(g) : O, + prefix: g, + suffix: b, + modifier: f("MODIFIER") || "" + }); + continue; + } + w("END"); + } + return o; +} +function H(r, n) { + var e = [], a = P(r, e, n); + return I(a, e, n); +} +function I(r, n, e) { + e === void 0 && (e = {}); + var a = e.decode, u = a === void 0 ? function(t) { + return t; + } : a; + return function(t) { + var c = r.exec(t); + if (!c) return false; + for (var o = c[0], m = c.index, h = /* @__PURE__ */ Object.create(null), p = function(w) { + if (c[w] === void 0) return "continue"; + var d = n[w - 1]; + d.modifier === "*" || d.modifier === "+" ? h[d.name] = c[w].split(d.prefix + d.suffix).map(function(M) { + return u(M, d); + }) : h[d.name] = u(c[w], d); + }, f = 1; f < c.length; f++) + p(f); + return { + path: o, + index: m, + params: h + }; + }; +} +function s(r) { + return r.replace(/([.+*?=^!:${}()[\]|/\\])/g, "\\$1"); +} +function D(r) { + return r && r.sensitive ? "" : "i"; +} +function $(r, n) { + if (!n) return r; + for (var e = /\((?:\?<(.*?)>)?(?!\?)/g, a = 0, u = e.exec(r.source); u; ) + n.push({ + name: u[1] || a++, + prefix: "", + suffix: "", + modifier: "", + pattern: "" + }), u = e.exec(r.source); + return r; +} +function W(r, n, e) { + var a = r.map(function(u) { + return P(u, n, e).source; + }); + return new RegExp("(?:".concat(a.join("|"), ")"), D(e)); +} +function L(r, n, e) { + return U(F(r, e), n, e); +} +function U(r, n, e) { + e === void 0 && (e = {}); + for (var a = e.strict, u = a === void 0 ? false : a, t = e.start, c = t === void 0 ? true : t, o = e.end, m = o === void 0 ? true : o, h = e.encode, p = h === void 0 ? function(v) { + return v; + } : h, f = e.delimiter, w = f === void 0 ? "/#?" : f, d = e.endsWith, M = d === void 0 ? "" : d, A = "[".concat(s(M), "]|$"), T = "[".concat(s(w), "]"), x = c ? "^" : "", C = 0, g = r; C < g.length; C++) { + var i = g[C]; + if (typeof i == "string") x += s(p(i)); + else { + var R = s(p(i.prefix)), y = s(p(i.suffix)); + if (i.pattern) + if (n && n.push(i), R || y) + if (i.modifier === "+" || i.modifier === "*") { + var O = i.modifier === "*" ? "?" : ""; + x += "(?:".concat(R, "((?:").concat(i.pattern, ")(?:").concat(y).concat(R, "(?:").concat(i.pattern, "))*)").concat(y, ")").concat(O); + } else x += "(?:".concat(R, "(").concat(i.pattern, ")").concat(y, ")").concat(i.modifier); + else { + if (i.modifier === "+" || i.modifier === "*") + throw new TypeError('Can not repeat "'.concat(i.name, '" without a prefix and suffix')); + x += "(".concat(i.pattern, ")").concat(i.modifier); + } + else x += "(?:".concat(R).concat(y, ")").concat(i.modifier); + } + } + if (m) u || (x += "".concat(T, "?")), x += e.endsWith ? "(?=".concat(A, ")") : "$"; + else { + var b = r[r.length - 1], l = typeof b == "string" ? T.indexOf(b[b.length - 1]) > -1 : b === void 0; + u || (x += "(?:".concat(T, "(?=").concat(A, "))?")), l || (x += "(?=".concat(T, "|").concat(A, ")")); + } + return new RegExp(x, D(e)); +} +function P(r, n, e) { + return r instanceof RegExp ? $(r, n) : Array.isArray(r) ? W(r, n, e) : L(r, n, e); +} + +// src/pathToRegexp.ts +var pathToRegexp = (path) => { + try { + return P(path); + } catch (e) { + throw new Error( + `Invalid path: ${path}. +Consult the documentation of path-to-regexp here: https://github.com/pillarjs/path-to-regexp/tree/6.x +${e.message}` + ); + } +}; +function match(str, options) { + try { + return H(str, options); + } catch (e) { + throw new Error( + `Invalid path and options: Consult the documentation of path-to-regexp here: https://github.com/pillarjs/path-to-regexp/tree/6.x +${e.message}` + ); + } +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + match, + pathToRegexp +}); +//# sourceMappingURL=pathToRegexp.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.js.map new file mode 100644 index 000000000..0853f4561 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/pathToRegexp.ts","../src/compiled/path-to-regexp/index.js"],"sourcesContent":["import type {\n Match,\n MatchFunction,\n ParseOptions,\n Path,\n RegexpToFunctionOptions,\n TokensToRegexpOptions,\n} from './compiled/path-to-regexp';\nimport { match as matchBase, pathToRegexp as pathToRegexpBase } from './compiled/path-to-regexp';\n\nexport const pathToRegexp = (path: string) => {\n try {\n // @ts-ignore no types exists for the pre-compiled package\n return pathToRegexpBase(path);\n } catch (e: any) {\n throw new Error(\n `Invalid path: ${path}.\\nConsult the documentation of path-to-regexp here: https://github.com/pillarjs/path-to-regexp/tree/6.x\\n${e.message}`,\n );\n }\n};\n\nexport function match

(\n str: Path,\n options?: ParseOptions & TokensToRegexpOptions & RegexpToFunctionOptions,\n): MatchFunction

{\n try {\n // @ts-ignore no types exists for the pre-compiled package\n return matchBase(str, options);\n } catch (e: any) {\n throw new Error(\n `Invalid path and options: Consult the documentation of path-to-regexp here: https://github.com/pillarjs/path-to-regexp/tree/6.x\\n${e.message}`,\n );\n }\n}\n\nexport { type Match, type MatchFunction };\n","/* eslint-disable no-redeclare, curly */\n\nfunction _(r) {\n for (var n = [], e = 0; e < r.length; ) {\n var a = r[e];\n if (a === '*' || a === '+' || a === '?') {\n n.push({\n type: 'MODIFIER',\n index: e,\n value: r[e++],\n });\n continue;\n }\n if (a === '\\\\') {\n n.push({\n type: 'ESCAPED_CHAR',\n index: e++,\n value: r[e++],\n });\n continue;\n }\n if (a === '{') {\n n.push({\n type: 'OPEN',\n index: e,\n value: r[e++],\n });\n continue;\n }\n if (a === '}') {\n n.push({\n type: 'CLOSE',\n index: e,\n value: r[e++],\n });\n continue;\n }\n if (a === ':') {\n for (var u = '', t = e + 1; t < r.length; ) {\n var c = r.charCodeAt(t);\n if ((c >= 48 && c <= 57) || (c >= 65 && c <= 90) || (c >= 97 && c <= 122) || c === 95) {\n u += r[t++];\n continue;\n }\n break;\n }\n if (!u) throw new TypeError('Missing parameter name at '.concat(e));\n n.push({\n type: 'NAME',\n index: e,\n value: u,\n }),\n (e = t);\n continue;\n }\n if (a === '(') {\n var o = 1,\n m = '',\n t = e + 1;\n if (r[t] === '?') throw new TypeError('Pattern cannot start with \"?\" at '.concat(t));\n for (; t < r.length; ) {\n if (r[t] === '\\\\') {\n m += r[t++] + r[t++];\n continue;\n }\n if (r[t] === ')') {\n if ((o--, o === 0)) {\n t++;\n break;\n }\n } else if (r[t] === '(' && (o++, r[t + 1] !== '?'))\n throw new TypeError('Capturing groups are not allowed at '.concat(t));\n m += r[t++];\n }\n if (o) throw new TypeError('Unbalanced pattern at '.concat(e));\n if (!m) throw new TypeError('Missing pattern at '.concat(e));\n n.push({\n type: 'PATTERN',\n index: e,\n value: m,\n }),\n (e = t);\n continue;\n }\n n.push({\n type: 'CHAR',\n index: e,\n value: r[e++],\n });\n }\n return (\n n.push({\n type: 'END',\n index: e,\n value: '',\n }),\n n\n );\n}\n\nfunction F(r, n) {\n n === void 0 && (n = {});\n for (\n var e = _(r),\n a = n.prefixes,\n u = a === void 0 ? './' : a,\n t = n.delimiter,\n c = t === void 0 ? '/#?' : t,\n o = [],\n m = 0,\n h = 0,\n p = '',\n f = function (l) {\n if (h < e.length && e[h].type === l) return e[h++].value;\n },\n w = function (l) {\n var v = f(l);\n if (v !== void 0) return v;\n var E = e[h],\n N = E.type,\n S = E.index;\n throw new TypeError('Unexpected '.concat(N, ' at ').concat(S, ', expected ').concat(l));\n },\n d = function () {\n for (var l = '', v; (v = f('CHAR') || f('ESCAPED_CHAR')); ) l += v;\n return l;\n },\n M = function (l) {\n for (var v = 0, E = c; v < E.length; v++) {\n var N = E[v];\n if (l.indexOf(N) > -1) return !0;\n }\n return !1;\n },\n A = function (l) {\n var v = o[o.length - 1],\n E = l || (v && typeof v == 'string' ? v : '');\n if (v && !E)\n throw new TypeError('Must have text between two parameters, missing text after \"'.concat(v.name, '\"'));\n return !E || M(E) ? '[^'.concat(s(c), ']+?') : '(?:(?!'.concat(s(E), ')[^').concat(s(c), '])+?');\n };\n h < e.length;\n\n ) {\n var T = f('CHAR'),\n x = f('NAME'),\n C = f('PATTERN');\n if (x || C) {\n var g = T || '';\n u.indexOf(g) === -1 && ((p += g), (g = '')),\n p && (o.push(p), (p = '')),\n o.push({\n name: x || m++,\n prefix: g,\n suffix: '',\n pattern: C || A(g),\n modifier: f('MODIFIER') || '',\n });\n continue;\n }\n var i = T || f('ESCAPED_CHAR');\n if (i) {\n p += i;\n continue;\n }\n p && (o.push(p), (p = ''));\n var R = f('OPEN');\n if (R) {\n var g = d(),\n y = f('NAME') || '',\n O = f('PATTERN') || '',\n b = d();\n w('CLOSE'),\n o.push({\n name: y || (O ? m++ : ''),\n pattern: y && !O ? A(g) : O,\n prefix: g,\n suffix: b,\n modifier: f('MODIFIER') || '',\n });\n continue;\n }\n w('END');\n }\n return o;\n}\n\nfunction H(r, n) {\n var e = [],\n a = P(r, e, n);\n return I(a, e, n);\n}\n\nfunction I(r, n, e) {\n e === void 0 && (e = {});\n var a = e.decode,\n u =\n a === void 0\n ? function (t) {\n return t;\n }\n : a;\n return function (t) {\n var c = r.exec(t);\n if (!c) return !1;\n for (\n var o = c[0],\n m = c.index,\n h = Object.create(null),\n p = function (w) {\n if (c[w] === void 0) return 'continue';\n var d = n[w - 1];\n d.modifier === '*' || d.modifier === '+'\n ? (h[d.name] = c[w].split(d.prefix + d.suffix).map(function (M) {\n return u(M, d);\n }))\n : (h[d.name] = u(c[w], d));\n },\n f = 1;\n f < c.length;\n f++\n )\n p(f);\n return {\n path: o,\n index: m,\n params: h,\n };\n };\n}\n\nfunction s(r) {\n return r.replace(/([.+*?=^!:${}()[\\]|/\\\\])/g, '\\\\$1');\n}\n\nfunction D(r) {\n return r && r.sensitive ? '' : 'i';\n}\n\nfunction $(r, n) {\n if (!n) return r;\n for (var e = /\\((?:\\?<(.*?)>)?(?!\\?)/g, a = 0, u = e.exec(r.source); u; )\n n.push({\n name: u[1] || a++,\n prefix: '',\n suffix: '',\n modifier: '',\n pattern: '',\n }),\n (u = e.exec(r.source));\n return r;\n}\n\nfunction W(r, n, e) {\n var a = r.map(function (u) {\n return P(u, n, e).source;\n });\n return new RegExp('(?:'.concat(a.join('|'), ')'), D(e));\n}\n\nfunction L(r, n, e) {\n return U(F(r, e), n, e);\n}\n\nfunction U(r, n, e) {\n e === void 0 && (e = {});\n for (\n var a = e.strict,\n u = a === void 0 ? !1 : a,\n t = e.start,\n c = t === void 0 ? !0 : t,\n o = e.end,\n m = o === void 0 ? !0 : o,\n h = e.encode,\n p =\n h === void 0\n ? function (v) {\n return v;\n }\n : h,\n f = e.delimiter,\n w = f === void 0 ? '/#?' : f,\n d = e.endsWith,\n M = d === void 0 ? '' : d,\n A = '['.concat(s(M), ']|$'),\n T = '['.concat(s(w), ']'),\n x = c ? '^' : '',\n C = 0,\n g = r;\n C < g.length;\n C++\n ) {\n var i = g[C];\n if (typeof i == 'string') x += s(p(i));\n else {\n var R = s(p(i.prefix)),\n y = s(p(i.suffix));\n if (i.pattern)\n if ((n && n.push(i), R || y))\n if (i.modifier === '+' || i.modifier === '*') {\n var O = i.modifier === '*' ? '?' : '';\n x += '(?:'\n .concat(R, '((?:')\n .concat(i.pattern, ')(?:')\n .concat(y)\n .concat(R, '(?:')\n .concat(i.pattern, '))*)')\n .concat(y, ')')\n .concat(O);\n } else x += '(?:'.concat(R, '(').concat(i.pattern, ')').concat(y, ')').concat(i.modifier);\n else {\n if (i.modifier === '+' || i.modifier === '*')\n throw new TypeError('Can not repeat \"'.concat(i.name, '\" without a prefix and suffix'));\n x += '('.concat(i.pattern, ')').concat(i.modifier);\n }\n else x += '(?:'.concat(R).concat(y, ')').concat(i.modifier);\n }\n }\n if (m) u || (x += ''.concat(T, '?')), (x += e.endsWith ? '(?='.concat(A, ')') : '$');\n else {\n var b = r[r.length - 1],\n l = typeof b == 'string' ? T.indexOf(b[b.length - 1]) > -1 : b === void 0;\n u || (x += '(?:'.concat(T, '(?=').concat(A, '))?')), l || (x += '(?='.concat(T, '|').concat(A, ')'));\n }\n return new RegExp(x, D(e));\n}\n\nfunction P(r, n, e) {\n return r instanceof RegExp ? $(r, n) : Array.isArray(r) ? W(r, n, e) : L(r, n, e);\n}\nexport { H as match, P as pathToRegexp };\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACEA,SAAS,EAAE,GAAG;AACZ,WAAS,IAAI,CAAC,GAAG,IAAI,GAAG,IAAI,EAAE,UAAU;AACtC,QAAI,IAAI,EAAE,CAAC;AACX,QAAI,MAAM,OAAO,MAAM,OAAO,MAAM,KAAK;AACvC,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,MAAM;AACd,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO,EAAE,GAAG;AAAA,MACd,CAAC;AACD;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,eAAS,IAAI,IAAI,IAAI,IAAI,GAAG,IAAI,EAAE,UAAU;AAC1C,YAAI,IAAI,EAAE,WAAW,CAAC;AACtB,YAAK,KAAK,MAAM,KAAK,MAAQ,KAAK,MAAM,KAAK,MAAQ,KAAK,MAAM,KAAK,OAAQ,MAAM,IAAI;AACrF,eAAK,EAAE,GAAG;AACV;AAAA,QACF;AACA;AAAA,MACF;AACA,UAAI,CAAC,EAAG,OAAM,IAAI,UAAU,6BAA6B,OAAO,CAAC,CAAC;AAClE,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO;AAAA,MACT,CAAC,GACE,IAAI;AACP;AAAA,IACF;AACA,QAAI,MAAM,KAAK;AACb,UAAI,IAAI,GACN,IAAI,IACJ,IAAI,IAAI;AACV,UAAI,EAAE,CAAC,MAAM,IAAK,OAAM,IAAI,UAAU,oCAAoC,OAAO,CAAC,CAAC;AACnF,aAAO,IAAI,EAAE,UAAU;AACrB,YAAI,EAAE,CAAC,MAAM,MAAM;AACjB,eAAK,EAAE,GAAG,IAAI,EAAE,GAAG;AACnB;AAAA,QACF;AACA,YAAI,EAAE,CAAC,MAAM,KAAK;AAChB,cAAK,KAAK,MAAM,GAAI;AAClB;AACA;AAAA,UACF;AAAA,QACF,WAAW,EAAE,CAAC,MAAM,QAAQ,KAAK,EAAE,IAAI,CAAC,MAAM;AAC5C,gBAAM,IAAI,UAAU,uCAAuC,OAAO,CAAC,CAAC;AACtE,aAAK,EAAE,GAAG;AAAA,MACZ;AACA,UAAI,EAAG,OAAM,IAAI,UAAU,yBAAyB,OAAO,CAAC,CAAC;AAC7D,UAAI,CAAC,EAAG,OAAM,IAAI,UAAU,sBAAsB,OAAO,CAAC,CAAC;AAC3D,QAAE,KAAK;AAAA,QACL,MAAM;AAAA,QACN,OAAO;AAAA,QACP,OAAO;AAAA,MACT,CAAC,GACE,IAAI;AACP;AAAA,IACF;AACA,MAAE,KAAK;AAAA,MACL,MAAM;AAAA,MACN,OAAO;AAAA,MACP,OAAO,EAAE,GAAG;AAAA,IACd,CAAC;AAAA,EACH;AACA,SACE,EAAE,KAAK;AAAA,IACL,MAAM;AAAA,IACN,OAAO;AAAA,IACP,OAAO;AAAA,EACT,CAAC,GACD;AAEJ;AAEA,SAAS,EAAE,GAAG,GAAG;AACf,QAAM,WAAW,IAAI,CAAC;AACtB,WACM,IAAI,EAAE,CAAC,GACT,IAAI,EAAE,UACN,IAAI,MAAM,SAAS,OAAO,GAC1B,IAAI,EAAE,WACN,IAAI,MAAM,SAAS,QAAQ,GAC3B,IAAI,CAAC,GACL,IAAI,GACJ,IAAI,GACJ,IAAI,IACJ,IAAI,SAAU,GAAG;AACf,QAAI,IAAI,EAAE,UAAU,EAAE,CAAC,EAAE,SAAS,EAAG,QAAO,EAAE,GAAG,EAAE;AAAA,EACrD,GACA,IAAI,SAAU,GAAG;AACf,QAAI,IAAI,EAAE,CAAC;AACX,QAAI,MAAM,OAAQ,QAAO;AACzB,QAAI,IAAI,EAAE,CAAC,GACT,IAAI,EAAE,MACN,IAAI,EAAE;AACR,UAAM,IAAI,UAAU,cAAc,OAAO,GAAG,MAAM,EAAE,OAAO,GAAG,aAAa,EAAE,OAAO,CAAC,CAAC;AAAA,EACxF,GACA,IAAI,WAAY;AACd,aAAS,IAAI,IAAI,GAAI,IAAI,EAAE,MAAM,KAAK,EAAE,cAAc,IAAM,MAAK;AACjE,WAAO;AAAA,EACT,GACA,IAAI,SAAU,GAAG;AACf,aAAS,IAAI,GAAG,IAAI,GAAG,IAAI,EAAE,QAAQ,KAAK;AACxC,UAAI,IAAI,EAAE,CAAC;AACX,UAAI,EAAE,QAAQ,CAAC,IAAI,GAAI,QAAO;AAAA,IAChC;AACA,WAAO;AAAA,EACT,GACA,IAAI,SAAU,GAAG;AACf,QAAI,IAAI,EAAE,EAAE,SAAS,CAAC,GACpB,IAAI,MAAM,KAAK,OAAO,KAAK,WAAW,IAAI;AAC5C,QAAI,KAAK,CAAC;AACR,YAAM,IAAI,UAAU,8DAA8D,OAAO,EAAE,MAAM,GAAG,CAAC;AACvG,WAAO,CAAC,KAAK,EAAE,CAAC,IAAI,KAAK,OAAO,EAAE,CAAC,GAAG,KAAK,IAAI,SAAS,OAAO,EAAE,CAAC,GAAG,KAAK,EAAE,OAAO,EAAE,CAAC,GAAG,MAAM;AAAA,EACjG,GACF,IAAI,EAAE,UAEN;AACA,QAAI,IAAI,EAAE,MAAM,GACd,IAAI,EAAE,MAAM,GACZ,IAAI,EAAE,SAAS;AACjB,QAAI,KAAK,GAAG;AACV,UAAI,IAAI,KAAK;AACb,QAAE,QAAQ,CAAC,MAAM,OAAQ,KAAK,GAAK,IAAI,KACrC,MAAM,EAAE,KAAK,CAAC,GAAI,IAAI,KACtB,EAAE,KAAK;AAAA,QACL,MAAM,KAAK;AAAA,QACX,QAAQ;AAAA,QACR,QAAQ;AAAA,QACR,SAAS,KAAK,EAAE,CAAC;AAAA,QACjB,UAAU,EAAE,UAAU,KAAK;AAAA,MAC7B,CAAC;AACH;AAAA,IACF;AACA,QAAI,IAAI,KAAK,EAAE,cAAc;AAC7B,QAAI,GAAG;AACL,WAAK;AACL;AAAA,IACF;AACA,UAAM,EAAE,KAAK,CAAC,GAAI,IAAI;AACtB,QAAI,IAAI,EAAE,MAAM;AAChB,QAAI,GAAG;AACL,UAAI,IAAI,EAAE,GACR,IAAI,EAAE,MAAM,KAAK,IACjB,IAAI,EAAE,SAAS,KAAK,IACpB,IAAI,EAAE;AACR,QAAE,OAAO,GACP,EAAE,KAAK;AAAA,QACL,MAAM,MAAM,IAAI,MAAM;AAAA,QACtB,SAAS,KAAK,CAAC,IAAI,EAAE,CAAC,IAAI;AAAA,QAC1B,QAAQ;AAAA,QACR,QAAQ;AAAA,QACR,UAAU,EAAE,UAAU,KAAK;AAAA,MAC7B,CAAC;AACH;AAAA,IACF;AACA,MAAE,KAAK;AAAA,EACT;AACA,SAAO;AACT;AAEA,SAAS,EAAE,GAAG,GAAG;AACf,MAAI,IAAI,CAAC,GACP,IAAI,EAAE,GAAG,GAAG,CAAC;AACf,SAAO,EAAE,GAAG,GAAG,CAAC;AAClB;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,QAAM,WAAW,IAAI,CAAC;AACtB,MAAI,IAAI,EAAE,QACR,IACE,MAAM,SACF,SAAU,GAAG;AACX,WAAO;AAAA,EACT,IACA;AACR,SAAO,SAAU,GAAG;AAClB,QAAI,IAAI,EAAE,KAAK,CAAC;AAChB,QAAI,CAAC,EAAG,QAAO;AACf,aACM,IAAI,EAAE,CAAC,GACT,IAAI,EAAE,OACN,IAAI,uBAAO,OAAO,IAAI,GACtB,IAAI,SAAU,GAAG;AACf,UAAI,EAAE,CAAC,MAAM,OAAQ,QAAO;AAC5B,UAAI,IAAI,EAAE,IAAI,CAAC;AACf,QAAE,aAAa,OAAO,EAAE,aAAa,MAChC,EAAE,EAAE,IAAI,IAAI,EAAE,CAAC,EAAE,MAAM,EAAE,SAAS,EAAE,MAAM,EAAE,IAAI,SAAU,GAAG;AAC5D,eAAO,EAAE,GAAG,CAAC;AAAA,MACf,CAAC,IACA,EAAE,EAAE,IAAI,IAAI,EAAE,EAAE,CAAC,GAAG,CAAC;AAAA,IAC5B,GACA,IAAI,GACN,IAAI,EAAE,QACN;AAEA,QAAE,CAAC;AACL,WAAO;AAAA,MACL,MAAM;AAAA,MACN,OAAO;AAAA,MACP,QAAQ;AAAA,IACV;AAAA,EACF;AACF;AAEA,SAAS,EAAE,GAAG;AACZ,SAAO,EAAE,QAAQ,6BAA6B,MAAM;AACtD;AAEA,SAAS,EAAE,GAAG;AACZ,SAAO,KAAK,EAAE,YAAY,KAAK;AACjC;AAEA,SAAS,EAAE,GAAG,GAAG;AACf,MAAI,CAAC,EAAG,QAAO;AACf,WAAS,IAAI,2BAA2B,IAAI,GAAG,IAAI,EAAE,KAAK,EAAE,MAAM,GAAG;AACnE,MAAE,KAAK;AAAA,MACL,MAAM,EAAE,CAAC,KAAK;AAAA,MACd,QAAQ;AAAA,MACR,QAAQ;AAAA,MACR,UAAU;AAAA,MACV,SAAS;AAAA,IACX,CAAC,GACE,IAAI,EAAE,KAAK,EAAE,MAAM;AACxB,SAAO;AACT;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,MAAI,IAAI,EAAE,IAAI,SAAU,GAAG;AACzB,WAAO,EAAE,GAAG,GAAG,CAAC,EAAE;AAAA,EACpB,CAAC;AACD,SAAO,IAAI,OAAO,MAAM,OAAO,EAAE,KAAK,GAAG,GAAG,GAAG,GAAG,EAAE,CAAC,CAAC;AACxD;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,SAAO,EAAE,EAAE,GAAG,CAAC,GAAG,GAAG,CAAC;AACxB;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,QAAM,WAAW,IAAI,CAAC;AACtB,WACM,IAAI,EAAE,QACR,IAAI,MAAM,SAAS,QAAK,GACxB,IAAI,EAAE,OACN,IAAI,MAAM,SAAS,OAAK,GACxB,IAAI,EAAE,KACN,IAAI,MAAM,SAAS,OAAK,GACxB,IAAI,EAAE,QACN,IACE,MAAM,SACF,SAAU,GAAG;AACX,WAAO;AAAA,EACT,IACA,GACN,IAAI,EAAE,WACN,IAAI,MAAM,SAAS,QAAQ,GAC3B,IAAI,EAAE,UACN,IAAI,MAAM,SAAS,KAAK,GACxB,IAAI,IAAI,OAAO,EAAE,CAAC,GAAG,KAAK,GAC1B,IAAI,IAAI,OAAO,EAAE,CAAC,GAAG,GAAG,GACxB,IAAI,IAAI,MAAM,IACd,IAAI,GACJ,IAAI,GACN,IAAI,EAAE,QACN,KACA;AACA,QAAI,IAAI,EAAE,CAAC;AACX,QAAI,OAAO,KAAK,SAAU,MAAK,EAAE,EAAE,CAAC,CAAC;AAAA,SAChC;AACH,UAAI,IAAI,EAAE,EAAE,EAAE,MAAM,CAAC,GACnB,IAAI,EAAE,EAAE,EAAE,MAAM,CAAC;AACnB,UAAI,EAAE;AACJ,YAAK,KAAK,EAAE,KAAK,CAAC,GAAG,KAAK;AACxB,cAAI,EAAE,aAAa,OAAO,EAAE,aAAa,KAAK;AAC5C,gBAAI,IAAI,EAAE,aAAa,MAAM,MAAM;AACnC,iBAAK,MACF,OAAO,GAAG,MAAM,EAChB,OAAO,EAAE,SAAS,MAAM,EACxB,OAAO,CAAC,EACR,OAAO,GAAG,KAAK,EACf,OAAO,EAAE,SAAS,MAAM,EACxB,OAAO,GAAG,GAAG,EACb,OAAO,CAAC;AAAA,UACb,MAAO,MAAK,MAAM,OAAO,GAAG,GAAG,EAAE,OAAO,EAAE,SAAS,GAAG,EAAE,OAAO,GAAG,GAAG,EAAE,OAAO,EAAE,QAAQ;AAAA,aACrF;AACH,cAAI,EAAE,aAAa,OAAO,EAAE,aAAa;AACvC,kBAAM,IAAI,UAAU,mBAAmB,OAAO,EAAE,MAAM,+BAA+B,CAAC;AACxF,eAAK,IAAI,OAAO,EAAE,SAAS,GAAG,EAAE,OAAO,EAAE,QAAQ;AAAA,QACnD;AAAA,UACG,MAAK,MAAM,OAAO,CAAC,EAAE,OAAO,GAAG,GAAG,EAAE,OAAO,EAAE,QAAQ;AAAA,IAC5D;AAAA,EACF;AACA,MAAI,EAAG,OAAM,KAAK,GAAG,OAAO,GAAG,GAAG,IAAK,KAAK,EAAE,WAAW,MAAM,OAAO,GAAG,GAAG,IAAI;AAAA,OAC3E;AACH,QAAI,IAAI,EAAE,EAAE,SAAS,CAAC,GACpB,IAAI,OAAO,KAAK,WAAW,EAAE,QAAQ,EAAE,EAAE,SAAS,CAAC,CAAC,IAAI,KAAK,MAAM;AACrE,UAAM,KAAK,MAAM,OAAO,GAAG,KAAK,EAAE,OAAO,GAAG,KAAK,IAAI,MAAM,KAAK,MAAM,OAAO,GAAG,GAAG,EAAE,OAAO,GAAG,GAAG;AAAA,EACpG;AACA,SAAO,IAAI,OAAO,GAAG,EAAE,CAAC,CAAC;AAC3B;AAEA,SAAS,EAAE,GAAG,GAAG,GAAG;AAClB,SAAO,aAAa,SAAS,EAAE,GAAG,CAAC,IAAI,MAAM,QAAQ,CAAC,IAAI,EAAE,GAAG,GAAG,CAAC,IAAI,EAAE,GAAG,GAAG,CAAC;AAClF;;;AD/TO,IAAM,eAAe,CAAC,SAAiB;AAC5C,MAAI;AAEF,WAAO,EAAiB,IAAI;AAAA,EAC9B,SAAS,GAAQ;AACf,UAAM,IAAI;AAAA,MACR,iBAAiB,IAAI;AAAA;AAAA,EAA6G,EAAE,OAAO;AAAA,IAC7I;AAAA,EACF;AACF;AAEO,SAAS,MACd,KACA,SACkB;AAClB,MAAI;AAEF,WAAO,EAAU,KAAK,OAAO;AAAA,EAC/B,SAAS,GAAQ;AACf,UAAM,IAAI;AAAA,MACR;AAAA,EAAoI,EAAE,OAAO;AAAA,IAC/I;AAAA,EACF;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.mjs new file mode 100644 index 000000000..7cd4f94a7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.mjs @@ -0,0 +1,10 @@ +import { + match, + pathToRegexp +} from "./chunk-JJHTUJGL.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + match, + pathToRegexp +}; +//# sourceMappingURL=pathToRegexp.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/pathToRegexp.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.d.mts new file mode 100644 index 000000000..9699588d4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.d.mts @@ -0,0 +1,13 @@ +type PollerStop = () => void; +type PollerCallback = (stop: PollerStop) => Promise; +type PollerRun = (cb: PollerCallback) => Promise; +type PollerOptions = { + delayInMs: number; +}; +type Poller = { + run: PollerRun; + stop: PollerStop; +}; +declare function Poller({ delayInMs }?: PollerOptions): Poller; + +export { Poller, type PollerCallback, type PollerRun, type PollerStop }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.d.ts new file mode 100644 index 000000000..9699588d4 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.d.ts @@ -0,0 +1,13 @@ +type PollerStop = () => void; +type PollerCallback = (stop: PollerStop) => Promise; +type PollerRun = (cb: PollerCallback) => Promise; +type PollerOptions = { + delayInMs: number; +}; +type Poller = { + run: PollerRun; + stop: PollerStop; +}; +declare function Poller({ delayInMs }?: PollerOptions): Poller; + +export { Poller, type PollerCallback, type PollerRun, type PollerStop }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.js new file mode 100644 index 000000000..867fb8ec2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.js @@ -0,0 +1,139 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/poller.ts +var poller_exports = {}; +__export(poller_exports, { + Poller: () => Poller +}); +module.exports = __toCommonJS(poller_exports); + +// src/utils/noop.ts +var noop = (..._args) => { +}; + +// src/workerTimers/workerTimers.worker.ts +var workerTimers_worker_default = 'const respond=r=>{self.postMessage(r)},workerToTabIds={};self.addEventListener("message",r=>{const e=r.data;switch(e.type){case"setTimeout":workerToTabIds[e.id]=setTimeout(()=>{respond({id:e.id}),delete workerToTabIds[e.id]},e.ms);break;case"clearTimeout":workerToTabIds[e.id]&&(clearTimeout(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break;case"setInterval":workerToTabIds[e.id]=setInterval(()=>{respond({id:e.id})},e.ms);break;case"clearInterval":workerToTabIds[e.id]&&(clearInterval(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break}});\n'; + +// src/workerTimers/createWorkerTimers.ts +var createWebWorker = (source, opts = {}) => { + if (typeof Worker === "undefined") { + return null; + } + try { + const blob = new Blob([source], { type: "application/javascript; charset=utf-8" }); + const workerScript = globalThis.URL.createObjectURL(blob); + return new Worker(workerScript, opts); + } catch { + console.warn("Clerk: Cannot create worker from blob. Consider adding worker-src blob:; to your CSP"); + return null; + } +}; +var fallbackTimers = () => { + const setTimeout = globalThis.setTimeout.bind(globalThis); + const setInterval = globalThis.setInterval.bind(globalThis); + const clearTimeout = globalThis.clearTimeout.bind(globalThis); + const clearInterval = globalThis.clearInterval.bind(globalThis); + return { setTimeout, setInterval, clearTimeout, clearInterval, cleanup: noop }; +}; +var createWorkerTimers = () => { + let id = 0; + const generateId = () => id++; + const callbacks = /* @__PURE__ */ new Map(); + const post = (w, p) => w?.postMessage(p); + const handleMessage = (e) => { + callbacks.get(e.data.id)?.(); + }; + let worker = createWebWorker(workerTimers_worker_default, { name: "clerk-timers" }); + worker?.addEventListener("message", handleMessage); + if (!worker) { + return fallbackTimers(); + } + const init = () => { + if (!worker) { + worker = createWebWorker(workerTimers_worker_default, { name: "clerk-timers" }); + worker?.addEventListener("message", handleMessage); + } + }; + const cleanup = () => { + if (worker) { + worker.terminate(); + worker = null; + callbacks.clear(); + } + }; + const setTimeout = (cb, ms) => { + init(); + const id2 = generateId(); + callbacks.set(id2, () => { + cb(); + callbacks.delete(id2); + }); + post(worker, { type: "setTimeout", id: id2, ms }); + return id2; + }; + const setInterval = (cb, ms) => { + init(); + const id2 = generateId(); + callbacks.set(id2, cb); + post(worker, { type: "setInterval", id: id2, ms }); + return id2; + }; + const clearTimeout = (id2) => { + init(); + callbacks.delete(id2); + post(worker, { type: "clearTimeout", id: id2 }); + }; + const clearInterval = (id2) => { + init(); + callbacks.delete(id2); + post(worker, { type: "clearInterval", id: id2 }); + }; + return { setTimeout, setInterval, clearTimeout, clearInterval, cleanup }; +}; + +// src/poller.ts +function Poller({ delayInMs } = { delayInMs: 1e3 }) { + const workerTimers = createWorkerTimers(); + let timerId; + let stopped = false; + const stop = () => { + if (timerId) { + workerTimers.clearTimeout(timerId); + workerTimers.cleanup(); + } + stopped = true; + }; + const run = async (cb) => { + stopped = false; + await cb(stop); + if (stopped) { + return; + } + timerId = workerTimers.setTimeout(() => { + void run(cb); + }, delayInMs); + }; + return { run, stop }; +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + Poller +}); +//# sourceMappingURL=poller.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.js.map new file mode 100644 index 000000000..8ee48d64e --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/poller.ts","../src/utils/noop.ts","../src/workerTimers/workerTimers.worker.ts","../src/workerTimers/createWorkerTimers.ts"],"sourcesContent":["import { createWorkerTimers } from './workerTimers';\n\nexport type PollerStop = () => void;\nexport type PollerCallback = (stop: PollerStop) => Promise;\nexport type PollerRun = (cb: PollerCallback) => Promise;\n\ntype PollerOptions = {\n delayInMs: number;\n};\n\nexport type Poller = {\n run: PollerRun;\n stop: PollerStop;\n};\n\nexport function Poller({ delayInMs }: PollerOptions = { delayInMs: 1000 }): Poller {\n const workerTimers = createWorkerTimers();\n\n let timerId: number | undefined;\n let stopped = false;\n\n const stop: PollerStop = () => {\n if (timerId) {\n workerTimers.clearTimeout(timerId);\n workerTimers.cleanup();\n }\n stopped = true;\n };\n\n const run: PollerRun = async cb => {\n stopped = false;\n await cb(stop);\n if (stopped) {\n return;\n }\n\n timerId = workerTimers.setTimeout(() => {\n void run(cb);\n }, delayInMs) as any as number;\n };\n\n return { run, stop };\n}\n","export const noop = (..._args: any[]): void => {\n // do nothing.\n};\n","const respond=r=>{self.postMessage(r)},workerToTabIds={};self.addEventListener(\"message\",r=>{const e=r.data;switch(e.type){case\"setTimeout\":workerToTabIds[e.id]=setTimeout(()=>{respond({id:e.id}),delete workerToTabIds[e.id]},e.ms);break;case\"clearTimeout\":workerToTabIds[e.id]&&(clearTimeout(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break;case\"setInterval\":workerToTabIds[e.id]=setInterval(()=>{respond({id:e.id})},e.ms);break;case\"clearInterval\":workerToTabIds[e.id]&&(clearInterval(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break}});\n","import { noop } from '../utils/noop';\nimport type {\n WorkerClearTimeout,\n WorkerSetTimeout,\n WorkerTimeoutCallback,\n WorkerTimerEvent,\n WorkerTimerId,\n WorkerTimerResponseEvent,\n} from './workerTimers.types';\n// @ts-ignore\n// eslint-disable-next-line import/default\nimport pollerWorkerSource from './workerTimers.worker';\n\nconst createWebWorker = (source: string, opts: ConstructorParameters[1] = {}): Worker | null => {\n if (typeof Worker === 'undefined') {\n return null;\n }\n\n try {\n const blob = new Blob([source], { type: 'application/javascript; charset=utf-8' });\n const workerScript = globalThis.URL.createObjectURL(blob);\n return new Worker(workerScript, opts);\n } catch {\n console.warn('Clerk: Cannot create worker from blob. Consider adding worker-src blob:; to your CSP');\n return null;\n }\n};\n\nconst fallbackTimers = () => {\n const setTimeout = globalThis.setTimeout.bind(globalThis) as WorkerSetTimeout;\n const setInterval = globalThis.setInterval.bind(globalThis) as WorkerSetTimeout;\n const clearTimeout = globalThis.clearTimeout.bind(globalThis) as WorkerClearTimeout;\n const clearInterval = globalThis.clearInterval.bind(globalThis) as WorkerClearTimeout;\n return { setTimeout, setInterval, clearTimeout, clearInterval, cleanup: noop };\n};\n\nexport const createWorkerTimers = () => {\n let id = 0;\n const generateId = () => id++;\n const callbacks = new Map();\n const post = (w: Worker | null, p: WorkerTimerEvent) => w?.postMessage(p);\n const handleMessage = (e: MessageEvent) => {\n callbacks.get(e.data.id)?.();\n };\n\n let worker = createWebWorker(pollerWorkerSource, { name: 'clerk-timers' });\n worker?.addEventListener('message', handleMessage);\n\n if (!worker) {\n return fallbackTimers();\n }\n\n const init = () => {\n if (!worker) {\n worker = createWebWorker(pollerWorkerSource, { name: 'clerk-timers' });\n worker?.addEventListener('message', handleMessage);\n }\n };\n\n const cleanup = () => {\n if (worker) {\n worker.terminate();\n worker = null;\n callbacks.clear();\n }\n };\n\n const setTimeout: WorkerSetTimeout = (cb, ms) => {\n init();\n const id = generateId();\n callbacks.set(id, () => {\n cb();\n callbacks.delete(id);\n });\n post(worker, { type: 'setTimeout', id, ms });\n return id;\n };\n\n const setInterval: WorkerSetTimeout = (cb, ms) => {\n init();\n const id = generateId();\n callbacks.set(id, cb);\n post(worker, { type: 'setInterval', id, ms });\n return id;\n };\n\n const clearTimeout: WorkerClearTimeout = id => {\n init();\n callbacks.delete(id);\n post(worker, { type: 'clearTimeout', id });\n };\n\n const clearInterval: WorkerClearTimeout = id => {\n init();\n callbacks.delete(id);\n post(worker, { type: 'clearInterval', id });\n };\n\n return { setTimeout, setInterval, clearTimeout, clearInterval, cleanup };\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACAO,IAAM,OAAO,IAAI,UAAuB;AAE/C;;;ACFA;;;ACaA,IAAM,kBAAkB,CAAC,QAAgB,OAAgD,CAAC,MAAqB;AAC7G,MAAI,OAAO,WAAW,aAAa;AACjC,WAAO;AAAA,EACT;AAEA,MAAI;AACF,UAAM,OAAO,IAAI,KAAK,CAAC,MAAM,GAAG,EAAE,MAAM,wCAAwC,CAAC;AACjF,UAAM,eAAe,WAAW,IAAI,gBAAgB,IAAI;AACxD,WAAO,IAAI,OAAO,cAAc,IAAI;AAAA,EACtC,QAAQ;AACN,YAAQ,KAAK,sFAAsF;AACnG,WAAO;AAAA,EACT;AACF;AAEA,IAAM,iBAAiB,MAAM;AAC3B,QAAM,aAAa,WAAW,WAAW,KAAK,UAAU;AACxD,QAAM,cAAc,WAAW,YAAY,KAAK,UAAU;AAC1D,QAAM,eAAe,WAAW,aAAa,KAAK,UAAU;AAC5D,QAAM,gBAAgB,WAAW,cAAc,KAAK,UAAU;AAC9D,SAAO,EAAE,YAAY,aAAa,cAAc,eAAe,SAAS,KAAK;AAC/E;AAEO,IAAM,qBAAqB,MAAM;AACtC,MAAI,KAAK;AACT,QAAM,aAAa,MAAM;AACzB,QAAM,YAAY,oBAAI,IAA0C;AAChE,QAAM,OAAO,CAAC,GAAkB,MAAwB,GAAG,YAAY,CAAC;AACxE,QAAM,gBAAgB,CAAC,MAA8C;AACnE,cAAU,IAAI,EAAE,KAAK,EAAE,IAAI;AAAA,EAC7B;AAEA,MAAI,SAAS,gBAAgB,6BAAoB,EAAE,MAAM,eAAe,CAAC;AACzE,UAAQ,iBAAiB,WAAW,aAAa;AAEjD,MAAI,CAAC,QAAQ;AACX,WAAO,eAAe;AAAA,EACxB;AAEA,QAAM,OAAO,MAAM;AACjB,QAAI,CAAC,QAAQ;AACX,eAAS,gBAAgB,6BAAoB,EAAE,MAAM,eAAe,CAAC;AACrE,cAAQ,iBAAiB,WAAW,aAAa;AAAA,IACnD;AAAA,EACF;AAEA,QAAM,UAAU,MAAM;AACpB,QAAI,QAAQ;AACV,aAAO,UAAU;AACjB,eAAS;AACT,gBAAU,MAAM;AAAA,IAClB;AAAA,EACF;AAEA,QAAM,aAA+B,CAAC,IAAI,OAAO;AAC/C,SAAK;AACL,UAAMA,MAAK,WAAW;AACtB,cAAU,IAAIA,KAAI,MAAM;AACtB,SAAG;AACH,gBAAU,OAAOA,GAAE;AAAA,IACrB,CAAC;AACD,SAAK,QAAQ,EAAE,MAAM,cAAc,IAAAA,KAAI,GAAG,CAAC;AAC3C,WAAOA;AAAA,EACT;AAEA,QAAM,cAAgC,CAAC,IAAI,OAAO;AAChD,SAAK;AACL,UAAMA,MAAK,WAAW;AACtB,cAAU,IAAIA,KAAI,EAAE;AACpB,SAAK,QAAQ,EAAE,MAAM,eAAe,IAAAA,KAAI,GAAG,CAAC;AAC5C,WAAOA;AAAA,EACT;AAEA,QAAM,eAAmC,CAAAA,QAAM;AAC7C,SAAK;AACL,cAAU,OAAOA,GAAE;AACnB,SAAK,QAAQ,EAAE,MAAM,gBAAgB,IAAAA,IAAG,CAAC;AAAA,EAC3C;AAEA,QAAM,gBAAoC,CAAAA,QAAM;AAC9C,SAAK;AACL,cAAU,OAAOA,GAAE;AACnB,SAAK,QAAQ,EAAE,MAAM,iBAAiB,IAAAA,IAAG,CAAC;AAAA,EAC5C;AAEA,SAAO,EAAE,YAAY,aAAa,cAAc,eAAe,QAAQ;AACzE;;;AHpFO,SAAS,OAAO,EAAE,UAAU,IAAmB,EAAE,WAAW,IAAK,GAAW;AACjF,QAAM,eAAe,mBAAmB;AAExC,MAAI;AACJ,MAAI,UAAU;AAEd,QAAM,OAAmB,MAAM;AAC7B,QAAI,SAAS;AACX,mBAAa,aAAa,OAAO;AACjC,mBAAa,QAAQ;AAAA,IACvB;AACA,cAAU;AAAA,EACZ;AAEA,QAAM,MAAiB,OAAM,OAAM;AACjC,cAAU;AACV,UAAM,GAAG,IAAI;AACb,QAAI,SAAS;AACX;AAAA,IACF;AAEA,cAAU,aAAa,WAAW,MAAM;AACtC,WAAK,IAAI,EAAE;AAAA,IACb,GAAG,SAAS;AAAA,EACd;AAEA,SAAO,EAAE,KAAK,KAAK;AACrB;","names":["id"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.mjs new file mode 100644 index 000000000..fa93e6e4e --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.mjs @@ -0,0 +1,10 @@ +import { + Poller +} from "./chunk-JY46X3OC.mjs"; +import "./chunk-ZHPWRK4R.mjs"; +import "./chunk-7FNX7RWY.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + Poller +}; +//# sourceMappingURL=poller.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/poller.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.d.mts new file mode 100644 index 000000000..2162910ef --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.d.mts @@ -0,0 +1,6 @@ +declare function isValidProxyUrl(key: string | undefined): boolean; +declare function isHttpOrHttps(key: string | undefined): boolean; +declare function isProxyUrlRelative(key: string): boolean; +declare function proxyUrlToAbsoluteURL(url: string | undefined): string; + +export { isHttpOrHttps, isProxyUrlRelative, isValidProxyUrl, proxyUrlToAbsoluteURL }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.d.ts new file mode 100644 index 000000000..2162910ef --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.d.ts @@ -0,0 +1,6 @@ +declare function isValidProxyUrl(key: string | undefined): boolean; +declare function isHttpOrHttps(key: string | undefined): boolean; +declare function isProxyUrlRelative(key: string): boolean; +declare function proxyUrlToAbsoluteURL(url: string | undefined): string; + +export { isHttpOrHttps, isProxyUrlRelative, isValidProxyUrl, proxyUrlToAbsoluteURL }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.js new file mode 100644 index 000000000..be4c074b8 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.js @@ -0,0 +1,54 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/proxy.ts +var proxy_exports = {}; +__export(proxy_exports, { + isHttpOrHttps: () => isHttpOrHttps, + isProxyUrlRelative: () => isProxyUrlRelative, + isValidProxyUrl: () => isValidProxyUrl, + proxyUrlToAbsoluteURL: () => proxyUrlToAbsoluteURL +}); +module.exports = __toCommonJS(proxy_exports); +function isValidProxyUrl(key) { + if (!key) { + return true; + } + return isHttpOrHttps(key) || isProxyUrlRelative(key); +} +function isHttpOrHttps(key) { + return /^http(s)?:\/\//.test(key || ""); +} +function isProxyUrlRelative(key) { + return key.startsWith("/"); +} +function proxyUrlToAbsoluteURL(url) { + if (!url) { + return ""; + } + return isProxyUrlRelative(url) ? new URL(url, window.location.origin).toString() : url; +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + isHttpOrHttps, + isProxyUrlRelative, + isValidProxyUrl, + proxyUrlToAbsoluteURL +}); +//# sourceMappingURL=proxy.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.js.map new file mode 100644 index 000000000..177b702ff --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/proxy.ts"],"sourcesContent":["export function isValidProxyUrl(key: string | undefined) {\n if (!key) {\n return true;\n }\n\n return isHttpOrHttps(key) || isProxyUrlRelative(key);\n}\n\nexport function isHttpOrHttps(key: string | undefined) {\n return /^http(s)?:\\/\\//.test(key || '');\n}\n\nexport function isProxyUrlRelative(key: string) {\n return key.startsWith('/');\n}\n\nexport function proxyUrlToAbsoluteURL(url: string | undefined): string {\n if (!url) {\n return '';\n }\n return isProxyUrlRelative(url) ? new URL(url, window.location.origin).toString() : url;\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAO,SAAS,gBAAgB,KAAyB;AACvD,MAAI,CAAC,KAAK;AACR,WAAO;AAAA,EACT;AAEA,SAAO,cAAc,GAAG,KAAK,mBAAmB,GAAG;AACrD;AAEO,SAAS,cAAc,KAAyB;AACrD,SAAO,iBAAiB,KAAK,OAAO,EAAE;AACxC;AAEO,SAAS,mBAAmB,KAAa;AAC9C,SAAO,IAAI,WAAW,GAAG;AAC3B;AAEO,SAAS,sBAAsB,KAAiC;AACrE,MAAI,CAAC,KAAK;AACR,WAAO;AAAA,EACT;AACA,SAAO,mBAAmB,GAAG,IAAI,IAAI,IAAI,KAAK,OAAO,SAAS,MAAM,EAAE,SAAS,IAAI;AACrF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.mjs new file mode 100644 index 000000000..77dbac814 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.mjs @@ -0,0 +1,14 @@ +import { + isHttpOrHttps, + isProxyUrlRelative, + isValidProxyUrl, + proxyUrlToAbsoluteURL +} from "./chunk-6NDGN2IU.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + isHttpOrHttps, + isProxyUrlRelative, + isValidProxyUrl, + proxyUrlToAbsoluteURL +}; +//# sourceMappingURL=proxy.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/proxy.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.d.mts new file mode 100644 index 000000000..68bb505e9 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.d.mts @@ -0,0 +1,607 @@ +import React, { PropsWithChildren } from 'react'; +import { ClerkPaginatedResponse, OrganizationDomainResource, OrganizationMembershipRequestResource, OrganizationMembershipResource, OrganizationInvitationResource, OrganizationResource, GetDomainsParams, GetMembershipRequestParams, GetMembersParams, GetInvitationsParams, UserOrganizationInvitationResource, OrganizationSuggestionResource, CreateOrganizationParams, SetActive, GetUserOrganizationMembershipParams, GetUserOrganizationInvitationsParams, GetUserOrganizationSuggestionsParams, UseSessionReturn, UseSessionListReturn, UseUserReturn, LoadedClerk, UserResource, ClientResource, SignedInSessionResource, ClerkOptions } from '@clerk/types'; +import { ClerkAPIResponseError } from '../error.mjs'; +import { dequal } from 'dequal'; + +declare function assertContextExists(contextVal: unknown, msgOrCtx: string | React.Context): asserts contextVal; +type Options = { + assertCtxFn?: (v: unknown, msg: string) => void; +}; +type ContextOf = React.Context<{ + value: T; +} | undefined>; +type UseCtxFn = () => T; +/** + * Creates and returns a Context and two hooks that return the context value. + * The Context type is derived from the type passed in by the user. + * The first hook returned guarantees that the context exists so the returned value is always CtxValue + * The second hook makes no guarantees, so the returned value can be CtxValue | undefined + */ +declare const createContextAndHook: (displayName: string, options?: Options) => [ContextOf, UseCtxFn, UseCtxFn>]; + +type ValueOrSetter = (size: T | ((_size: T) => T)) => void; +type CacheSetter = (data?: CData | ((currentData?: CData) => Promise | undefined | CData)) => Promise; +/** + * @interface + */ +type PaginatedResources = { + /** + * An array that contains the fetched data. + */ + data: T[]; + /** + * The total count of data that exist remotely. + */ + count: number; + /** + * Clerk's API response error object. + */ + error: ClerkAPIResponseError | null; + /** + * A boolean that is `true` if there is an ongoing request and there is no fetched data. + */ + isLoading: boolean; + /** + * A boolean that is `true` if there is an ongoing request or a revalidation. + */ + isFetching: boolean; + /** + * A boolean that indicates the request failed. + */ + isError: boolean; + /** + * A number that indicates the current page. + */ + page: number; + /** + * A number that indicates the total amount of pages. It is calculated based on `count`, `initialPage`, and `pageSize`. + */ + pageCount: number; + /** + * A function that triggers a specific page to be loaded. + */ + fetchPage: ValueOrSetter; + /** + * + * A helper function that triggers the previous page to be loaded. This is the same as `fetchPage(page => Math.max(0, page - 1))`. + */ + fetchPrevious: () => void; + /** + * A helper function that triggers the next page to be loaded. This is the same as `fetchPage(page => Math.min(pageCount, page + 1))`. + */ + fetchNext: () => void; + /** + * A boolean that indicates if there are available pages to be fetched. + */ + hasNextPage: boolean; + /** + * A boolean that indicates if there are available pages to be fetched. + */ + hasPreviousPage: boolean; + /** + * A function that triggers a revalidation of the current page. + */ + revalidate: () => Promise; + /** + * A function that allows you to set the data manually. + */ + setData: Infinite extends true ? CacheSetter<(ClerkPaginatedResponse | undefined)[]> : CacheSetter | undefined>; +}; +type PaginatedResourcesWithDefault = { + [K in keyof PaginatedResources]: PaginatedResources[K] extends boolean ? false : undefined; +}; +type PaginatedHookConfig = T & { + /** + * If `true`, newly fetched data will be appended to the existing list rather than replacing it. Useful for implementing infinite scroll functionality. Defaults to `false`. + */ + infinite?: boolean; + /** + * If `true`, the previous data will be kept in the cache until new data is fetched. Defaults to `false`. + */ + keepPreviousData?: boolean; +}; + +type UseOrganizationParams = { + /** + * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `enrollmentMode` property of type [`OrganizationEnrollmentMode`](https://clerk.com/docs/references/react/use-organization#organization-enrollment-mode) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties). + */ + domains?: true | PaginatedHookConfig; + /** + * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `status` property of type [`OrganizationInvitationStatus`](https://clerk.com/docs/references/react/use-organization#organization-invitation-status) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties). + */ + membershipRequests?: true | PaginatedHookConfig; + /** + * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `role` property of type [`OrganizationCustomRoleKey[]`](https://clerk.com/docs/references/react/use-organization#organization-custome-role-key) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties). + */ + memberships?: true | PaginatedHookConfig; + /** + * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `status` property of type [`OrganizationInvitationStatus`](https://clerk.com/docs/references/react/use-organization#organization-invitation-status) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties). + */ + invitations?: true | PaginatedHookConfig; +}; +type UseOrganization = (params?: T) => { + /** + * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads. + */ + isLoaded: false; + /** + * The currently active organization. + */ + organization: undefined; + /** + * The current organization membership. + */ + membership: undefined; + /** + * Includes a paginated list of the organization's domains. + */ + domains: PaginatedResourcesWithDefault; + /** + * Includes a paginated list of the organization's membership requests. + */ + membershipRequests: PaginatedResourcesWithDefault; + /** + * Includes a paginated list of the organization's memberships. + */ + memberships: PaginatedResourcesWithDefault; + /** + * Includes a paginated list of the organization's invitations. + */ + invitations: PaginatedResourcesWithDefault; +} | { + /** + * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads. + */ + isLoaded: true; + /** + * The currently active organization. + */ + organization: OrganizationResource; + /** + * The current organization membership. + */ + membership: undefined; + /** + * Includes a paginated list of the organization's domains. + */ + domains: PaginatedResourcesWithDefault; + /** + * Includes a paginated list of the organization's membership requests. + */ + membershipRequests: PaginatedResourcesWithDefault; + /** + * Includes a paginated list of the organization's memberships. + */ + memberships: PaginatedResourcesWithDefault; + /** + * Includes a paginated list of the organization's invitations. + */ + invitations: PaginatedResourcesWithDefault; +} | { + /** + * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads. + */ + isLoaded: boolean; + /** + * The currently active organization. + */ + organization: OrganizationResource | null; + /** + * The current organization membership. + */ + membership: OrganizationMembershipResource | null | undefined; + /** + * Includes a paginated list of the organization's domains. + */ + domains: PaginatedResources | null; + /** + * Includes a paginated list of the organization's membership requests. + */ + membershipRequests: PaginatedResources | null; + /** + * Includes a paginated list of the organization's memberships. + */ + memberships: PaginatedResources | null; + /** + * Includes a paginated list of the organization's invitations. + */ + invitations: PaginatedResources | null; +}; +/** + * The `useOrganization()` hook retrieves attributes of the currently active organization. + */ +declare const useOrganization: UseOrganization; + +type UseOrganizationListParams = { + /** + * `true` or an object with any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization-list#shared-properties). If set to `true`, all default properties will be used. + */ + userMemberships?: true | PaginatedHookConfig; + /** + * `true` or an object with [`status: OrganizationInvitationStatus`](https://clerk.com/docs/references/react/use-organization-list#organization-invitation-status) or any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization-list#shared-properties). If set to `true`, all default properties will be used. + */ + userInvitations?: true | PaginatedHookConfig; + /** + * `true` or an object with [`status: OrganizationSuggestionsStatus | OrganizationSuggestionStatus[]`](https://clerk.com/docs/references/react/use-organization-list#organization-suggestion-status) or any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization-list#shared-properties). If set to `true`, all default properties will be used. + */ + userSuggestions?: true | PaginatedHookConfig; +}; +type UseOrganizationList = (params?: T) => { + /** + * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads. + */ + isLoaded: false; + /** + * A function that returns a `Promise` which resolves to the newly created `Organization`. + */ + createOrganization: undefined; + /** + * A function that sets the active session and/or organization. + */ + setActive: undefined; + /** + * Returns `PaginatedResources` which includes a list of the user's organization memberships. + */ + userMemberships: PaginatedResourcesWithDefault; + /** + * Returns `PaginatedResources` which includes a list of the user's organization invitations. + */ + userInvitations: PaginatedResourcesWithDefault; + /** + * Returns `PaginatedResources` which includes a list of suggestions for organizations that the user can join. + */ + userSuggestions: PaginatedResourcesWithDefault; +} | { + /** + * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads. + */ + isLoaded: boolean; + /** + * A function that returns a `Promise` which resolves to the newly created `Organization`. + */ + createOrganization: (params: CreateOrganizationParams) => Promise; + /** + * A function that sets the active session and/or organization. + */ + setActive: SetActive; + /** + * Returns `PaginatedResources` which includes a list of the user's organization memberships. + */ + userMemberships: PaginatedResources; + /** + * Returns `PaginatedResources` which includes a list of the user's organization invitations. + */ + userInvitations: PaginatedResources; + /** + * Returns `PaginatedResources` which includes a list of suggestions for organizations that the user can join. + */ + userSuggestions: PaginatedResources; +}; +/** + * The `useOrganizationList()` hook provides access to the current user's organization memberships, invitations, and suggestions. It also includes methods for creating new organizations and managing the active organization. + */ +declare const useOrganizationList: UseOrganizationList; + +declare const useSafeLayoutEffect: typeof React.useLayoutEffect; + +type UseSession = () => UseSessionReturn; +/** + * The `useSession()` hook provides access to the current user's [`Session`](https://clerk.com/docs/references/javascript/session) object, as well as helpers for setting the active session. + * + * @example + * ### Access the `Session` object + * + * The following example uses the `useSession()` hook to access the `Session` object, which has the `lastActiveAt` property. The `lastActiveAt` property is a `Date` object used to show the time the session was last active. + * + * ```tsx {{ filename: 'src/Home.tsx' }} + * import { useSession } from '@clerk/clerk-react' + * + * export default function Home() { + * const { isLoaded, session, isSignedIn } = useSession() + * + * if (!isLoaded) { + * // Handle loading state + * return null + * } + * if (!isSignedIn) { + * // Handle signed out state + * return null + * } + * + * return ( + *

+ *

This session has been active since {session.lastActiveAt.toLocaleString()}

+ *
+ * ) + * } + * ``` + */ +declare const useSession: UseSession; + +/** + * The `useSessionList()` hook returns an array of [`Session`](https://clerk.com/docs/references/javascript/session) objects that have been registered on the client device. + * + * @example + * ### Get a list of sessions + * + * The following example uses `useSessionList()` to get a list of sessions that have been registered on the client device. The `sessions` property is used to show the number of times the user has visited the page. + * + * ```tsx {{ filename: 'src/Home.tsx' }} + * import { useSessionList } from '@clerk/clerk-react' + * + * export default function Home() { + * const { isLoaded, sessions } = useSessionList() + * + * if (!isLoaded) { + * // Handle loading state + * return null + * } + * + * return ( + *
+ *

Welcome back. You've been here {sessions.length} times before.

+ *
+ * ) + * } + * ``` + */ +declare const useSessionList: () => UseSessionListReturn; + +/** + * The `useUser()` hook provides access to the current user's [`User`](https://clerk.com/docs/references/javascript/user/user) object, which contains all the data for a single user in your application and provides methods to manage their account. This hook also allows you to check if the user is signed in and if Clerk has loaded and initialized. + * + * @example + * ### Get the current user + * + * The following example uses the `useUser()` hook to access the [`User`](https://clerk.com/docs/references/javascript/user/user) object, which contains the current user's data such as their full name. The `isLoaded` and `isSignedIn` properties are used to handle the loading state and to check if the user is signed in, respectively. + * + * ```tsx {{ filename: 'src/Example.tsx' }} + * export default function Example() { + * const { isSignedIn, user, isLoaded } = useUser() + * + * if (!isLoaded) { + * return
Loading...
+ * } + * + * if (!isSignedIn) { + * return
Sign in to view this page
+ * } + * + * return
Hello {user.firstName}!
+ * } + * ``` + * + * @example + * ### Update user data + * + * The following example uses the `useUser()` hook to access the [`User`](https://clerk.com/docs/references/javascript/user/user) object, which calls the [`update()`](https://clerk.com/docs/references/javascript/user/user#update) method to update the current user's information. + * + * ```tsx {{ filename: 'src/Home.tsx' }} + * import { useUser } from '@clerk/clerk-react' + * + * export default function Home() { + * const { isLoaded, user } = useUser() + * + * if (!isLoaded) { + * // Handle loading state + * return null + * } + * + * if (!user) return null + * + * const updateUser = async () => { + * await user.update({ + * firstName: 'John', + * lastName: 'Doe', + * }) + * } + * + * return ( + * <> + * + *

user.firstName: {user?.firstName}

+ *

user.lastName: {user?.lastName}

+ * + * ) + * } + * ``` + * + * @example + * ### Reload user data + * + * The following example uses the `useUser()` hook to access the [`User`](https://clerk.com/docs/references/javascript/user/user) object, which calls the [`reload()`](https://clerk.com/docs/references/javascript/user/user#reload) method to get the latest user's information. + * + * ```tsx {{ filename: 'src/Home.tsx' }} + * import { useUser } from '@clerk/clerk-react' + * + * export default function Home() { + * const { isLoaded, user } = useUser() + * + * if (!isLoaded) { + * // Handle loading state + * return null + * } + * + * if (!user) return null + * + * const updateUser = async () => { + * // Update data via an API endpoint + * const updateMetadata = await fetch('/api/updateMetadata') + * + * // Check if the update was successful + * if (updateMetadata.message !== 'success') { + * throw new Error('Error updating') + * } + * + * // If the update was successful, reload the user data + * await user.reload() + * } + * + * return ( + * <> + * + *

user role: {user?.publicMetadata.role}

+ * + * ) + * } + * ``` + */ +declare function useUser(): UseUserReturn; + +/** + * The `useClerk()` hook provides access to the [`Clerk`](https://clerk.com/docs/references/javascript/clerk/clerk) object, allowing you to build alternatives to any Clerk Component. + * + * @warning + * This composable should only be used for advanced use cases, such as building a completely custom OAuth flow or as an escape hatch to access to the `Clerk` object. + * + * @returns The `Clerk` object, which includes all the methods and properties listed in the [`Clerk` reference](https://clerk.com/docs/references/javascript/clerk/clerk). + * + * @example + * + * The following example uses the `useClerk()` hook to access the `clerk` object. The `clerk` object is used to call the [`openSignIn()`](https://clerk.com/docs/references/javascript/clerk/clerk#sign-in) method to open the sign-in modal. + * + * ```tsx {{ filename: 'src/Home.tsx' }} + * import { useClerk } from '@clerk/clerk-react' + * + * export default function Home() { + * const clerk = useClerk() + * + * return + * } + * ``` + */ +declare const useClerk: () => LoadedClerk; + +type UseMemoFactory = () => T; +type UseMemoDependencyArray = Exclude[1], 'undefined'>; +type UseDeepEqualMemo = (factory: UseMemoFactory, dependencyArray: UseMemoDependencyArray) => T; +declare const useDeepEqualMemo: UseDeepEqualMemo; +declare const isDeeplyEqual: typeof dequal; + +type ExcludeClerkError = T extends { + clerk_error: any; +} ? (P extends { + throwOnCancel: true; +} ? never : null) : T; +/** + * The optional options object. + */ +type UseReverificationOptions = { + /** + * A callback function that is invoked when the user cancels the reverification process. + */ + onCancel?: () => void; + /** + * Determines if an error should throw when the user cancels the reverification process. Defaults to `false`. + */ + throwOnCancel?: boolean; +}; +type UseReverificationResult Promise | undefined, Options extends UseReverificationOptions> = readonly [(...args: Parameters) => Promise>, Options>>]; +/** + * The `useReverification()` hook is used to handle a session's reverification flow. If a request requires reverification, a modal will display, prompting the user to verify their credentials. Upon successful verification, the original request will automatically retry. + * + * @warning + * + * This feature is currently in public beta. **It is not recommended for production use.** + * + * Depending on the SDK you're using, this feature requires `@clerk/nextjs@6.5.0` or later, `@clerk/clerk-react@5.17.0` or later, and `@clerk/clerk-js@5.35.0` or later. + * + * @example + * ### Handle cancellation of the reverification process + * + * The following example demonstrates how to handle scenarios where a user cancels the reverification flow, such as closing the modal, which might result in `myData` being `null`. + * + * In the following example, `myFetcher` would be a function in your backend that fetches data from the route that requires reverification. See the [guide on how to require reverification](https://clerk.com/docs/guides/reverification) for more information. + * + * ```tsx {{ filename: 'src/components/MyButton.tsx' }} + * import { useReverification } from '@clerk/react' + * + * export function MyButton() { + * const [enhancedFetcher] = useReverification(myFetcher) + * + * const handleClick = async () => { + * const myData = await enhancedFetcher() + * // If `myData` is null, the user canceled the reverification process + * // You can choose how your app responds. This example returns null. + * if (!myData) return + * } + * + * return + * } + * ``` + * + * @example + * ### Handle `throwOnCancel` + * + * When `throwOnCancel` is set to `true`, the fetcher will throw a `ClerkRuntimeError` with the code `"reverification_cancelled"` if the user cancels the reverification flow (for example, by closing the modal). This error can be caught and handled according to your app's needs. For example, by displaying a toast notification to the user or silently ignoring the cancellation. + * + * In this example, `myFetcher` would be a function in your backend that fetches data from the route that requires reverification. See the [guide on how to require reverification](https://clerk.com/docs/guides/reverification) for more information. + * + * ```tsx {{ filename: 'src/components/MyButton.tsx' }} + * import { useReverification } from '@clerk/clerk-react' + * import { isClerkRuntimeError } from '@clerk/clerk-react/errors' + * + * export function MyButton() { + * const [enhancedFetcher] = useReverification(myFetcher, { throwOnCancel: true }) + * + * const handleClick = async () => { + * try { + * const myData = await enhancedFetcher() + * } catch (e) { + * // Handle if user cancels the reverification process + * if (isClerkRuntimeError(e) && e.code === 'reverification_cancelled') { + * console.error('User cancelled reverification', e.code) + * } + * } + * } + * + * return + * } + * ``` + */ +declare function useReverification Promise | undefined, Options extends UseReverificationOptions>(fetcher: Fetcher, options?: Options): UseReverificationResult; + +declare const ClerkInstanceContext: React.Context<{ + value: LoadedClerk; +} | undefined>; +declare const useClerkInstanceContext: () => LoadedClerk; +declare const UserContext: React.Context<{ + value: UserResource | null | undefined; +} | undefined>; +declare const useUserContext: () => UserResource | null | undefined; +declare const ClientContext: React.Context<{ + value: ClientResource | null | undefined; +} | undefined>; +declare const useClientContext: () => ClientResource | null | undefined; +declare const SessionContext: React.Context<{ + value: SignedInSessionResource | null | undefined; +} | undefined>; +declare const useSessionContext: () => SignedInSessionResource | null | undefined; +declare const OptionsContext: React.Context; +declare function useOptionsContext(): ClerkOptions; +type OrganizationContextProps = { + organization: OrganizationResource | null | undefined; +}; +declare const useOrganizationContext: () => { + organization: OrganizationResource | null | undefined; +}; +declare const OrganizationProvider: ({ children, organization, swrConfig, }: PropsWithChildren) => React.JSX.Element; +declare function useAssertWrappedByClerkProvider(displayNameOrFn: string | (() => void)): void; + +export { ClerkInstanceContext, ClientContext, OptionsContext, OrganizationProvider, SessionContext, UserContext, assertContextExists, createContextAndHook, isDeeplyEqual, useAssertWrappedByClerkProvider, useClerk, useClerkInstanceContext, useClientContext, useDeepEqualMemo, useOptionsContext, useOrganization, useOrganizationContext, useOrganizationList, useReverification, useSafeLayoutEffect, useSession, useSessionContext, useSessionList, useUser, useUserContext }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.d.ts new file mode 100644 index 000000000..f9d1823b0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.d.ts @@ -0,0 +1,607 @@ +import React, { PropsWithChildren } from 'react'; +import { ClerkPaginatedResponse, OrganizationDomainResource, OrganizationMembershipRequestResource, OrganizationMembershipResource, OrganizationInvitationResource, OrganizationResource, GetDomainsParams, GetMembershipRequestParams, GetMembersParams, GetInvitationsParams, UserOrganizationInvitationResource, OrganizationSuggestionResource, CreateOrganizationParams, SetActive, GetUserOrganizationMembershipParams, GetUserOrganizationInvitationsParams, GetUserOrganizationSuggestionsParams, UseSessionReturn, UseSessionListReturn, UseUserReturn, LoadedClerk, UserResource, ClientResource, SignedInSessionResource, ClerkOptions } from '@clerk/types'; +import { ClerkAPIResponseError } from '../error.js'; +import { dequal } from 'dequal'; + +declare function assertContextExists(contextVal: unknown, msgOrCtx: string | React.Context): asserts contextVal; +type Options = { + assertCtxFn?: (v: unknown, msg: string) => void; +}; +type ContextOf = React.Context<{ + value: T; +} | undefined>; +type UseCtxFn = () => T; +/** + * Creates and returns a Context and two hooks that return the context value. + * The Context type is derived from the type passed in by the user. + * The first hook returned guarantees that the context exists so the returned value is always CtxValue + * The second hook makes no guarantees, so the returned value can be CtxValue | undefined + */ +declare const createContextAndHook: (displayName: string, options?: Options) => [ContextOf, UseCtxFn, UseCtxFn>]; + +type ValueOrSetter = (size: T | ((_size: T) => T)) => void; +type CacheSetter = (data?: CData | ((currentData?: CData) => Promise | undefined | CData)) => Promise; +/** + * @interface + */ +type PaginatedResources = { + /** + * An array that contains the fetched data. + */ + data: T[]; + /** + * The total count of data that exist remotely. + */ + count: number; + /** + * Clerk's API response error object. + */ + error: ClerkAPIResponseError | null; + /** + * A boolean that is `true` if there is an ongoing request and there is no fetched data. + */ + isLoading: boolean; + /** + * A boolean that is `true` if there is an ongoing request or a revalidation. + */ + isFetching: boolean; + /** + * A boolean that indicates the request failed. + */ + isError: boolean; + /** + * A number that indicates the current page. + */ + page: number; + /** + * A number that indicates the total amount of pages. It is calculated based on `count`, `initialPage`, and `pageSize`. + */ + pageCount: number; + /** + * A function that triggers a specific page to be loaded. + */ + fetchPage: ValueOrSetter; + /** + * + * A helper function that triggers the previous page to be loaded. This is the same as `fetchPage(page => Math.max(0, page - 1))`. + */ + fetchPrevious: () => void; + /** + * A helper function that triggers the next page to be loaded. This is the same as `fetchPage(page => Math.min(pageCount, page + 1))`. + */ + fetchNext: () => void; + /** + * A boolean that indicates if there are available pages to be fetched. + */ + hasNextPage: boolean; + /** + * A boolean that indicates if there are available pages to be fetched. + */ + hasPreviousPage: boolean; + /** + * A function that triggers a revalidation of the current page. + */ + revalidate: () => Promise; + /** + * A function that allows you to set the data manually. + */ + setData: Infinite extends true ? CacheSetter<(ClerkPaginatedResponse | undefined)[]> : CacheSetter | undefined>; +}; +type PaginatedResourcesWithDefault = { + [K in keyof PaginatedResources]: PaginatedResources[K] extends boolean ? false : undefined; +}; +type PaginatedHookConfig = T & { + /** + * If `true`, newly fetched data will be appended to the existing list rather than replacing it. Useful for implementing infinite scroll functionality. Defaults to `false`. + */ + infinite?: boolean; + /** + * If `true`, the previous data will be kept in the cache until new data is fetched. Defaults to `false`. + */ + keepPreviousData?: boolean; +}; + +type UseOrganizationParams = { + /** + * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `enrollmentMode` property of type [`OrganizationEnrollmentMode`](https://clerk.com/docs/references/react/use-organization#organization-enrollment-mode) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties). + */ + domains?: true | PaginatedHookConfig; + /** + * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `status` property of type [`OrganizationInvitationStatus`](https://clerk.com/docs/references/react/use-organization#organization-invitation-status) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties). + */ + membershipRequests?: true | PaginatedHookConfig; + /** + * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `role` property of type [`OrganizationCustomRoleKey[]`](https://clerk.com/docs/references/react/use-organization#organization-custome-role-key) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties). + */ + memberships?: true | PaginatedHookConfig; + /** + * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `status` property of type [`OrganizationInvitationStatus`](https://clerk.com/docs/references/react/use-organization#organization-invitation-status) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties). + */ + invitations?: true | PaginatedHookConfig; +}; +type UseOrganization = (params?: T) => { + /** + * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads. + */ + isLoaded: false; + /** + * The currently active organization. + */ + organization: undefined; + /** + * The current organization membership. + */ + membership: undefined; + /** + * Includes a paginated list of the organization's domains. + */ + domains: PaginatedResourcesWithDefault; + /** + * Includes a paginated list of the organization's membership requests. + */ + membershipRequests: PaginatedResourcesWithDefault; + /** + * Includes a paginated list of the organization's memberships. + */ + memberships: PaginatedResourcesWithDefault; + /** + * Includes a paginated list of the organization's invitations. + */ + invitations: PaginatedResourcesWithDefault; +} | { + /** + * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads. + */ + isLoaded: true; + /** + * The currently active organization. + */ + organization: OrganizationResource; + /** + * The current organization membership. + */ + membership: undefined; + /** + * Includes a paginated list of the organization's domains. + */ + domains: PaginatedResourcesWithDefault; + /** + * Includes a paginated list of the organization's membership requests. + */ + membershipRequests: PaginatedResourcesWithDefault; + /** + * Includes a paginated list of the organization's memberships. + */ + memberships: PaginatedResourcesWithDefault; + /** + * Includes a paginated list of the organization's invitations. + */ + invitations: PaginatedResourcesWithDefault; +} | { + /** + * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads. + */ + isLoaded: boolean; + /** + * The currently active organization. + */ + organization: OrganizationResource | null; + /** + * The current organization membership. + */ + membership: OrganizationMembershipResource | null | undefined; + /** + * Includes a paginated list of the organization's domains. + */ + domains: PaginatedResources | null; + /** + * Includes a paginated list of the organization's membership requests. + */ + membershipRequests: PaginatedResources | null; + /** + * Includes a paginated list of the organization's memberships. + */ + memberships: PaginatedResources | null; + /** + * Includes a paginated list of the organization's invitations. + */ + invitations: PaginatedResources | null; +}; +/** + * The `useOrganization()` hook retrieves attributes of the currently active organization. + */ +declare const useOrganization: UseOrganization; + +type UseOrganizationListParams = { + /** + * `true` or an object with any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization-list#shared-properties). If set to `true`, all default properties will be used. + */ + userMemberships?: true | PaginatedHookConfig; + /** + * `true` or an object with [`status: OrganizationInvitationStatus`](https://clerk.com/docs/references/react/use-organization-list#organization-invitation-status) or any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization-list#shared-properties). If set to `true`, all default properties will be used. + */ + userInvitations?: true | PaginatedHookConfig; + /** + * `true` or an object with [`status: OrganizationSuggestionsStatus | OrganizationSuggestionStatus[]`](https://clerk.com/docs/references/react/use-organization-list#organization-suggestion-status) or any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization-list#shared-properties). If set to `true`, all default properties will be used. + */ + userSuggestions?: true | PaginatedHookConfig; +}; +type UseOrganizationList = (params?: T) => { + /** + * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads. + */ + isLoaded: false; + /** + * A function that returns a `Promise` which resolves to the newly created `Organization`. + */ + createOrganization: undefined; + /** + * A function that sets the active session and/or organization. + */ + setActive: undefined; + /** + * Returns `PaginatedResources` which includes a list of the user's organization memberships. + */ + userMemberships: PaginatedResourcesWithDefault; + /** + * Returns `PaginatedResources` which includes a list of the user's organization invitations. + */ + userInvitations: PaginatedResourcesWithDefault; + /** + * Returns `PaginatedResources` which includes a list of suggestions for organizations that the user can join. + */ + userSuggestions: PaginatedResourcesWithDefault; +} | { + /** + * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads. + */ + isLoaded: boolean; + /** + * A function that returns a `Promise` which resolves to the newly created `Organization`. + */ + createOrganization: (params: CreateOrganizationParams) => Promise; + /** + * A function that sets the active session and/or organization. + */ + setActive: SetActive; + /** + * Returns `PaginatedResources` which includes a list of the user's organization memberships. + */ + userMemberships: PaginatedResources; + /** + * Returns `PaginatedResources` which includes a list of the user's organization invitations. + */ + userInvitations: PaginatedResources; + /** + * Returns `PaginatedResources` which includes a list of suggestions for organizations that the user can join. + */ + userSuggestions: PaginatedResources; +}; +/** + * The `useOrganizationList()` hook provides access to the current user's organization memberships, invitations, and suggestions. It also includes methods for creating new organizations and managing the active organization. + */ +declare const useOrganizationList: UseOrganizationList; + +declare const useSafeLayoutEffect: typeof React.useLayoutEffect; + +type UseSession = () => UseSessionReturn; +/** + * The `useSession()` hook provides access to the current user's [`Session`](https://clerk.com/docs/references/javascript/session) object, as well as helpers for setting the active session. + * + * @example + * ### Access the `Session` object + * + * The following example uses the `useSession()` hook to access the `Session` object, which has the `lastActiveAt` property. The `lastActiveAt` property is a `Date` object used to show the time the session was last active. + * + * ```tsx {{ filename: 'src/Home.tsx' }} + * import { useSession } from '@clerk/clerk-react' + * + * export default function Home() { + * const { isLoaded, session, isSignedIn } = useSession() + * + * if (!isLoaded) { + * // Handle loading state + * return null + * } + * if (!isSignedIn) { + * // Handle signed out state + * return null + * } + * + * return ( + *
+ *

This session has been active since {session.lastActiveAt.toLocaleString()}

+ *
+ * ) + * } + * ``` + */ +declare const useSession: UseSession; + +/** + * The `useSessionList()` hook returns an array of [`Session`](https://clerk.com/docs/references/javascript/session) objects that have been registered on the client device. + * + * @example + * ### Get a list of sessions + * + * The following example uses `useSessionList()` to get a list of sessions that have been registered on the client device. The `sessions` property is used to show the number of times the user has visited the page. + * + * ```tsx {{ filename: 'src/Home.tsx' }} + * import { useSessionList } from '@clerk/clerk-react' + * + * export default function Home() { + * const { isLoaded, sessions } = useSessionList() + * + * if (!isLoaded) { + * // Handle loading state + * return null + * } + * + * return ( + *
+ *

Welcome back. You've been here {sessions.length} times before.

+ *
+ * ) + * } + * ``` + */ +declare const useSessionList: () => UseSessionListReturn; + +/** + * The `useUser()` hook provides access to the current user's [`User`](https://clerk.com/docs/references/javascript/user/user) object, which contains all the data for a single user in your application and provides methods to manage their account. This hook also allows you to check if the user is signed in and if Clerk has loaded and initialized. + * + * @example + * ### Get the current user + * + * The following example uses the `useUser()` hook to access the [`User`](https://clerk.com/docs/references/javascript/user/user) object, which contains the current user's data such as their full name. The `isLoaded` and `isSignedIn` properties are used to handle the loading state and to check if the user is signed in, respectively. + * + * ```tsx {{ filename: 'src/Example.tsx' }} + * export default function Example() { + * const { isSignedIn, user, isLoaded } = useUser() + * + * if (!isLoaded) { + * return
Loading...
+ * } + * + * if (!isSignedIn) { + * return
Sign in to view this page
+ * } + * + * return
Hello {user.firstName}!
+ * } + * ``` + * + * @example + * ### Update user data + * + * The following example uses the `useUser()` hook to access the [`User`](https://clerk.com/docs/references/javascript/user/user) object, which calls the [`update()`](https://clerk.com/docs/references/javascript/user/user#update) method to update the current user's information. + * + * ```tsx {{ filename: 'src/Home.tsx' }} + * import { useUser } from '@clerk/clerk-react' + * + * export default function Home() { + * const { isLoaded, user } = useUser() + * + * if (!isLoaded) { + * // Handle loading state + * return null + * } + * + * if (!user) return null + * + * const updateUser = async () => { + * await user.update({ + * firstName: 'John', + * lastName: 'Doe', + * }) + * } + * + * return ( + * <> + * + *

user.firstName: {user?.firstName}

+ *

user.lastName: {user?.lastName}

+ * + * ) + * } + * ``` + * + * @example + * ### Reload user data + * + * The following example uses the `useUser()` hook to access the [`User`](https://clerk.com/docs/references/javascript/user/user) object, which calls the [`reload()`](https://clerk.com/docs/references/javascript/user/user#reload) method to get the latest user's information. + * + * ```tsx {{ filename: 'src/Home.tsx' }} + * import { useUser } from '@clerk/clerk-react' + * + * export default function Home() { + * const { isLoaded, user } = useUser() + * + * if (!isLoaded) { + * // Handle loading state + * return null + * } + * + * if (!user) return null + * + * const updateUser = async () => { + * // Update data via an API endpoint + * const updateMetadata = await fetch('/api/updateMetadata') + * + * // Check if the update was successful + * if (updateMetadata.message !== 'success') { + * throw new Error('Error updating') + * } + * + * // If the update was successful, reload the user data + * await user.reload() + * } + * + * return ( + * <> + * + *

user role: {user?.publicMetadata.role}

+ * + * ) + * } + * ``` + */ +declare function useUser(): UseUserReturn; + +/** + * The `useClerk()` hook provides access to the [`Clerk`](https://clerk.com/docs/references/javascript/clerk/clerk) object, allowing you to build alternatives to any Clerk Component. + * + * @warning + * This composable should only be used for advanced use cases, such as building a completely custom OAuth flow or as an escape hatch to access to the `Clerk` object. + * + * @returns The `Clerk` object, which includes all the methods and properties listed in the [`Clerk` reference](https://clerk.com/docs/references/javascript/clerk/clerk). + * + * @example + * + * The following example uses the `useClerk()` hook to access the `clerk` object. The `clerk` object is used to call the [`openSignIn()`](https://clerk.com/docs/references/javascript/clerk/clerk#sign-in) method to open the sign-in modal. + * + * ```tsx {{ filename: 'src/Home.tsx' }} + * import { useClerk } from '@clerk/clerk-react' + * + * export default function Home() { + * const clerk = useClerk() + * + * return + * } + * ``` + */ +declare const useClerk: () => LoadedClerk; + +type UseMemoFactory = () => T; +type UseMemoDependencyArray = Exclude[1], 'undefined'>; +type UseDeepEqualMemo = (factory: UseMemoFactory, dependencyArray: UseMemoDependencyArray) => T; +declare const useDeepEqualMemo: UseDeepEqualMemo; +declare const isDeeplyEqual: typeof dequal; + +type ExcludeClerkError = T extends { + clerk_error: any; +} ? (P extends { + throwOnCancel: true; +} ? never : null) : T; +/** + * The optional options object. + */ +type UseReverificationOptions = { + /** + * A callback function that is invoked when the user cancels the reverification process. + */ + onCancel?: () => void; + /** + * Determines if an error should throw when the user cancels the reverification process. Defaults to `false`. + */ + throwOnCancel?: boolean; +}; +type UseReverificationResult Promise | undefined, Options extends UseReverificationOptions> = readonly [(...args: Parameters) => Promise>, Options>>]; +/** + * The `useReverification()` hook is used to handle a session's reverification flow. If a request requires reverification, a modal will display, prompting the user to verify their credentials. Upon successful verification, the original request will automatically retry. + * + * @warning + * + * This feature is currently in public beta. **It is not recommended for production use.** + * + * Depending on the SDK you're using, this feature requires `@clerk/nextjs@6.5.0` or later, `@clerk/clerk-react@5.17.0` or later, and `@clerk/clerk-js@5.35.0` or later. + * + * @example + * ### Handle cancellation of the reverification process + * + * The following example demonstrates how to handle scenarios where a user cancels the reverification flow, such as closing the modal, which might result in `myData` being `null`. + * + * In the following example, `myFetcher` would be a function in your backend that fetches data from the route that requires reverification. See the [guide on how to require reverification](https://clerk.com/docs/guides/reverification) for more information. + * + * ```tsx {{ filename: 'src/components/MyButton.tsx' }} + * import { useReverification } from '@clerk/react' + * + * export function MyButton() { + * const [enhancedFetcher] = useReverification(myFetcher) + * + * const handleClick = async () => { + * const myData = await enhancedFetcher() + * // If `myData` is null, the user canceled the reverification process + * // You can choose how your app responds. This example returns null. + * if (!myData) return + * } + * + * return + * } + * ``` + * + * @example + * ### Handle `throwOnCancel` + * + * When `throwOnCancel` is set to `true`, the fetcher will throw a `ClerkRuntimeError` with the code `"reverification_cancelled"` if the user cancels the reverification flow (for example, by closing the modal). This error can be caught and handled according to your app's needs. For example, by displaying a toast notification to the user or silently ignoring the cancellation. + * + * In this example, `myFetcher` would be a function in your backend that fetches data from the route that requires reverification. See the [guide on how to require reverification](https://clerk.com/docs/guides/reverification) for more information. + * + * ```tsx {{ filename: 'src/components/MyButton.tsx' }} + * import { useReverification } from '@clerk/clerk-react' + * import { isClerkRuntimeError } from '@clerk/clerk-react/errors' + * + * export function MyButton() { + * const [enhancedFetcher] = useReverification(myFetcher, { throwOnCancel: true }) + * + * const handleClick = async () => { + * try { + * const myData = await enhancedFetcher() + * } catch (e) { + * // Handle if user cancels the reverification process + * if (isClerkRuntimeError(e) && e.code === 'reverification_cancelled') { + * console.error('User cancelled reverification', e.code) + * } + * } + * } + * + * return + * } + * ``` + */ +declare function useReverification Promise | undefined, Options extends UseReverificationOptions>(fetcher: Fetcher, options?: Options): UseReverificationResult; + +declare const ClerkInstanceContext: React.Context<{ + value: LoadedClerk; +} | undefined>; +declare const useClerkInstanceContext: () => LoadedClerk; +declare const UserContext: React.Context<{ + value: UserResource | null | undefined; +} | undefined>; +declare const useUserContext: () => UserResource | null | undefined; +declare const ClientContext: React.Context<{ + value: ClientResource | null | undefined; +} | undefined>; +declare const useClientContext: () => ClientResource | null | undefined; +declare const SessionContext: React.Context<{ + value: SignedInSessionResource | null | undefined; +} | undefined>; +declare const useSessionContext: () => SignedInSessionResource | null | undefined; +declare const OptionsContext: React.Context; +declare function useOptionsContext(): ClerkOptions; +type OrganizationContextProps = { + organization: OrganizationResource | null | undefined; +}; +declare const useOrganizationContext: () => { + organization: OrganizationResource | null | undefined; +}; +declare const OrganizationProvider: ({ children, organization, swrConfig, }: PropsWithChildren) => React.JSX.Element; +declare function useAssertWrappedByClerkProvider(displayNameOrFn: string | (() => void)): void; + +export { ClerkInstanceContext, ClientContext, OptionsContext, OrganizationProvider, SessionContext, UserContext, assertContextExists, createContextAndHook, isDeeplyEqual, useAssertWrappedByClerkProvider, useClerk, useClerkInstanceContext, useClientContext, useDeepEqualMemo, useOptionsContext, useOrganization, useOrganizationContext, useOrganizationList, useReverification, useSafeLayoutEffect, useSession, useSessionContext, useSessionList, useUser, useUserContext }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.js new file mode 100644 index 000000000..17fa94767 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.js @@ -0,0 +1,908 @@ +"use strict"; +var __create = Object.create; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __getProtoOf = Object.getPrototypeOf; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __reExport = (target, mod, secondTarget) => (__copyProps(target, mod, "default"), secondTarget && __copyProps(secondTarget, mod, "default")); +var __toESM = (mod, isNodeMode, target) => (target = mod != null ? __create(__getProtoOf(mod)) : {}, __copyProps( + // If the importer is in node compatibility mode or this is not an ESM + // file that has been converted to a CommonJS file using a Babel- + // compatible transform (i.e. "__esModule" has not been set), then set + // "default" to the CommonJS "module.exports" for node compatibility. + isNodeMode || !mod || !mod.__esModule ? __defProp(target, "default", { value: mod, enumerable: true }) : target, + mod +)); +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/react/index.ts +var react_exports = {}; +__export(react_exports, { + ClerkInstanceContext: () => ClerkInstanceContext, + ClientContext: () => ClientContext, + OptionsContext: () => OptionsContext, + OrganizationProvider: () => OrganizationProvider, + SessionContext: () => SessionContext, + UserContext: () => UserContext, + assertContextExists: () => assertContextExists, + createContextAndHook: () => createContextAndHook, + isDeeplyEqual: () => isDeeplyEqual, + useAssertWrappedByClerkProvider: () => useAssertWrappedByClerkProvider, + useClerk: () => useClerk, + useClerkInstanceContext: () => useClerkInstanceContext, + useClientContext: () => useClientContext, + useDeepEqualMemo: () => useDeepEqualMemo, + useOptionsContext: () => useOptionsContext, + useOrganization: () => useOrganization, + useOrganizationContext: () => useOrganizationContext, + useOrganizationList: () => useOrganizationList, + useReverification: () => useReverification, + useSafeLayoutEffect: () => useSafeLayoutEffect, + useSession: () => useSession, + useSessionContext: () => useSessionContext, + useSessionList: () => useSessionList, + useUser: () => useUser, + useUserContext: () => useUserContext +}); +module.exports = __toCommonJS(react_exports); + +// src/react/hooks/createContextAndHook.ts +var import_react = __toESM(require("react")); +function assertContextExists(contextVal, msgOrCtx) { + if (!contextVal) { + throw typeof msgOrCtx === "string" ? new Error(msgOrCtx) : new Error(`${msgOrCtx.displayName} not found`); + } +} +var createContextAndHook = (displayName, options) => { + const { assertCtxFn = assertContextExists } = options || {}; + const Ctx = import_react.default.createContext(void 0); + Ctx.displayName = displayName; + const useCtx = () => { + const ctx = import_react.default.useContext(Ctx); + assertCtxFn(ctx, `${displayName} not found`); + return ctx.value; + }; + const useCtxWithoutGuarantee = () => { + const ctx = import_react.default.useContext(Ctx); + return ctx ? ctx.value : {}; + }; + return [Ctx, useCtx, useCtxWithoutGuarantee]; +}; + +// src/organization.ts +function getCurrentOrganizationMembership(organizationMemberships, organizationId) { + return organizationMemberships.find( + (organizationMembership) => organizationMembership.organization.id === organizationId + ); +} + +// src/telemetry/events/method-called.ts +var EVENT_METHOD_CALLED = "METHOD_CALLED"; +function eventMethodCalled(method, payload) { + return { + event: EVENT_METHOD_CALLED, + payload: { + method, + ...payload + } + }; +} + +// src/react/contexts.tsx +var import_react2 = __toESM(require("react")); + +// src/react/clerk-swr.ts +var clerk_swr_exports = {}; +__export(clerk_swr_exports, { + useSWR: () => import_swr.default, + useSWRInfinite: () => import_infinite.default +}); +__reExport(clerk_swr_exports, require("swr")); +var import_swr = __toESM(require("swr")); +var import_infinite = __toESM(require("swr/infinite")); + +// src/react/contexts.tsx +var [ClerkInstanceContext, useClerkInstanceContext] = createContextAndHook("ClerkInstanceContext"); +var [UserContext, useUserContext] = createContextAndHook("UserContext"); +var [ClientContext, useClientContext] = createContextAndHook("ClientContext"); +var [SessionContext, useSessionContext] = createContextAndHook( + "SessionContext" +); +var OptionsContext = import_react2.default.createContext({}); +function useOptionsContext() { + const context = import_react2.default.useContext(OptionsContext); + if (context === void 0) { + throw new Error("useOptions must be used within an OptionsContext"); + } + return context; +} +var [OrganizationContextInternal, useOrganizationContext] = createContextAndHook("OrganizationContext"); +var OrganizationProvider = ({ + children, + organization, + swrConfig +}) => { + return /* @__PURE__ */ import_react2.default.createElement(clerk_swr_exports.SWRConfig, { value: swrConfig }, /* @__PURE__ */ import_react2.default.createElement( + OrganizationContextInternal.Provider, + { + value: { + value: { organization } + } + }, + children + )); +}; +function useAssertWrappedByClerkProvider(displayNameOrFn) { + const ctx = import_react2.default.useContext(ClerkInstanceContext); + if (!ctx) { + if (typeof displayNameOrFn === "function") { + displayNameOrFn(); + return; + } + throw new Error( + `${displayNameOrFn} can only be used within the component. + +Possible fixes: +1. Ensure that the is correctly wrapping your application where this component is used. +2. Check for multiple versions of the \`@clerk/shared\` package in your project. Use a tool like \`npm ls @clerk/shared\` to identify multiple versions, and update your dependencies to only rely on one. + +Learn more: https://clerk.com/docs/components/clerk-provider`.trim() + ); + } +} + +// src/react/hooks/usePagesOrInfinite.ts +var import_react3 = require("react"); +function getDifferentKeys(obj1, obj2) { + const keysSet = new Set(Object.keys(obj2)); + const differentKeysObject = {}; + for (const key1 of Object.keys(obj1)) { + if (!keysSet.has(key1)) { + differentKeysObject[key1] = obj1[key1]; + } + } + return differentKeysObject; +} +var useWithSafeValues = (params, defaultValues) => { + const shouldUseDefaults = typeof params === "boolean" && params; + const initialPageRef = (0, import_react3.useRef)( + shouldUseDefaults ? defaultValues.initialPage : params?.initialPage ?? defaultValues.initialPage + ); + const pageSizeRef = (0, import_react3.useRef)(shouldUseDefaults ? defaultValues.pageSize : params?.pageSize ?? defaultValues.pageSize); + const newObj = {}; + for (const key of Object.keys(defaultValues)) { + newObj[key] = shouldUseDefaults ? defaultValues[key] : params?.[key] ?? defaultValues[key]; + } + return { + ...newObj, + initialPage: initialPageRef.current, + pageSize: pageSizeRef.current + }; +}; +var cachingSWROptions = { + dedupingInterval: 1e3 * 60, + focusThrottleInterval: 1e3 * 60 * 2 +}; +var usePagesOrInfinite = (params, fetcher, config, cacheKeys) => { + const [paginatedPage, setPaginatedPage] = (0, import_react3.useState)(params.initialPage ?? 1); + const initialPageRef = (0, import_react3.useRef)(params.initialPage ?? 1); + const pageSizeRef = (0, import_react3.useRef)(params.pageSize ?? 10); + const enabled = config.enabled ?? true; + const triggerInfinite = config.infinite ?? false; + const keepPreviousData = config.keepPreviousData ?? false; + const pagesCacheKey = { + ...cacheKeys, + ...params, + initialPage: paginatedPage, + pageSize: pageSizeRef.current + }; + const { + data: swrData, + isValidating: swrIsValidating, + isLoading: swrIsLoading, + error: swrError, + mutate: swrMutate + } = (0, import_swr.default)( + !triggerInfinite && !!fetcher && enabled ? pagesCacheKey : null, + (cacheKeyParams) => { + const requestParams = getDifferentKeys(cacheKeyParams, cacheKeys); + return fetcher?.(requestParams); + }, + { keepPreviousData, ...cachingSWROptions } + ); + const { + data: swrInfiniteData, + isLoading: swrInfiniteIsLoading, + isValidating: swrInfiniteIsValidating, + error: swrInfiniteError, + size, + setSize, + mutate: swrInfiniteMutate + } = (0, import_infinite.default)( + (pageIndex) => { + if (!triggerInfinite || !enabled) { + return null; + } + return { + ...params, + ...cacheKeys, + initialPage: initialPageRef.current + pageIndex, + pageSize: pageSizeRef.current + }; + }, + (cacheKeyParams) => { + const requestParams = getDifferentKeys(cacheKeyParams, cacheKeys); + return fetcher?.(requestParams); + }, + cachingSWROptions + ); + const page = (0, import_react3.useMemo)(() => { + if (triggerInfinite) { + return size; + } + return paginatedPage; + }, [triggerInfinite, size, paginatedPage]); + const fetchPage = (0, import_react3.useCallback)( + (numberOrgFn) => { + if (triggerInfinite) { + void setSize(numberOrgFn); + return; + } + return setPaginatedPage(numberOrgFn); + }, + [setSize] + ); + const data = (0, import_react3.useMemo)(() => { + if (triggerInfinite) { + return swrInfiniteData?.map((a) => a?.data).flat() ?? []; + } + return swrData?.data ?? []; + }, [triggerInfinite, swrData, swrInfiniteData]); + const count = (0, import_react3.useMemo)(() => { + if (triggerInfinite) { + return swrInfiniteData?.[swrInfiniteData?.length - 1]?.total_count || 0; + } + return swrData?.total_count ?? 0; + }, [triggerInfinite, swrData, swrInfiniteData]); + const isLoading = triggerInfinite ? swrInfiniteIsLoading : swrIsLoading; + const isFetching = triggerInfinite ? swrInfiniteIsValidating : swrIsValidating; + const error = (triggerInfinite ? swrInfiniteError : swrError) ?? null; + const isError = !!error; + const fetchNext = (0, import_react3.useCallback)(() => { + fetchPage((n) => Math.max(0, n + 1)); + }, [fetchPage]); + const fetchPrevious = (0, import_react3.useCallback)(() => { + fetchPage((n) => Math.max(0, n - 1)); + }, [fetchPage]); + const offsetCount = (initialPageRef.current - 1) * pageSizeRef.current; + const pageCount = Math.ceil((count - offsetCount) / pageSizeRef.current); + const hasNextPage = count - offsetCount * pageSizeRef.current > page * pageSizeRef.current; + const hasPreviousPage = (page - 1) * pageSizeRef.current > offsetCount * pageSizeRef.current; + const setData = triggerInfinite ? (value) => swrInfiniteMutate(value, { + revalidate: false + }) : (value) => swrMutate(value, { + revalidate: false + }); + const revalidate = triggerInfinite ? () => swrInfiniteMutate() : () => swrMutate(); + return { + data, + count, + error, + isLoading, + isFetching, + isError, + page, + pageCount, + fetchPage, + fetchNext, + fetchPrevious, + hasNextPage, + hasPreviousPage, + // Let the hook return type define this type + revalidate, + // Let the hook return type define this type + setData + }; +}; + +// src/react/hooks/useOrganization.tsx +var undefinedPaginatedResource = { + data: void 0, + count: void 0, + error: void 0, + isLoading: false, + isFetching: false, + isError: false, + page: void 0, + pageCount: void 0, + fetchPage: void 0, + fetchNext: void 0, + fetchPrevious: void 0, + hasNextPage: false, + hasPreviousPage: false, + revalidate: void 0, + setData: void 0 +}; +var useOrganization = (params) => { + const { + domains: domainListParams, + membershipRequests: membershipRequestsListParams, + memberships: membersListParams, + invitations: invitationsListParams + } = params || {}; + useAssertWrappedByClerkProvider("useOrganization"); + const { organization } = useOrganizationContext(); + const session = useSessionContext(); + const domainSafeValues = useWithSafeValues(domainListParams, { + initialPage: 1, + pageSize: 10, + keepPreviousData: false, + infinite: false, + enrollmentMode: void 0 + }); + const membershipRequestSafeValues = useWithSafeValues(membershipRequestsListParams, { + initialPage: 1, + pageSize: 10, + status: "pending", + keepPreviousData: false, + infinite: false + }); + const membersSafeValues = useWithSafeValues(membersListParams, { + initialPage: 1, + pageSize: 10, + role: void 0, + keepPreviousData: false, + infinite: false, + query: void 0 + }); + const invitationsSafeValues = useWithSafeValues(invitationsListParams, { + initialPage: 1, + pageSize: 10, + status: ["pending"], + keepPreviousData: false, + infinite: false + }); + const clerk = useClerkInstanceContext(); + clerk.telemetry?.record(eventMethodCalled("useOrganization")); + const domainParams = typeof domainListParams === "undefined" ? void 0 : { + initialPage: domainSafeValues.initialPage, + pageSize: domainSafeValues.pageSize, + enrollmentMode: domainSafeValues.enrollmentMode + }; + const membershipRequestParams = typeof membershipRequestsListParams === "undefined" ? void 0 : { + initialPage: membershipRequestSafeValues.initialPage, + pageSize: membershipRequestSafeValues.pageSize, + status: membershipRequestSafeValues.status + }; + const membersParams = typeof membersListParams === "undefined" ? void 0 : { + initialPage: membersSafeValues.initialPage, + pageSize: membersSafeValues.pageSize, + role: membersSafeValues.role, + query: membersSafeValues.query + }; + const invitationsParams = typeof invitationsListParams === "undefined" ? void 0 : { + initialPage: invitationsSafeValues.initialPage, + pageSize: invitationsSafeValues.pageSize, + status: invitationsSafeValues.status + }; + const domains = usePagesOrInfinite( + { + ...domainParams + }, + organization?.getDomains, + { + keepPreviousData: domainSafeValues.keepPreviousData, + infinite: domainSafeValues.infinite, + enabled: !!domainParams + }, + { + type: "domains", + organizationId: organization?.id + } + ); + const membershipRequests = usePagesOrInfinite( + { + ...membershipRequestParams + }, + organization?.getMembershipRequests, + { + keepPreviousData: membershipRequestSafeValues.keepPreviousData, + infinite: membershipRequestSafeValues.infinite, + enabled: !!membershipRequestParams + }, + { + type: "membershipRequests", + organizationId: organization?.id + } + ); + const memberships = usePagesOrInfinite( + membersParams || {}, + organization?.getMemberships, + { + keepPreviousData: membersSafeValues.keepPreviousData, + infinite: membersSafeValues.infinite, + enabled: !!membersParams + }, + { + type: "members", + organizationId: organization?.id + } + ); + const invitations = usePagesOrInfinite( + { + ...invitationsParams + }, + organization?.getInvitations, + { + keepPreviousData: invitationsSafeValues.keepPreviousData, + infinite: invitationsSafeValues.infinite, + enabled: !!invitationsParams + }, + { + type: "invitations", + organizationId: organization?.id + } + ); + if (organization === void 0) { + return { + isLoaded: false, + organization: void 0, + membership: void 0, + domains: undefinedPaginatedResource, + membershipRequests: undefinedPaginatedResource, + memberships: undefinedPaginatedResource, + invitations: undefinedPaginatedResource + }; + } + if (organization === null) { + return { + isLoaded: true, + organization: null, + membership: null, + domains: null, + membershipRequests: null, + memberships: null, + invitations: null + }; + } + if (!clerk.loaded && organization) { + return { + isLoaded: true, + organization, + membership: void 0, + domains: undefinedPaginatedResource, + membershipRequests: undefinedPaginatedResource, + memberships: undefinedPaginatedResource, + invitations: undefinedPaginatedResource + }; + } + return { + isLoaded: clerk.loaded, + organization, + membership: getCurrentOrganizationMembership(session.user.organizationMemberships, organization.id), + // your membership in the current org + domains, + membershipRequests, + memberships, + invitations + }; +}; + +// src/react/hooks/useOrganizationList.tsx +var undefinedPaginatedResource2 = { + data: void 0, + count: void 0, + error: void 0, + isLoading: false, + isFetching: false, + isError: false, + page: void 0, + pageCount: void 0, + fetchPage: void 0, + fetchNext: void 0, + fetchPrevious: void 0, + hasNextPage: false, + hasPreviousPage: false, + revalidate: void 0, + setData: void 0 +}; +var useOrganizationList = (params) => { + const { userMemberships, userInvitations, userSuggestions } = params || {}; + useAssertWrappedByClerkProvider("useOrganizationList"); + const userMembershipsSafeValues = useWithSafeValues(userMemberships, { + initialPage: 1, + pageSize: 10, + keepPreviousData: false, + infinite: false + }); + const userInvitationsSafeValues = useWithSafeValues(userInvitations, { + initialPage: 1, + pageSize: 10, + status: "pending", + keepPreviousData: false, + infinite: false + }); + const userSuggestionsSafeValues = useWithSafeValues(userSuggestions, { + initialPage: 1, + pageSize: 10, + status: "pending", + keepPreviousData: false, + infinite: false + }); + const clerk = useClerkInstanceContext(); + const user = useUserContext(); + clerk.telemetry?.record(eventMethodCalled("useOrganizationList")); + const userMembershipsParams = typeof userMemberships === "undefined" ? void 0 : { + initialPage: userMembershipsSafeValues.initialPage, + pageSize: userMembershipsSafeValues.pageSize + }; + const userInvitationsParams = typeof userInvitations === "undefined" ? void 0 : { + initialPage: userInvitationsSafeValues.initialPage, + pageSize: userInvitationsSafeValues.pageSize, + status: userInvitationsSafeValues.status + }; + const userSuggestionsParams = typeof userSuggestions === "undefined" ? void 0 : { + initialPage: userSuggestionsSafeValues.initialPage, + pageSize: userSuggestionsSafeValues.pageSize, + status: userSuggestionsSafeValues.status + }; + const isClerkLoaded = !!(clerk.loaded && user); + const memberships = usePagesOrInfinite( + userMembershipsParams || {}, + user?.getOrganizationMemberships, + { + keepPreviousData: userMembershipsSafeValues.keepPreviousData, + infinite: userMembershipsSafeValues.infinite, + enabled: !!userMembershipsParams + }, + { + type: "userMemberships", + userId: user?.id + } + ); + const invitations = usePagesOrInfinite( + { + ...userInvitationsParams + }, + user?.getOrganizationInvitations, + { + keepPreviousData: userInvitationsSafeValues.keepPreviousData, + infinite: userInvitationsSafeValues.infinite, + enabled: !!userInvitationsParams + }, + { + type: "userInvitations", + userId: user?.id + } + ); + const suggestions = usePagesOrInfinite( + { + ...userSuggestionsParams + }, + user?.getOrganizationSuggestions, + { + keepPreviousData: userSuggestionsSafeValues.keepPreviousData, + infinite: userSuggestionsSafeValues.infinite, + enabled: !!userSuggestionsParams + }, + { + type: "userSuggestions", + userId: user?.id + } + ); + if (!isClerkLoaded) { + return { + isLoaded: false, + createOrganization: void 0, + setActive: void 0, + userMemberships: undefinedPaginatedResource2, + userInvitations: undefinedPaginatedResource2, + userSuggestions: undefinedPaginatedResource2 + }; + } + return { + isLoaded: isClerkLoaded, + setActive: clerk.setActive, + createOrganization: clerk.createOrganization, + userMemberships: memberships, + userInvitations: invitations, + userSuggestions: suggestions + }; +}; + +// src/react/hooks/useSafeLayoutEffect.tsx +var import_react4 = __toESM(require("react")); +var useSafeLayoutEffect = typeof window !== "undefined" ? import_react4.default.useLayoutEffect : import_react4.default.useEffect; + +// src/react/hooks/useSession.ts +var useSession = () => { + useAssertWrappedByClerkProvider("useSession"); + const session = useSessionContext(); + if (session === void 0) { + return { isLoaded: false, isSignedIn: void 0, session: void 0 }; + } + if (session === null) { + return { isLoaded: true, isSignedIn: false, session: null }; + } + return { isLoaded: true, isSignedIn: true, session }; +}; + +// src/react/hooks/useSessionList.ts +var useSessionList = () => { + useAssertWrappedByClerkProvider("useSessionList"); + const isomorphicClerk = useClerkInstanceContext(); + const client = useClientContext(); + if (!client) { + return { isLoaded: false, sessions: void 0, setActive: void 0 }; + } + return { + isLoaded: true, + sessions: client.sessions, + setActive: isomorphicClerk.setActive + }; +}; + +// src/react/hooks/useUser.ts +function useUser() { + useAssertWrappedByClerkProvider("useUser"); + const user = useUserContext(); + if (user === void 0) { + return { isLoaded: false, isSignedIn: void 0, user: void 0 }; + } + if (user === null) { + return { isLoaded: true, isSignedIn: false, user: null }; + } + return { isLoaded: true, isSignedIn: true, user }; +} + +// src/react/hooks/useClerk.ts +var useClerk = () => { + useAssertWrappedByClerkProvider("useClerk"); + return useClerkInstanceContext(); +}; + +// src/react/hooks/useDeepEqualMemo.ts +var import_dequal = require("dequal"); +var import_react5 = __toESM(require("react")); +var useDeepEqualMemoize = (value) => { + const ref = import_react5.default.useRef(value); + if (!(0, import_dequal.dequal)(value, ref.current)) { + ref.current = value; + } + return import_react5.default.useMemo(() => ref.current, [ref.current]); +}; +var useDeepEqualMemo = (factory, dependencyArray) => { + return import_react5.default.useMemo(factory, useDeepEqualMemoize(dependencyArray)); +}; +var isDeeplyEqual = import_dequal.dequal; + +// src/react/hooks/useReverification.ts +var import_react6 = require("react"); + +// src/authorization.ts +var TYPES_TO_OBJECTS = { + strict_mfa: { + afterMinutes: 10, + level: "multi_factor" + }, + strict: { + afterMinutes: 10, + level: "second_factor" + }, + moderate: { + afterMinutes: 60, + level: "second_factor" + }, + lax: { + afterMinutes: 1440, + level: "second_factor" + } +}; +var ALLOWED_LEVELS = /* @__PURE__ */ new Set(["first_factor", "second_factor", "multi_factor"]); +var ALLOWED_TYPES = /* @__PURE__ */ new Set(["strict_mfa", "strict", "moderate", "lax"]); +var isValidMaxAge = (maxAge) => typeof maxAge === "number" && maxAge > 0; +var isValidLevel = (level) => ALLOWED_LEVELS.has(level); +var isValidVerificationType = (type) => ALLOWED_TYPES.has(type); +var validateReverificationConfig = (config) => { + if (!config) { + return false; + } + const convertConfigToObject = (config2) => { + if (typeof config2 === "string") { + return TYPES_TO_OBJECTS[config2]; + } + return config2; + }; + const isValidStringValue = typeof config === "string" && isValidVerificationType(config); + const isValidObjectValue = typeof config === "object" && isValidLevel(config.level) && isValidMaxAge(config.afterMinutes); + if (isValidStringValue || isValidObjectValue) { + return convertConfigToObject.bind(null, config); + } + return false; +}; + +// src/authorization-errors.ts +var REVERIFICATION_REASON = "reverification-error"; +var reverificationError = (missingConfig) => ({ + clerk_error: { + type: "forbidden", + reason: REVERIFICATION_REASON, + metadata: { + reverification: missingConfig + } + } +}); +var isReverificationHint = (result) => { + return result && typeof result === "object" && "clerk_error" in result && result.clerk_error?.type === "forbidden" && result.clerk_error?.reason === REVERIFICATION_REASON; +}; + +// src/error.ts +function isClerkAPIResponseError(err) { + return "clerkError" in err; +} +function isClerkRuntimeError(err) { + return "clerkRuntimeError" in err; +} +var ClerkRuntimeError = class _ClerkRuntimeError extends Error { + constructor(message, { code }) { + const prefix = "\u{1F512} Clerk:"; + const regex = new RegExp(prefix.replace(" ", "\\s*"), "i"); + const sanitized = message.replace(regex, ""); + const _message = `${prefix} ${sanitized.trim()} + +(code="${code}") +`; + super(_message); + /** + * Returns a string representation of the error. + * + * @returns {string} A formatted string with the error name and message. + * @memberof ClerkRuntimeError + */ + this.toString = () => { + return `[${this.name}] +Message:${this.message}`; + }; + Object.setPrototypeOf(this, _ClerkRuntimeError.prototype); + this.code = code; + this.message = _message; + this.clerkRuntimeError = true; + this.name = "ClerkRuntimeError"; + } +}; +var DefaultMessages = Object.freeze({ + InvalidProxyUrlErrorMessage: `The proxyUrl passed to Clerk is invalid. The expected value for proxyUrl is an absolute URL or a relative path with a leading '/'. (key={{url}})`, + InvalidPublishableKeyErrorMessage: `The publishableKey passed to Clerk is invalid. You can get your Publishable key at https://dashboard.clerk.com/last-active?path=api-keys. (key={{key}})`, + MissingPublishableKeyErrorMessage: `Missing publishableKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`, + MissingSecretKeyErrorMessage: `Missing secretKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`, + MissingClerkProvider: `{{source}} can only be used within the component. Learn more: https://clerk.com/docs/components/clerk-provider` +}); + +// src/utils/noop.ts +var noop = (..._args) => { +}; + +// src/utils/createDeferredPromise.ts +var createDeferredPromise = () => { + let resolve = noop; + let reject = noop; + const promise = new Promise((res, rej) => { + resolve = res; + reject = rej; + }); + return { promise, resolve, reject }; +}; + +// src/react/hooks/useReverification.ts +var CLERK_API_REVERIFICATION_ERROR_CODE = "session_reverification_required"; +async function resolveResult(result) { + try { + const r = await result; + if (r instanceof Response) { + return r.json(); + } + return r; + } catch (e) { + if (isClerkAPIResponseError(e) && e.errors.find(({ code }) => code === CLERK_API_REVERIFICATION_ERROR_CODE)) { + return reverificationError(); + } + throw e; + } +} +function createReverificationHandler(params) { + function assertReverification(fetcher) { + return async (...args) => { + let result = await resolveResult(fetcher(...args)); + if (isReverificationHint(result)) { + const resolvers = createDeferredPromise(); + const isValidMetadata = validateReverificationConfig(result.clerk_error.metadata?.reverification); + params.openUIComponent?.({ + level: isValidMetadata ? isValidMetadata().level : void 0, + afterVerification() { + resolvers.resolve(true); + }, + afterVerificationCancelled() { + resolvers.reject( + new ClerkRuntimeError("User cancelled attempted verification", { + code: "reverification_cancelled" + }) + ); + } + }); + try { + await resolvers.promise; + } catch (e) { + if (params.onCancel) { + params.onCancel(); + } + if (isClerkRuntimeError(e) && e.code === "reverification_cancelled" && params.throwOnCancel) { + throw e; + } + return null; + } + result = await resolveResult(fetcher(...args)); + } + return result; + }; + } + return assertReverification; +} +function useReverification(fetcher, options) { + const { __internal_openReverification } = useClerk(); + const fetcherRef = (0, import_react6.useRef)(fetcher); + const optionsRef = (0, import_react6.useRef)(options); + const handleReverification = (0, import_react6.useMemo)(() => { + const handler = createReverificationHandler({ + openUIComponent: __internal_openReverification, + ...optionsRef.current + })(fetcherRef.current); + return [handler]; + }, [__internal_openReverification, fetcherRef.current, optionsRef.current]); + useSafeLayoutEffect(() => { + fetcherRef.current = fetcher; + optionsRef.current = options; + }); + return handleReverification; +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + ClerkInstanceContext, + ClientContext, + OptionsContext, + OrganizationProvider, + SessionContext, + UserContext, + assertContextExists, + createContextAndHook, + isDeeplyEqual, + useAssertWrappedByClerkProvider, + useClerk, + useClerkInstanceContext, + useClientContext, + useDeepEqualMemo, + useOptionsContext, + useOrganization, + useOrganizationContext, + useOrganizationList, + useReverification, + useSafeLayoutEffect, + useSession, + useSessionContext, + useSessionList, + useUser, + useUserContext +}); +//# sourceMappingURL=index.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.js.map new file mode 100644 index 000000000..24e4e4557 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../../src/react/index.ts","../../src/react/hooks/createContextAndHook.ts","../../src/organization.ts","../../src/telemetry/events/method-called.ts","../../src/react/contexts.tsx","../../src/react/clerk-swr.ts","../../src/react/hooks/usePagesOrInfinite.ts","../../src/react/hooks/useOrganization.tsx","../../src/react/hooks/useOrganizationList.tsx","../../src/react/hooks/useSafeLayoutEffect.tsx","../../src/react/hooks/useSession.ts","../../src/react/hooks/useSessionList.ts","../../src/react/hooks/useUser.ts","../../src/react/hooks/useClerk.ts","../../src/react/hooks/useDeepEqualMemo.ts","../../src/react/hooks/useReverification.ts","../../src/authorization.ts","../../src/authorization-errors.ts","../../src/error.ts","../../src/utils/noop.ts","../../src/utils/createDeferredPromise.ts"],"sourcesContent":["export * from './hooks';\n\nexport {\n ClerkInstanceContext,\n ClientContext,\n OptionsContext,\n OrganizationProvider,\n SessionContext,\n useAssertWrappedByClerkProvider,\n useClerkInstanceContext,\n useClientContext,\n useOptionsContext,\n useOrganizationContext,\n UserContext,\n useSessionContext,\n useUserContext,\n} from './contexts';\n","'use client';\nimport React from 'react';\n\nexport function assertContextExists(contextVal: unknown, msgOrCtx: string | React.Context): asserts contextVal {\n if (!contextVal) {\n throw typeof msgOrCtx === 'string' ? new Error(msgOrCtx) : new Error(`${msgOrCtx.displayName} not found`);\n }\n}\n\ntype Options = { assertCtxFn?: (v: unknown, msg: string) => void };\ntype ContextOf = React.Context<{ value: T } | undefined>;\ntype UseCtxFn = () => T;\n\n/**\n * Creates and returns a Context and two hooks that return the context value.\n * The Context type is derived from the type passed in by the user.\n * The first hook returned guarantees that the context exists so the returned value is always CtxValue\n * The second hook makes no guarantees, so the returned value can be CtxValue | undefined\n */\nexport const createContextAndHook = (\n displayName: string,\n options?: Options,\n): [ContextOf, UseCtxFn, UseCtxFn>] => {\n const { assertCtxFn = assertContextExists } = options || {};\n const Ctx = React.createContext<{ value: CtxVal } | undefined>(undefined);\n Ctx.displayName = displayName;\n\n const useCtx = () => {\n const ctx = React.useContext(Ctx);\n assertCtxFn(ctx, `${displayName} not found`);\n return (ctx as any).value as CtxVal;\n };\n\n const useCtxWithoutGuarantee = () => {\n const ctx = React.useContext(Ctx);\n return ctx ? ctx.value : {};\n };\n\n return [Ctx, useCtx, useCtxWithoutGuarantee];\n};\n","import type { OrganizationMembershipResource } from '@clerk/types';\n\n/**\n * Finds the organization membership for a given organization ID from a list of memberships\n * @param organizationMemberships - Array of organization memberships to search through\n * @param organizationId - ID of the organization to find the membership for\n * @returns The matching organization membership or undefined if not found\n */\nexport function getCurrentOrganizationMembership(\n organizationMemberships: OrganizationMembershipResource[],\n organizationId: string,\n) {\n return organizationMemberships.find(\n organizationMembership => organizationMembership.organization.id === organizationId,\n );\n}\n","import type { TelemetryEventRaw } from '@clerk/types';\n\nconst EVENT_METHOD_CALLED = 'METHOD_CALLED';\n\ntype EventMethodCalled = {\n method: string;\n} & Record;\n\n/**\n * Fired when a helper method is called from a Clerk SDK.\n */\nexport function eventMethodCalled(\n method: string,\n payload?: Record,\n): TelemetryEventRaw {\n return {\n event: EVENT_METHOD_CALLED,\n payload: {\n method,\n ...payload,\n },\n };\n}\n","'use client';\n\nimport type {\n ClerkOptions,\n ClientResource,\n LoadedClerk,\n OrganizationResource,\n SignedInSessionResource,\n UserResource,\n} from '@clerk/types';\nimport type { PropsWithChildren } from 'react';\nimport React from 'react';\n\nimport { SWRConfig } from './clerk-swr';\nimport { createContextAndHook } from './hooks/createContextAndHook';\n\nconst [ClerkInstanceContext, useClerkInstanceContext] = createContextAndHook('ClerkInstanceContext');\nconst [UserContext, useUserContext] = createContextAndHook('UserContext');\nconst [ClientContext, useClientContext] = createContextAndHook('ClientContext');\nconst [SessionContext, useSessionContext] = createContextAndHook(\n 'SessionContext',\n);\n\nconst OptionsContext = React.createContext({});\n\nfunction useOptionsContext(): ClerkOptions {\n const context = React.useContext(OptionsContext);\n if (context === undefined) {\n throw new Error('useOptions must be used within an OptionsContext');\n }\n return context;\n}\n\ntype OrganizationContextProps = {\n organization: OrganizationResource | null | undefined;\n};\nconst [OrganizationContextInternal, useOrganizationContext] = createContextAndHook<{\n organization: OrganizationResource | null | undefined;\n}>('OrganizationContext');\n\nconst OrganizationProvider = ({\n children,\n organization,\n swrConfig,\n}: PropsWithChildren<\n OrganizationContextProps & {\n // Exporting inferred types directly from SWR will result in error while building declarations\n swrConfig?: any;\n }\n>) => {\n return (\n \n \n {children}\n \n \n );\n};\n\nfunction useAssertWrappedByClerkProvider(displayNameOrFn: string | (() => void)): void {\n const ctx = React.useContext(ClerkInstanceContext);\n\n if (!ctx) {\n if (typeof displayNameOrFn === 'function') {\n displayNameOrFn();\n return;\n }\n\n throw new Error(\n `${displayNameOrFn} can only be used within the component.\n\nPossible fixes:\n1. Ensure that the is correctly wrapping your application where this component is used.\n2. Check for multiple versions of the \\`@clerk/shared\\` package in your project. Use a tool like \\`npm ls @clerk/shared\\` to identify multiple versions, and update your dependencies to only rely on one.\n\nLearn more: https://clerk.com/docs/components/clerk-provider`.trim(),\n );\n }\n}\n\nexport {\n ClientContext,\n useClientContext,\n OrganizationProvider,\n useOrganizationContext,\n UserContext,\n OptionsContext,\n useOptionsContext,\n useUserContext,\n SessionContext,\n useSessionContext,\n ClerkInstanceContext,\n useClerkInstanceContext,\n useAssertWrappedByClerkProvider,\n};\n","'use client';\n\nexport * from 'swr';\n\nexport { default as useSWR } from 'swr';\nexport { default as useSWRInfinite } from 'swr/infinite';\n","'use client';\n\nimport { useCallback, useMemo, useRef, useState } from 'react';\n\nimport { useSWR, useSWRInfinite } from '../clerk-swr';\nimport type {\n CacheSetter,\n PagesOrInfiniteConfig,\n PagesOrInfiniteOptions,\n PaginatedResources,\n ValueOrSetter,\n} from '../types';\n\nfunction getDifferentKeys(obj1: Record, obj2: Record): Record {\n const keysSet = new Set(Object.keys(obj2));\n const differentKeysObject: Record = {};\n\n for (const key1 of Object.keys(obj1)) {\n if (!keysSet.has(key1)) {\n differentKeysObject[key1] = obj1[key1];\n }\n }\n\n return differentKeysObject;\n}\n\nexport const useWithSafeValues = (params: T | true | undefined, defaultValues: T) => {\n const shouldUseDefaults = typeof params === 'boolean' && params;\n\n // Cache initialPage and initialPageSize until unmount\n const initialPageRef = useRef(\n shouldUseDefaults ? defaultValues.initialPage : (params?.initialPage ?? defaultValues.initialPage),\n );\n const pageSizeRef = useRef(shouldUseDefaults ? defaultValues.pageSize : (params?.pageSize ?? defaultValues.pageSize));\n\n const newObj: Record = {};\n for (const key of Object.keys(defaultValues)) {\n // @ts-ignore\n newObj[key] = shouldUseDefaults ? defaultValues[key] : (params?.[key] ?? defaultValues[key]);\n }\n\n return {\n ...newObj,\n initialPage: initialPageRef.current,\n pageSize: pageSizeRef.current,\n } as T;\n};\n\nconst cachingSWROptions = {\n dedupingInterval: 1000 * 60,\n focusThrottleInterval: 1000 * 60 * 2,\n} satisfies Parameters[2];\n\ntype ArrayType = DataArray extends Array ? ElementType : never;\ntype ExtractData = Type extends { data: infer Data } ? ArrayType : Type;\n\ntype UsePagesOrInfinite = <\n Params extends PagesOrInfiniteOptions,\n FetcherReturnData extends Record,\n CacheKeys = Record,\n TConfig extends PagesOrInfiniteConfig = PagesOrInfiniteConfig,\n>(\n /**\n * The parameters will be passed to the fetcher\n */\n params: Params,\n /**\n * A Promise returning function to fetch your data\n */\n fetcher: ((p: Params) => FetcherReturnData | Promise) | undefined,\n /**\n * Internal configuration of the hook\n */\n config: TConfig,\n cacheKeys: CacheKeys,\n) => PaginatedResources, TConfig['infinite']>;\n\nexport const usePagesOrInfinite: UsePagesOrInfinite = (params, fetcher, config, cacheKeys) => {\n const [paginatedPage, setPaginatedPage] = useState(params.initialPage ?? 1);\n\n // Cache initialPage and initialPageSize until unmount\n const initialPageRef = useRef(params.initialPage ?? 1);\n const pageSizeRef = useRef(params.pageSize ?? 10);\n\n const enabled = config.enabled ?? true;\n const triggerInfinite = config.infinite ?? false;\n const keepPreviousData = config.keepPreviousData ?? false;\n\n const pagesCacheKey = {\n ...cacheKeys,\n ...params,\n initialPage: paginatedPage,\n pageSize: pageSizeRef.current,\n };\n\n const {\n data: swrData,\n isValidating: swrIsValidating,\n isLoading: swrIsLoading,\n error: swrError,\n mutate: swrMutate,\n } = useSWR(\n !triggerInfinite && !!fetcher && enabled ? pagesCacheKey : null,\n cacheKeyParams => {\n // @ts-ignore\n const requestParams = getDifferentKeys(cacheKeyParams, cacheKeys);\n // @ts-ignore\n return fetcher?.(requestParams);\n },\n { keepPreviousData, ...cachingSWROptions },\n );\n\n const {\n data: swrInfiniteData,\n isLoading: swrInfiniteIsLoading,\n isValidating: swrInfiniteIsValidating,\n error: swrInfiniteError,\n size,\n setSize,\n mutate: swrInfiniteMutate,\n } = useSWRInfinite(\n pageIndex => {\n if (!triggerInfinite || !enabled) {\n return null;\n }\n\n return {\n ...params,\n ...cacheKeys,\n initialPage: initialPageRef.current + pageIndex,\n pageSize: pageSizeRef.current,\n };\n },\n cacheKeyParams => {\n // @ts-ignore\n const requestParams = getDifferentKeys(cacheKeyParams, cacheKeys);\n // @ts-ignore\n return fetcher?.(requestParams);\n },\n cachingSWROptions,\n );\n\n const page = useMemo(() => {\n if (triggerInfinite) {\n return size;\n }\n return paginatedPage;\n }, [triggerInfinite, size, paginatedPage]);\n\n const fetchPage: ValueOrSetter = useCallback(\n numberOrgFn => {\n if (triggerInfinite) {\n void setSize(numberOrgFn);\n return;\n }\n return setPaginatedPage(numberOrgFn);\n },\n [setSize],\n );\n\n const data = useMemo(() => {\n if (triggerInfinite) {\n return swrInfiniteData?.map(a => a?.data).flat() ?? [];\n }\n return swrData?.data ?? [];\n }, [triggerInfinite, swrData, swrInfiniteData]);\n\n const count = useMemo(() => {\n if (triggerInfinite) {\n return swrInfiniteData?.[swrInfiniteData?.length - 1]?.total_count || 0;\n }\n return swrData?.total_count ?? 0;\n }, [triggerInfinite, swrData, swrInfiniteData]);\n\n const isLoading = triggerInfinite ? swrInfiniteIsLoading : swrIsLoading;\n const isFetching = triggerInfinite ? swrInfiniteIsValidating : swrIsValidating;\n const error = (triggerInfinite ? swrInfiniteError : swrError) ?? null;\n const isError = !!error;\n /**\n * Helpers\n */\n const fetchNext = useCallback(() => {\n fetchPage(n => Math.max(0, n + 1));\n }, [fetchPage]);\n\n const fetchPrevious = useCallback(() => {\n fetchPage(n => Math.max(0, n - 1));\n }, [fetchPage]);\n\n const offsetCount = (initialPageRef.current - 1) * pageSizeRef.current;\n\n const pageCount = Math.ceil((count - offsetCount) / pageSizeRef.current);\n const hasNextPage = count - offsetCount * pageSizeRef.current > page * pageSizeRef.current;\n const hasPreviousPage = (page - 1) * pageSizeRef.current > offsetCount * pageSizeRef.current;\n\n const setData: CacheSetter = triggerInfinite\n ? value =>\n swrInfiniteMutate(value, {\n revalidate: false,\n })\n : value =>\n swrMutate(value, {\n revalidate: false,\n });\n\n const revalidate = triggerInfinite ? () => swrInfiniteMutate() : () => swrMutate();\n\n return {\n data,\n count,\n error,\n isLoading,\n isFetching,\n isError,\n page,\n pageCount,\n fetchPage,\n fetchNext,\n fetchPrevious,\n hasNextPage,\n hasPreviousPage,\n // Let the hook return type define this type\n revalidate: revalidate as any,\n // Let the hook return type define this type\n setData: setData as any,\n };\n};\n","import type {\n ClerkPaginatedResponse,\n GetDomainsParams,\n GetInvitationsParams,\n GetMembershipRequestParams,\n GetMembersParams,\n OrganizationDomainResource,\n OrganizationInvitationResource,\n OrganizationMembershipRequestResource,\n OrganizationMembershipResource,\n OrganizationResource,\n} from '@clerk/types';\n\nimport { getCurrentOrganizationMembership } from '../../organization';\nimport { eventMethodCalled } from '../../telemetry/events/method-called';\nimport {\n useAssertWrappedByClerkProvider,\n useClerkInstanceContext,\n useOrganizationContext,\n useSessionContext,\n} from '../contexts';\nimport type { PaginatedHookConfig, PaginatedResources, PaginatedResourcesWithDefault } from '../types';\nimport { usePagesOrInfinite, useWithSafeValues } from './usePagesOrInfinite';\n\ntype UseOrganizationParams = {\n /**\n * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `enrollmentMode` property of type [`OrganizationEnrollmentMode`](https://clerk.com/docs/references/react/use-organization#organization-enrollment-mode) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties).\n */\n domains?: true | PaginatedHookConfig;\n /**\n * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `status` property of type [`OrganizationInvitationStatus`](https://clerk.com/docs/references/react/use-organization#organization-invitation-status) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties).\n */\n membershipRequests?: true | PaginatedHookConfig;\n /**\n * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `role` property of type [`OrganizationCustomRoleKey[]`](https://clerk.com/docs/references/react/use-organization#organization-custome-role-key) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties).\n */\n memberships?: true | PaginatedHookConfig;\n /**\n * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `status` property of type [`OrganizationInvitationStatus`](https://clerk.com/docs/references/react/use-organization#organization-invitation-status) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties).\n */\n invitations?: true | PaginatedHookConfig;\n};\n\ntype UseOrganization = (\n params?: T,\n) =>\n | {\n /**\n * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads.\n */\n isLoaded: false;\n /**\n * The currently active organization.\n */\n organization: undefined;\n /**\n * The current organization membership.\n */\n membership: undefined;\n /**\n * Includes a paginated list of the organization's domains.\n */\n domains: PaginatedResourcesWithDefault;\n /**\n * Includes a paginated list of the organization's membership requests.\n */\n membershipRequests: PaginatedResourcesWithDefault;\n /**\n * Includes a paginated list of the organization's memberships.\n */\n memberships: PaginatedResourcesWithDefault;\n /**\n * Includes a paginated list of the organization's invitations.\n */\n invitations: PaginatedResourcesWithDefault;\n }\n | {\n /**\n * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads.\n */\n isLoaded: true;\n /**\n * The currently active organization.\n */\n organization: OrganizationResource;\n /**\n * The current organization membership.\n */\n membership: undefined;\n /**\n * Includes a paginated list of the organization's domains.\n */\n domains: PaginatedResourcesWithDefault;\n /**\n * Includes a paginated list of the organization's membership requests.\n */\n membershipRequests: PaginatedResourcesWithDefault;\n /**\n * Includes a paginated list of the organization's memberships.\n */\n memberships: PaginatedResourcesWithDefault;\n /**\n * Includes a paginated list of the organization's invitations.\n */\n invitations: PaginatedResourcesWithDefault;\n }\n | {\n /**\n * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads.\n */\n isLoaded: boolean;\n /**\n * The currently active organization.\n */\n organization: OrganizationResource | null;\n /**\n * The current organization membership.\n */\n membership: OrganizationMembershipResource | null | undefined;\n /**\n * Includes a paginated list of the organization's domains.\n */\n domains: PaginatedResources<\n OrganizationDomainResource,\n T['membershipRequests'] extends { infinite: true } ? true : false\n > | null;\n /**\n * Includes a paginated list of the organization's membership requests.\n */\n membershipRequests: PaginatedResources<\n OrganizationMembershipRequestResource,\n T['membershipRequests'] extends { infinite: true } ? true : false\n > | null;\n /**\n * Includes a paginated list of the organization's memberships.\n */\n memberships: PaginatedResources<\n OrganizationMembershipResource,\n T['memberships'] extends { infinite: true } ? true : false\n > | null;\n /**\n * Includes a paginated list of the organization's invitations.\n */\n invitations: PaginatedResources<\n OrganizationInvitationResource,\n T['invitations'] extends { infinite: true } ? true : false\n > | null;\n };\n\nconst undefinedPaginatedResource = {\n data: undefined,\n count: undefined,\n error: undefined,\n isLoading: false,\n isFetching: false,\n isError: false,\n page: undefined,\n pageCount: undefined,\n fetchPage: undefined,\n fetchNext: undefined,\n fetchPrevious: undefined,\n hasNextPage: false,\n hasPreviousPage: false,\n revalidate: undefined,\n setData: undefined,\n} as const;\n\n/**\n * The `useOrganization()` hook retrieves attributes of the currently active organization.\n */\nexport const useOrganization: UseOrganization = params => {\n const {\n domains: domainListParams,\n membershipRequests: membershipRequestsListParams,\n memberships: membersListParams,\n invitations: invitationsListParams,\n } = params || {};\n\n useAssertWrappedByClerkProvider('useOrganization');\n\n const { organization } = useOrganizationContext();\n const session = useSessionContext();\n\n const domainSafeValues = useWithSafeValues(domainListParams, {\n initialPage: 1,\n pageSize: 10,\n keepPreviousData: false,\n infinite: false,\n enrollmentMode: undefined,\n });\n\n const membershipRequestSafeValues = useWithSafeValues(membershipRequestsListParams, {\n initialPage: 1,\n pageSize: 10,\n status: 'pending',\n keepPreviousData: false,\n infinite: false,\n });\n\n const membersSafeValues = useWithSafeValues(membersListParams, {\n initialPage: 1,\n pageSize: 10,\n role: undefined,\n keepPreviousData: false,\n infinite: false,\n query: undefined,\n });\n\n const invitationsSafeValues = useWithSafeValues(invitationsListParams, {\n initialPage: 1,\n pageSize: 10,\n status: ['pending'],\n keepPreviousData: false,\n infinite: false,\n });\n\n const clerk = useClerkInstanceContext();\n\n clerk.telemetry?.record(eventMethodCalled('useOrganization'));\n\n const domainParams =\n typeof domainListParams === 'undefined'\n ? undefined\n : {\n initialPage: domainSafeValues.initialPage,\n pageSize: domainSafeValues.pageSize,\n enrollmentMode: domainSafeValues.enrollmentMode,\n };\n\n const membershipRequestParams =\n typeof membershipRequestsListParams === 'undefined'\n ? undefined\n : {\n initialPage: membershipRequestSafeValues.initialPage,\n pageSize: membershipRequestSafeValues.pageSize,\n status: membershipRequestSafeValues.status,\n };\n\n const membersParams =\n typeof membersListParams === 'undefined'\n ? undefined\n : {\n initialPage: membersSafeValues.initialPage,\n pageSize: membersSafeValues.pageSize,\n role: membersSafeValues.role,\n query: membersSafeValues.query,\n };\n\n const invitationsParams =\n typeof invitationsListParams === 'undefined'\n ? undefined\n : {\n initialPage: invitationsSafeValues.initialPage,\n pageSize: invitationsSafeValues.pageSize,\n status: invitationsSafeValues.status,\n };\n\n const domains = usePagesOrInfinite>(\n {\n ...domainParams,\n },\n organization?.getDomains,\n {\n keepPreviousData: domainSafeValues.keepPreviousData,\n infinite: domainSafeValues.infinite,\n enabled: !!domainParams,\n },\n {\n type: 'domains',\n organizationId: organization?.id,\n },\n );\n\n const membershipRequests = usePagesOrInfinite<\n GetMembershipRequestParams,\n ClerkPaginatedResponse\n >(\n {\n ...membershipRequestParams,\n },\n organization?.getMembershipRequests,\n {\n keepPreviousData: membershipRequestSafeValues.keepPreviousData,\n infinite: membershipRequestSafeValues.infinite,\n enabled: !!membershipRequestParams,\n },\n {\n type: 'membershipRequests',\n organizationId: organization?.id,\n },\n );\n\n const memberships = usePagesOrInfinite>(\n membersParams || {},\n organization?.getMemberships,\n {\n keepPreviousData: membersSafeValues.keepPreviousData,\n infinite: membersSafeValues.infinite,\n enabled: !!membersParams,\n },\n {\n type: 'members',\n organizationId: organization?.id,\n },\n );\n\n const invitations = usePagesOrInfinite>(\n {\n ...invitationsParams,\n },\n organization?.getInvitations,\n {\n keepPreviousData: invitationsSafeValues.keepPreviousData,\n infinite: invitationsSafeValues.infinite,\n enabled: !!invitationsParams,\n },\n {\n type: 'invitations',\n organizationId: organization?.id,\n },\n );\n\n if (organization === undefined) {\n return {\n isLoaded: false,\n organization: undefined,\n membership: undefined,\n domains: undefinedPaginatedResource,\n membershipRequests: undefinedPaginatedResource,\n memberships: undefinedPaginatedResource,\n invitations: undefinedPaginatedResource,\n };\n }\n\n if (organization === null) {\n return {\n isLoaded: true,\n organization: null,\n membership: null,\n domains: null,\n membershipRequests: null,\n memberships: null,\n invitations: null,\n };\n }\n\n /** In SSR context we include only the organization object when loadOrg is set to true. */\n if (!clerk.loaded && organization) {\n return {\n isLoaded: true,\n organization,\n membership: undefined,\n domains: undefinedPaginatedResource,\n membershipRequests: undefinedPaginatedResource,\n memberships: undefinedPaginatedResource,\n invitations: undefinedPaginatedResource,\n };\n }\n\n return {\n isLoaded: clerk.loaded,\n organization,\n membership: getCurrentOrganizationMembership(session!.user.organizationMemberships, organization.id), // your membership in the current org\n domains,\n membershipRequests,\n memberships,\n invitations,\n };\n};\n","import type {\n ClerkPaginatedResponse,\n CreateOrganizationParams,\n GetUserOrganizationInvitationsParams,\n GetUserOrganizationMembershipParams,\n GetUserOrganizationSuggestionsParams,\n OrganizationMembershipResource,\n OrganizationResource,\n OrganizationSuggestionResource,\n SetActive,\n UserOrganizationInvitationResource,\n} from '@clerk/types';\n\nimport { eventMethodCalled } from '../../telemetry/events/method-called';\nimport { useAssertWrappedByClerkProvider, useClerkInstanceContext, useUserContext } from '../contexts';\nimport type { PaginatedHookConfig, PaginatedResources, PaginatedResourcesWithDefault } from '../types';\nimport { usePagesOrInfinite, useWithSafeValues } from './usePagesOrInfinite';\n\ntype UseOrganizationListParams = {\n /**\n * `true` or an object with any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization-list#shared-properties). If set to `true`, all default properties will be used.\n */\n userMemberships?: true | PaginatedHookConfig;\n /**\n * `true` or an object with [`status: OrganizationInvitationStatus`](https://clerk.com/docs/references/react/use-organization-list#organization-invitation-status) or any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization-list#shared-properties). If set to `true`, all default properties will be used.\n */\n userInvitations?: true | PaginatedHookConfig;\n /**\n * `true` or an object with [`status: OrganizationSuggestionsStatus | OrganizationSuggestionStatus[]`](https://clerk.com/docs/references/react/use-organization-list#organization-suggestion-status) or any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization-list#shared-properties). If set to `true`, all default properties will be used.\n */\n userSuggestions?: true | PaginatedHookConfig;\n};\n\nconst undefinedPaginatedResource = {\n data: undefined,\n count: undefined,\n error: undefined,\n isLoading: false,\n isFetching: false,\n isError: false,\n page: undefined,\n pageCount: undefined,\n fetchPage: undefined,\n fetchNext: undefined,\n fetchPrevious: undefined,\n hasNextPage: false,\n hasPreviousPage: false,\n revalidate: undefined,\n setData: undefined,\n} as const;\n\ntype UseOrganizationList = (\n params?: T,\n) =>\n | {\n /**\n * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads.\n */\n isLoaded: false;\n /**\n * A function that returns a `Promise` which resolves to the newly created `Organization`.\n */\n createOrganization: undefined;\n /**\n * A function that sets the active session and/or organization.\n */\n setActive: undefined;\n /**\n * Returns `PaginatedResources` which includes a list of the user's organization memberships.\n */\n userMemberships: PaginatedResourcesWithDefault;\n /**\n * Returns `PaginatedResources` which includes a list of the user's organization invitations.\n */\n userInvitations: PaginatedResourcesWithDefault;\n /**\n * Returns `PaginatedResources` which includes a list of suggestions for organizations that the user can join.\n */\n userSuggestions: PaginatedResourcesWithDefault;\n }\n | {\n /**\n * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads.\n */\n isLoaded: boolean;\n /**\n * A function that returns a `Promise` which resolves to the newly created `Organization`.\n */\n createOrganization: (params: CreateOrganizationParams) => Promise;\n /**\n * A function that sets the active session and/or organization.\n */\n setActive: SetActive;\n /**\n * Returns `PaginatedResources` which includes a list of the user's organization memberships.\n */\n userMemberships: PaginatedResources<\n OrganizationMembershipResource,\n T['userMemberships'] extends { infinite: true } ? true : false\n >;\n /**\n * Returns `PaginatedResources` which includes a list of the user's organization invitations.\n */\n userInvitations: PaginatedResources<\n UserOrganizationInvitationResource,\n T['userInvitations'] extends { infinite: true } ? true : false\n >;\n /**\n * Returns `PaginatedResources` which includes a list of suggestions for organizations that the user can join.\n */\n userSuggestions: PaginatedResources<\n OrganizationSuggestionResource,\n T['userSuggestions'] extends { infinite: true } ? true : false\n >;\n };\n\n/**\n * The `useOrganizationList()` hook provides access to the current user's organization memberships, invitations, and suggestions. It also includes methods for creating new organizations and managing the active organization.\n */\nexport const useOrganizationList: UseOrganizationList = params => {\n const { userMemberships, userInvitations, userSuggestions } = params || {};\n\n useAssertWrappedByClerkProvider('useOrganizationList');\n\n const userMembershipsSafeValues = useWithSafeValues(userMemberships, {\n initialPage: 1,\n pageSize: 10,\n keepPreviousData: false,\n infinite: false,\n });\n\n const userInvitationsSafeValues = useWithSafeValues(userInvitations, {\n initialPage: 1,\n pageSize: 10,\n status: 'pending',\n keepPreviousData: false,\n infinite: false,\n });\n\n const userSuggestionsSafeValues = useWithSafeValues(userSuggestions, {\n initialPage: 1,\n pageSize: 10,\n status: 'pending',\n keepPreviousData: false,\n infinite: false,\n });\n\n const clerk = useClerkInstanceContext();\n const user = useUserContext();\n\n clerk.telemetry?.record(eventMethodCalled('useOrganizationList'));\n\n const userMembershipsParams =\n typeof userMemberships === 'undefined'\n ? undefined\n : {\n initialPage: userMembershipsSafeValues.initialPage,\n pageSize: userMembershipsSafeValues.pageSize,\n };\n\n const userInvitationsParams =\n typeof userInvitations === 'undefined'\n ? undefined\n : {\n initialPage: userInvitationsSafeValues.initialPage,\n pageSize: userInvitationsSafeValues.pageSize,\n status: userInvitationsSafeValues.status,\n };\n\n const userSuggestionsParams =\n typeof userSuggestions === 'undefined'\n ? undefined\n : {\n initialPage: userSuggestionsSafeValues.initialPage,\n pageSize: userSuggestionsSafeValues.pageSize,\n status: userSuggestionsSafeValues.status,\n };\n\n const isClerkLoaded = !!(clerk.loaded && user);\n\n const memberships = usePagesOrInfinite<\n GetUserOrganizationMembershipParams,\n ClerkPaginatedResponse\n >(\n userMembershipsParams || {},\n user?.getOrganizationMemberships,\n {\n keepPreviousData: userMembershipsSafeValues.keepPreviousData,\n infinite: userMembershipsSafeValues.infinite,\n enabled: !!userMembershipsParams,\n },\n {\n type: 'userMemberships',\n userId: user?.id,\n },\n );\n\n const invitations = usePagesOrInfinite<\n GetUserOrganizationInvitationsParams,\n ClerkPaginatedResponse\n >(\n {\n ...userInvitationsParams,\n },\n user?.getOrganizationInvitations,\n {\n keepPreviousData: userInvitationsSafeValues.keepPreviousData,\n infinite: userInvitationsSafeValues.infinite,\n enabled: !!userInvitationsParams,\n },\n {\n type: 'userInvitations',\n userId: user?.id,\n },\n );\n\n const suggestions = usePagesOrInfinite<\n GetUserOrganizationSuggestionsParams,\n ClerkPaginatedResponse\n >(\n {\n ...userSuggestionsParams,\n },\n user?.getOrganizationSuggestions,\n {\n keepPreviousData: userSuggestionsSafeValues.keepPreviousData,\n infinite: userSuggestionsSafeValues.infinite,\n enabled: !!userSuggestionsParams,\n },\n {\n type: 'userSuggestions',\n userId: user?.id,\n },\n );\n\n // TODO: Properly check for SSR user values\n if (!isClerkLoaded) {\n return {\n isLoaded: false,\n createOrganization: undefined,\n setActive: undefined,\n userMemberships: undefinedPaginatedResource,\n userInvitations: undefinedPaginatedResource,\n userSuggestions: undefinedPaginatedResource,\n };\n }\n\n return {\n isLoaded: isClerkLoaded,\n setActive: clerk.setActive,\n createOrganization: clerk.createOrganization,\n userMemberships: memberships,\n userInvitations: invitations,\n userSuggestions: suggestions,\n };\n};\n","import React from 'react';\n\nexport const useSafeLayoutEffect = typeof window !== 'undefined' ? React.useLayoutEffect : React.useEffect;\n","import type { UseSessionReturn } from '@clerk/types';\n\nimport { useAssertWrappedByClerkProvider, useSessionContext } from '../contexts';\n\ntype UseSession = () => UseSessionReturn;\n\n/**\n * The `useSession()` hook provides access to the current user's [`Session`](https://clerk.com/docs/references/javascript/session) object, as well as helpers for setting the active session.\n *\n * @example\n * ### Access the `Session` object\n *\n * The following example uses the `useSession()` hook to access the `Session` object, which has the `lastActiveAt` property. The `lastActiveAt` property is a `Date` object used to show the time the session was last active.\n *\n * ```tsx {{ filename: 'src/Home.tsx' }}\n * import { useSession } from '@clerk/clerk-react'\n *\n * export default function Home() {\n * const { isLoaded, session, isSignedIn } = useSession()\n *\n * if (!isLoaded) {\n * // Handle loading state\n * return null\n * }\n * if (!isSignedIn) {\n * // Handle signed out state\n * return null\n * }\n *\n * return (\n *
\n *

This session has been active since {session.lastActiveAt.toLocaleString()}

\n *
\n * )\n * }\n * ```\n */\nexport const useSession: UseSession = () => {\n useAssertWrappedByClerkProvider('useSession');\n\n const session = useSessionContext();\n\n if (session === undefined) {\n return { isLoaded: false, isSignedIn: undefined, session: undefined };\n }\n\n if (session === null) {\n return { isLoaded: true, isSignedIn: false, session: null };\n }\n\n return { isLoaded: true, isSignedIn: true, session };\n};\n","import type { UseSessionListReturn } from '@clerk/types';\n\nimport { useAssertWrappedByClerkProvider, useClerkInstanceContext, useClientContext } from '../contexts';\n\n/**\n * The `useSessionList()` hook returns an array of [`Session`](https://clerk.com/docs/references/javascript/session) objects that have been registered on the client device.\n *\n * @example\n * ### Get a list of sessions\n *\n * The following example uses `useSessionList()` to get a list of sessions that have been registered on the client device. The `sessions` property is used to show the number of times the user has visited the page.\n *\n * ```tsx {{ filename: 'src/Home.tsx' }}\n * import { useSessionList } from '@clerk/clerk-react'\n *\n * export default function Home() {\n * const { isLoaded, sessions } = useSessionList()\n *\n * if (!isLoaded) {\n * // Handle loading state\n * return null\n * }\n *\n * return (\n *
\n *

Welcome back. You've been here {sessions.length} times before.

\n *
\n * )\n * }\n * ```\n */\nexport const useSessionList = (): UseSessionListReturn => {\n useAssertWrappedByClerkProvider('useSessionList');\n\n const isomorphicClerk = useClerkInstanceContext();\n const client = useClientContext();\n\n if (!client) {\n return { isLoaded: false, sessions: undefined, setActive: undefined };\n }\n\n return {\n isLoaded: true,\n sessions: client.sessions,\n setActive: isomorphicClerk.setActive,\n };\n};\n","import type { UseUserReturn } from '@clerk/types';\n\nimport { useAssertWrappedByClerkProvider, useUserContext } from '../contexts';\n\n/**\n * The `useUser()` hook provides access to the current user's [`User`](https://clerk.com/docs/references/javascript/user/user) object, which contains all the data for a single user in your application and provides methods to manage their account. This hook also allows you to check if the user is signed in and if Clerk has loaded and initialized.\n *\n * @example\n * ### Get the current user\n *\n * The following example uses the `useUser()` hook to access the [`User`](https://clerk.com/docs/references/javascript/user/user) object, which contains the current user's data such as their full name. The `isLoaded` and `isSignedIn` properties are used to handle the loading state and to check if the user is signed in, respectively.\n *\n * ```tsx {{ filename: 'src/Example.tsx' }}\n * export default function Example() {\n * const { isSignedIn, user, isLoaded } = useUser()\n *\n * if (!isLoaded) {\n * return
Loading...
\n * }\n *\n * if (!isSignedIn) {\n * return
Sign in to view this page
\n * }\n *\n * return
Hello {user.firstName}!
\n * }\n * ```\n *\n * @example\n * ### Update user data\n *\n * The following example uses the `useUser()` hook to access the [`User`](https://clerk.com/docs/references/javascript/user/user) object, which calls the [`update()`](https://clerk.com/docs/references/javascript/user/user#update) method to update the current user's information.\n *\n * ```tsx {{ filename: 'src/Home.tsx' }}\n * import { useUser } from '@clerk/clerk-react'\n *\n * export default function Home() {\n * const { isLoaded, user } = useUser()\n *\n * if (!isLoaded) {\n * // Handle loading state\n * return null\n * }\n *\n * if (!user) return null\n *\n * const updateUser = async () => {\n * await user.update({\n * firstName: 'John',\n * lastName: 'Doe',\n * })\n * }\n *\n * return (\n * <>\n * \n *

user.firstName: {user?.firstName}

\n *

user.lastName: {user?.lastName}

\n * \n * )\n * }\n * ```\n *\n * @example\n * ### Reload user data\n *\n * The following example uses the `useUser()` hook to access the [`User`](https://clerk.com/docs/references/javascript/user/user) object, which calls the [`reload()`](https://clerk.com/docs/references/javascript/user/user#reload) method to get the latest user's information.\n *\n * ```tsx {{ filename: 'src/Home.tsx' }}\n * import { useUser } from '@clerk/clerk-react'\n *\n * export default function Home() {\n * const { isLoaded, user } = useUser()\n *\n * if (!isLoaded) {\n * // Handle loading state\n * return null\n * }\n *\n * if (!user) return null\n *\n * const updateUser = async () => {\n * // Update data via an API endpoint\n * const updateMetadata = await fetch('/api/updateMetadata')\n *\n * // Check if the update was successful\n * if (updateMetadata.message !== 'success') {\n * throw new Error('Error updating')\n * }\n *\n * // If the update was successful, reload the user data\n * await user.reload()\n * }\n *\n * return (\n * <>\n * \n *

user role: {user?.publicMetadata.role}

\n * \n * )\n * }\n * ```\n */\nexport function useUser(): UseUserReturn {\n useAssertWrappedByClerkProvider('useUser');\n\n const user = useUserContext();\n\n if (user === undefined) {\n return { isLoaded: false, isSignedIn: undefined, user: undefined };\n }\n\n if (user === null) {\n return { isLoaded: true, isSignedIn: false, user: null };\n }\n\n return { isLoaded: true, isSignedIn: true, user };\n}\n","import type { LoadedClerk } from '@clerk/types';\n\nimport { useAssertWrappedByClerkProvider, useClerkInstanceContext } from '../contexts';\n\n/**\n * The `useClerk()` hook provides access to the [`Clerk`](https://clerk.com/docs/references/javascript/clerk/clerk) object, allowing you to build alternatives to any Clerk Component.\n *\n * @warning\n * This composable should only be used for advanced use cases, such as building a completely custom OAuth flow or as an escape hatch to access to the `Clerk` object.\n *\n * @returns The `Clerk` object, which includes all the methods and properties listed in the [`Clerk` reference](https://clerk.com/docs/references/javascript/clerk/clerk).\n *\n * @example\n *\n * The following example uses the `useClerk()` hook to access the `clerk` object. The `clerk` object is used to call the [`openSignIn()`](https://clerk.com/docs/references/javascript/clerk/clerk#sign-in) method to open the sign-in modal.\n *\n * ```tsx {{ filename: 'src/Home.tsx' }}\n * import { useClerk } from '@clerk/clerk-react'\n *\n * export default function Home() {\n * const clerk = useClerk()\n *\n * return \n * }\n * ```\n */\nexport const useClerk = (): LoadedClerk => {\n useAssertWrappedByClerkProvider('useClerk');\n return useClerkInstanceContext();\n};\n","import { dequal as deepEqual } from 'dequal';\nimport React from 'react';\n\ntype UseMemoFactory = () => T;\ntype UseMemoDependencyArray = Exclude[1], 'undefined'>;\ntype UseDeepEqualMemo = (factory: UseMemoFactory, dependencyArray: UseMemoDependencyArray) => T;\n\nconst useDeepEqualMemoize = (value: T) => {\n const ref = React.useRef(value);\n if (!deepEqual(value, ref.current)) {\n ref.current = value;\n }\n return React.useMemo(() => ref.current, [ref.current]);\n};\n\nexport const useDeepEqualMemo: UseDeepEqualMemo = (factory, dependencyArray) => {\n return React.useMemo(factory, useDeepEqualMemoize(dependencyArray));\n};\n\nexport const isDeeplyEqual = deepEqual;\n","import type { Clerk } from '@clerk/types';\nimport { useMemo, useRef } from 'react';\n\nimport { validateReverificationConfig } from '../../authorization';\nimport { isReverificationHint, reverificationError } from '../../authorization-errors';\nimport { ClerkRuntimeError, isClerkAPIResponseError, isClerkRuntimeError } from '../../error';\nimport { createDeferredPromise } from '../../utils/createDeferredPromise';\nimport { useClerk } from './useClerk';\nimport { useSafeLayoutEffect } from './useSafeLayoutEffect';\n\nconst CLERK_API_REVERIFICATION_ERROR_CODE = 'session_reverification_required';\n\nasync function resolveResult(result: Promise | T): Promise> {\n try {\n const r = await result;\n if (r instanceof Response) {\n return r.json();\n }\n return r;\n } catch (e) {\n // Treat fapi assurance as an assurance hint\n if (isClerkAPIResponseError(e) && e.errors.find(({ code }) => code === CLERK_API_REVERIFICATION_ERROR_CODE)) {\n return reverificationError();\n }\n\n // rethrow\n throw e;\n }\n}\n\ntype ExcludeClerkError = T extends { clerk_error: any } ? (P extends { throwOnCancel: true } ? never : null) : T;\n\n/**\n * The optional options object.\n */\ntype UseReverificationOptions = {\n /**\n * A callback function that is invoked when the user cancels the reverification process.\n */\n onCancel?: () => void;\n /**\n * Determines if an error should throw when the user cancels the reverification process. Defaults to `false`.\n */\n throwOnCancel?: boolean;\n};\n\ntype CreateReverificationHandlerParams = UseReverificationOptions & {\n openUIComponent: Clerk['__internal_openReverification'];\n};\n\nfunction createReverificationHandler(params: CreateReverificationHandlerParams) {\n function assertReverification Promise | undefined>(\n fetcher: Fetcher,\n ): (\n ...args: Parameters\n ) => Promise>, Parameters[1]>> {\n return (async (...args: Parameters) => {\n let result = await resolveResult(fetcher(...args));\n\n if (isReverificationHint(result)) {\n /**\n * Create a promise\n */\n const resolvers = createDeferredPromise();\n\n const isValidMetadata = validateReverificationConfig(result.clerk_error.metadata?.reverification);\n\n /**\n * On success resolve the pending promise\n * On cancel reject the pending promise\n */\n params.openUIComponent?.({\n level: isValidMetadata ? isValidMetadata().level : undefined,\n afterVerification() {\n resolvers.resolve(true);\n },\n afterVerificationCancelled() {\n resolvers.reject(\n new ClerkRuntimeError('User cancelled attempted verification', {\n code: 'reverification_cancelled',\n }),\n );\n },\n });\n\n try {\n /**\n * Wait until the promise from above have been resolved or rejected\n */\n await resolvers.promise;\n } catch (e) {\n if (params.onCancel) {\n params.onCancel();\n }\n\n if (isClerkRuntimeError(e) && e.code === 'reverification_cancelled' && params.throwOnCancel) {\n throw e;\n }\n\n return null;\n }\n\n /**\n * After the promise resolved successfully try the original request one more time\n */\n result = await resolveResult(fetcher(...args));\n }\n\n return result;\n }) as ExcludeClerkError>, Parameters[1]>;\n }\n\n return assertReverification;\n}\n\ntype UseReverificationResult<\n Fetcher extends (...args: any[]) => Promise | undefined,\n Options extends UseReverificationOptions,\n> = readonly [(...args: Parameters) => Promise>, Options>>];\n\n/**\n * The `useReverification()` hook is used to handle a session's reverification flow. If a request requires reverification, a modal will display, prompting the user to verify their credentials. Upon successful verification, the original request will automatically retry.\n *\n * @warning\n *\n * This feature is currently in public beta. **It is not recommended for production use.**\n *\n * Depending on the SDK you're using, this feature requires `@clerk/nextjs@6.5.0` or later, `@clerk/clerk-react@5.17.0` or later, and `@clerk/clerk-js@5.35.0` or later.\n *\n * @example\n * ### Handle cancellation of the reverification process\n *\n * The following example demonstrates how to handle scenarios where a user cancels the reverification flow, such as closing the modal, which might result in `myData` being `null`.\n *\n * In the following example, `myFetcher` would be a function in your backend that fetches data from the route that requires reverification. See the [guide on how to require reverification](https://clerk.com/docs/guides/reverification) for more information.\n *\n * ```tsx {{ filename: 'src/components/MyButton.tsx' }}\n * import { useReverification } from '@clerk/react'\n *\n * export function MyButton() {\n * const [enhancedFetcher] = useReverification(myFetcher)\n *\n * const handleClick = async () => {\n * const myData = await enhancedFetcher()\n * // If `myData` is null, the user canceled the reverification process\n * // You can choose how your app responds. This example returns null.\n * if (!myData) return\n * }\n *\n * return \n * }\n * ```\n *\n * @example\n * ### Handle `throwOnCancel`\n *\n * When `throwOnCancel` is set to `true`, the fetcher will throw a `ClerkRuntimeError` with the code `\"reverification_cancelled\"` if the user cancels the reverification flow (for example, by closing the modal). This error can be caught and handled according to your app's needs. For example, by displaying a toast notification to the user or silently ignoring the cancellation.\n *\n * In this example, `myFetcher` would be a function in your backend that fetches data from the route that requires reverification. See the [guide on how to require reverification](https://clerk.com/docs/guides/reverification) for more information.\n *\n * ```tsx {{ filename: 'src/components/MyButton.tsx' }}\n * import { useReverification } from '@clerk/clerk-react'\n * import { isClerkRuntimeError } from '@clerk/clerk-react/errors'\n *\n * export function MyButton() {\n * const [enhancedFetcher] = useReverification(myFetcher, { throwOnCancel: true })\n *\n * const handleClick = async () => {\n * try {\n * const myData = await enhancedFetcher()\n * } catch (e) {\n * // Handle if user cancels the reverification process\n * if (isClerkRuntimeError(e) && e.code === 'reverification_cancelled') {\n * console.error('User cancelled reverification', e.code)\n * }\n * }\n * }\n *\n * return \n * }\n * ```\n */\nfunction useReverification<\n Fetcher extends (...args: any[]) => Promise | undefined,\n Options extends UseReverificationOptions,\n>(fetcher: Fetcher, options?: Options): UseReverificationResult {\n const { __internal_openReverification } = useClerk();\n const fetcherRef = useRef(fetcher);\n const optionsRef = useRef(options);\n\n const handleReverification = useMemo(() => {\n const handler = createReverificationHandler({\n openUIComponent: __internal_openReverification,\n ...optionsRef.current,\n })(fetcherRef.current);\n return [handler] as const;\n }, [__internal_openReverification, fetcherRef.current, optionsRef.current]);\n\n // Keep fetcher and options ref in sync\n useSafeLayoutEffect(() => {\n fetcherRef.current = fetcher;\n optionsRef.current = options;\n });\n\n return handleReverification;\n}\n\nexport { useReverification };\n","import type {\n CheckAuthorizationWithCustomPermissions,\n OrganizationCustomPermissionKey,\n OrganizationCustomRoleKey,\n ReverificationConfig,\n SessionVerificationLevel,\n SessionVerificationTypes,\n} from '@clerk/types';\n\ntype TypesToConfig = Record>;\ntype AuthorizationOptions = {\n userId: string | null | undefined;\n orgId: string | null | undefined;\n orgRole: string | null | undefined;\n orgPermissions: string[] | null | undefined;\n factorVerificationAge: [number, number] | null;\n};\n\ntype CheckOrgAuthorization = (\n params: { role?: OrganizationCustomRoleKey; permission?: OrganizationCustomPermissionKey },\n { orgId, orgRole, orgPermissions }: AuthorizationOptions,\n) => boolean | null;\n\ntype CheckStepUpAuthorization = (\n params: {\n reverification?: ReverificationConfig;\n },\n { factorVerificationAge }: AuthorizationOptions,\n) => boolean | null;\n\nconst TYPES_TO_OBJECTS: TypesToConfig = {\n strict_mfa: {\n afterMinutes: 10,\n level: 'multi_factor',\n },\n strict: {\n afterMinutes: 10,\n level: 'second_factor',\n },\n moderate: {\n afterMinutes: 60,\n level: 'second_factor',\n },\n lax: {\n afterMinutes: 1_440,\n level: 'second_factor',\n },\n};\n\nconst ALLOWED_LEVELS = new Set(['first_factor', 'second_factor', 'multi_factor']);\n\nconst ALLOWED_TYPES = new Set(['strict_mfa', 'strict', 'moderate', 'lax']);\n\n// Helper functions\nconst isValidMaxAge = (maxAge: any) => typeof maxAge === 'number' && maxAge > 0;\nconst isValidLevel = (level: any) => ALLOWED_LEVELS.has(level);\nconst isValidVerificationType = (type: any) => ALLOWED_TYPES.has(type);\n\n/**\n * Checks if a user has the required organization-level authorization.\n * Verifies if the user has the specified role or permission within their organization.\n * @returns null, if unable to determine due to missing data or unspecified role/permission.\n */\nconst checkOrgAuthorization: CheckOrgAuthorization = (params, options) => {\n const { orgId, orgRole, orgPermissions } = options;\n if (!params.role && !params.permission) {\n return null;\n }\n if (!orgId || !orgRole || !orgPermissions) {\n return null;\n }\n\n if (params.permission) {\n return orgPermissions.includes(params.permission);\n }\n if (params.role) {\n return orgRole === params.role;\n }\n return null;\n};\n\nconst validateReverificationConfig = (config: ReverificationConfig | undefined | null) => {\n if (!config) {\n return false;\n }\n\n const convertConfigToObject = (config: ReverificationConfig) => {\n if (typeof config === 'string') {\n return TYPES_TO_OBJECTS[config];\n }\n return config;\n };\n\n const isValidStringValue = typeof config === 'string' && isValidVerificationType(config);\n const isValidObjectValue =\n typeof config === 'object' && isValidLevel(config.level) && isValidMaxAge(config.afterMinutes);\n\n if (isValidStringValue || isValidObjectValue) {\n return convertConfigToObject.bind(null, config);\n }\n\n return false;\n};\n\n/**\n * Evaluates if the user meets step-up authentication requirements.\n * Compares the user's factor verification ages against the specified maxAge.\n * Handles different verification levels (first factor, second factor, multi-factor).\n * @returns null, if requirements or verification data are missing.\n */\nconst checkStepUpAuthorization: CheckStepUpAuthorization = (params, { factorVerificationAge }) => {\n if (!params.reverification || !factorVerificationAge) {\n return null;\n }\n\n const isValidReverification = validateReverificationConfig(params.reverification);\n if (!isValidReverification) {\n return null;\n }\n\n const { level, afterMinutes } = isValidReverification();\n const [factor1Age, factor2Age] = factorVerificationAge;\n\n // -1 indicates the factor group (1fa,2fa) is not enabled\n // -1 for 1fa is not a valid scenario, but we need to make sure we handle it properly\n const isValidFactor1 = factor1Age !== -1 ? afterMinutes > factor1Age : null;\n const isValidFactor2 = factor2Age !== -1 ? afterMinutes > factor2Age : null;\n\n switch (level) {\n case 'first_factor':\n return isValidFactor1;\n case 'second_factor':\n return factor2Age !== -1 ? isValidFactor2 : isValidFactor1;\n case 'multi_factor':\n return factor2Age === -1 ? isValidFactor1 : isValidFactor1 && isValidFactor2;\n }\n};\n\n/**\n * Creates a function for comprehensive user authorization checks.\n * Combines organization-level and step-up authentication checks.\n * The returned function authorizes if both checks pass, or if at least one passes\n * when the other is indeterminate. Fails if userId is missing.\n */\nconst createCheckAuthorization = (options: AuthorizationOptions): CheckAuthorizationWithCustomPermissions => {\n return (params): boolean => {\n if (!options.userId) {\n return false;\n }\n\n const orgAuthorization = checkOrgAuthorization(params, options);\n const stepUpAuthorization = checkStepUpAuthorization(params, options);\n\n if ([orgAuthorization, stepUpAuthorization].some(a => a === null)) {\n return [orgAuthorization, stepUpAuthorization].some(a => a === true);\n }\n\n return [orgAuthorization, stepUpAuthorization].every(a => a === true);\n };\n};\n\nexport { createCheckAuthorization, validateReverificationConfig };\n","import type { ReverificationConfig } from '@clerk/types';\n\ntype ClerkError = {\n clerk_error: T;\n};\n\nconst REVERIFICATION_REASON = 'reverification-error';\n\ntype ReverificationError = ClerkError<\n {\n type: 'forbidden';\n reason: typeof REVERIFICATION_REASON;\n } & M\n>;\n\nconst reverificationError = (\n missingConfig?: MC,\n): ReverificationError<{\n metadata?: {\n reverification?: MC;\n };\n}> => ({\n clerk_error: {\n type: 'forbidden',\n reason: REVERIFICATION_REASON,\n metadata: {\n reverification: missingConfig,\n },\n },\n});\n\nconst reverificationErrorResponse = (...args: Parameters) =>\n new Response(JSON.stringify(reverificationError(...args)), {\n status: 403,\n });\n\nconst isReverificationHint = (result: any): result is ReturnType => {\n return (\n result &&\n typeof result === 'object' &&\n 'clerk_error' in result &&\n result.clerk_error?.type === 'forbidden' &&\n result.clerk_error?.reason === REVERIFICATION_REASON\n );\n};\n\nexport { reverificationError, reverificationErrorResponse, isReverificationHint };\n","import type { ClerkAPIError, ClerkAPIErrorJSON } from '@clerk/types';\n\nexport function isUnauthorizedError(e: any): boolean {\n const status = e?.status;\n const code = e?.errors?.[0]?.code;\n return code === 'authentication_invalid' && status === 401;\n}\n\nexport function isCaptchaError(e: ClerkAPIResponseError): boolean {\n return ['captcha_invalid', 'captcha_not_enabled', 'captcha_missing_token'].includes(e.errors[0].code);\n}\n\nexport function is4xxError(e: any): boolean {\n const status = e?.status;\n return !!status && status >= 400 && status < 500;\n}\n\nexport function isNetworkError(e: any): boolean {\n // TODO: revise during error handling epic\n const message = (`${e.message}${e.name}` || '').toLowerCase().replace(/\\s+/g, '');\n return message.includes('networkerror');\n}\n\ninterface ClerkAPIResponseOptions {\n data: ClerkAPIErrorJSON[];\n status: number;\n clerkTraceId?: string;\n}\n\n// For a comprehensive Metamask error list, please see\n// https://docs.metamask.io/guide/ethereum-provider.html#errors\nexport interface MetamaskError extends Error {\n code: 4001 | 32602 | 32603;\n message: string;\n data?: unknown;\n}\n\nexport function isKnownError(error: any): error is ClerkAPIResponseError | ClerkRuntimeError | MetamaskError {\n return isClerkAPIResponseError(error) || isMetamaskError(error) || isClerkRuntimeError(error);\n}\n\nexport function isClerkAPIResponseError(err: any): err is ClerkAPIResponseError {\n return 'clerkError' in err;\n}\n\n/**\n * Checks if the provided error object is an instance of ClerkRuntimeError.\n *\n * @param {any} err - The error object to check.\n * @returns {boolean} True if the error is a ClerkRuntimeError, false otherwise.\n *\n * @example\n * const error = new ClerkRuntimeError('An error occurred');\n * if (isClerkRuntimeError(error)) {\n * // Handle ClerkRuntimeError\n * console.error('ClerkRuntimeError:', error.message);\n * } else {\n * // Handle other errors\n * console.error('Other error:', error.message);\n * }\n */\nexport function isClerkRuntimeError(err: any): err is ClerkRuntimeError {\n return 'clerkRuntimeError' in err;\n}\n\nexport function isMetamaskError(err: any): err is MetamaskError {\n return 'code' in err && [4001, 32602, 32603].includes(err.code) && 'message' in err;\n}\n\nexport function isUserLockedError(err: any) {\n return isClerkAPIResponseError(err) && err.errors?.[0]?.code === 'user_locked';\n}\n\nexport function isPasswordPwnedError(err: any) {\n return isClerkAPIResponseError(err) && err.errors?.[0]?.code === 'form_password_pwned';\n}\n\nexport function parseErrors(data: ClerkAPIErrorJSON[] = []): ClerkAPIError[] {\n return data.length > 0 ? data.map(parseError) : [];\n}\n\nexport function parseError(error: ClerkAPIErrorJSON): ClerkAPIError {\n return {\n code: error.code,\n message: error.message,\n longMessage: error.long_message,\n meta: {\n paramName: error?.meta?.param_name,\n sessionId: error?.meta?.session_id,\n emailAddresses: error?.meta?.email_addresses,\n identifiers: error?.meta?.identifiers,\n zxcvbn: error?.meta?.zxcvbn,\n },\n };\n}\n\nexport function errorToJSON(error: ClerkAPIError | null): ClerkAPIErrorJSON {\n return {\n code: error?.code || '',\n message: error?.message || '',\n long_message: error?.longMessage,\n meta: {\n param_name: error?.meta?.paramName,\n session_id: error?.meta?.sessionId,\n email_addresses: error?.meta?.emailAddresses,\n identifiers: error?.meta?.identifiers,\n zxcvbn: error?.meta?.zxcvbn,\n },\n };\n}\n\nexport class ClerkAPIResponseError extends Error {\n clerkError: true;\n\n status: number;\n message: string;\n clerkTraceId?: string;\n\n errors: ClerkAPIError[];\n\n constructor(message: string, { data, status, clerkTraceId }: ClerkAPIResponseOptions) {\n super(message);\n\n Object.setPrototypeOf(this, ClerkAPIResponseError.prototype);\n\n this.status = status;\n this.message = message;\n this.clerkTraceId = clerkTraceId;\n this.clerkError = true;\n this.errors = parseErrors(data);\n }\n\n public toString = () => {\n let message = `[${this.name}]\\nMessage:${this.message}\\nStatus:${this.status}\\nSerialized errors: ${this.errors.map(\n e => JSON.stringify(e),\n )}`;\n\n if (this.clerkTraceId) {\n message += `\\nClerk Trace ID: ${this.clerkTraceId}`;\n }\n\n return message;\n };\n}\n\n/**\n * Custom error class for representing Clerk runtime errors.\n *\n * @class ClerkRuntimeError\n * @example\n * throw new ClerkRuntimeError('An error occurred', { code: 'password_invalid' });\n */\nexport class ClerkRuntimeError extends Error {\n clerkRuntimeError: true;\n\n /**\n * The error message.\n *\n * @type {string}\n * @memberof ClerkRuntimeError\n */\n message: string;\n\n /**\n * A unique code identifying the error, can be used for localization.\n *\n * @type {string}\n * @memberof ClerkRuntimeError\n */\n code: string;\n\n constructor(message: string, { code }: { code: string }) {\n const prefix = '🔒 Clerk:';\n const regex = new RegExp(prefix.replace(' ', '\\\\s*'), 'i');\n const sanitized = message.replace(regex, '');\n const _message = `${prefix} ${sanitized.trim()}\\n\\n(code=\"${code}\")\\n`;\n super(_message);\n\n Object.setPrototypeOf(this, ClerkRuntimeError.prototype);\n\n this.code = code;\n this.message = _message;\n this.clerkRuntimeError = true;\n this.name = 'ClerkRuntimeError';\n }\n\n /**\n * Returns a string representation of the error.\n *\n * @returns {string} A formatted string with the error name and message.\n * @memberof ClerkRuntimeError\n */\n public toString = () => {\n return `[${this.name}]\\nMessage:${this.message}`;\n };\n}\n\nexport class EmailLinkError extends Error {\n code: string;\n\n constructor(code: string) {\n super(code);\n this.code = code;\n this.name = 'EmailLinkError' as const;\n Object.setPrototypeOf(this, EmailLinkError.prototype);\n }\n}\n\nexport function isEmailLinkError(err: Error): err is EmailLinkError {\n return err.name === 'EmailLinkError';\n}\n\n/** @deprecated Please use `EmailLinkErrorCodeStatus` instead.*/\nexport const EmailLinkErrorCode = {\n Expired: 'expired',\n Failed: 'failed',\n ClientMismatch: 'client_mismatch',\n};\n\nexport const EmailLinkErrorCodeStatus = {\n Expired: 'expired',\n Failed: 'failed',\n ClientMismatch: 'client_mismatch',\n} as const;\n\nconst DefaultMessages = Object.freeze({\n InvalidProxyUrlErrorMessage: `The proxyUrl passed to Clerk is invalid. The expected value for proxyUrl is an absolute URL or a relative path with a leading '/'. (key={{url}})`,\n InvalidPublishableKeyErrorMessage: `The publishableKey passed to Clerk is invalid. You can get your Publishable key at https://dashboard.clerk.com/last-active?path=api-keys. (key={{key}})`,\n MissingPublishableKeyErrorMessage: `Missing publishableKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`,\n MissingSecretKeyErrorMessage: `Missing secretKey. You can get your key at https://dashboard.clerk.com/last-active?path=api-keys.`,\n MissingClerkProvider: `{{source}} can only be used within the component. Learn more: https://clerk.com/docs/components/clerk-provider`,\n});\n\ntype MessageKeys = keyof typeof DefaultMessages;\n\ntype Messages = Record;\n\ntype CustomMessages = Partial;\n\nexport type ErrorThrowerOptions = {\n packageName: string;\n customMessages?: CustomMessages;\n};\n\nexport interface ErrorThrower {\n setPackageName(options: ErrorThrowerOptions): ErrorThrower;\n\n setMessages(options: ErrorThrowerOptions): ErrorThrower;\n\n throwInvalidPublishableKeyError(params: { key?: string }): never;\n\n throwInvalidProxyUrl(params: { url?: string }): never;\n\n throwMissingPublishableKeyError(): never;\n\n throwMissingSecretKeyError(): never;\n\n throwMissingClerkProviderError(params: { source?: string }): never;\n\n throw(message: string): never;\n}\n\nexport function buildErrorThrower({ packageName, customMessages }: ErrorThrowerOptions): ErrorThrower {\n let pkg = packageName;\n\n const messages = {\n ...DefaultMessages,\n ...customMessages,\n };\n\n function buildMessage(rawMessage: string, replacements?: Record) {\n if (!replacements) {\n return `${pkg}: ${rawMessage}`;\n }\n\n let msg = rawMessage;\n const matches = rawMessage.matchAll(/{{([a-zA-Z0-9-_]+)}}/g);\n\n for (const match of matches) {\n const replacement = (replacements[match[1]] || '').toString();\n msg = msg.replace(`{{${match[1]}}}`, replacement);\n }\n\n return `${pkg}: ${msg}`;\n }\n\n return {\n setPackageName({ packageName }: ErrorThrowerOptions): ErrorThrower {\n if (typeof packageName === 'string') {\n pkg = packageName;\n }\n return this;\n },\n\n setMessages({ customMessages }: ErrorThrowerOptions): ErrorThrower {\n Object.assign(messages, customMessages || {});\n return this;\n },\n\n throwInvalidPublishableKeyError(params: { key?: string }): never {\n throw new Error(buildMessage(messages.InvalidPublishableKeyErrorMessage, params));\n },\n\n throwInvalidProxyUrl(params: { url?: string }): never {\n throw new Error(buildMessage(messages.InvalidProxyUrlErrorMessage, params));\n },\n\n throwMissingPublishableKeyError(): never {\n throw new Error(buildMessage(messages.MissingPublishableKeyErrorMessage));\n },\n\n throwMissingSecretKeyError(): never {\n throw new Error(buildMessage(messages.MissingSecretKeyErrorMessage));\n },\n\n throwMissingClerkProviderError(params: { source?: string }): never {\n throw new Error(buildMessage(messages.MissingClerkProvider, params));\n },\n\n throw(message: string): never {\n throw new Error(buildMessage(message));\n },\n };\n}\n\ntype ClerkWebAuthnErrorCode =\n // Generic\n | 'passkey_not_supported'\n | 'passkey_pa_not_supported'\n | 'passkey_invalid_rpID_or_domain'\n | 'passkey_already_exists'\n | 'passkey_operation_aborted'\n // Retrieval\n | 'passkey_retrieval_cancelled'\n | 'passkey_retrieval_failed'\n // Registration\n | 'passkey_registration_cancelled'\n | 'passkey_registration_failed';\n\nexport class ClerkWebAuthnError extends ClerkRuntimeError {\n /**\n * A unique code identifying the error, can be used for localization.\n */\n code: ClerkWebAuthnErrorCode;\n\n constructor(message: string, { code }: { code: ClerkWebAuthnErrorCode }) {\n super(message, { code });\n this.code = code;\n }\n}\n","export const noop = (..._args: any[]): void => {\n // do nothing.\n};\n","import { noop } from './noop';\n\ntype Callback = (val?: any) => void;\n\n/**\n * Create a promise that can be resolved or rejected from\n * outside the Promise constructor callback\n */\nexport const createDeferredPromise = () => {\n let resolve: Callback = noop;\n let reject: Callback = noop;\n const promise = new Promise((res, rej) => {\n resolve = res;\n reject = rej;\n });\n return { promise, resolve, reject };\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACCA,mBAAkB;AAEX,SAAS,oBAAoB,YAAqB,UAA2D;AAClH,MAAI,CAAC,YAAY;AACf,UAAM,OAAO,aAAa,WAAW,IAAI,MAAM,QAAQ,IAAI,IAAI,MAAM,GAAG,SAAS,WAAW,YAAY;AAAA,EAC1G;AACF;AAYO,IAAM,uBAAuB,CAClC,aACA,YAC8E;AAC9E,QAAM,EAAE,cAAc,oBAAoB,IAAI,WAAW,CAAC;AAC1D,QAAM,MAAM,aAAAA,QAAM,cAA6C,MAAS;AACxE,MAAI,cAAc;AAElB,QAAM,SAAS,MAAM;AACnB,UAAM,MAAM,aAAAA,QAAM,WAAW,GAAG;AAChC,gBAAY,KAAK,GAAG,WAAW,YAAY;AAC3C,WAAQ,IAAY;AAAA,EACtB;AAEA,QAAM,yBAAyB,MAAM;AACnC,UAAM,MAAM,aAAAA,QAAM,WAAW,GAAG;AAChC,WAAO,MAAM,IAAI,QAAQ,CAAC;AAAA,EAC5B;AAEA,SAAO,CAAC,KAAK,QAAQ,sBAAsB;AAC7C;;;AC/BO,SAAS,iCACd,yBACA,gBACA;AACA,SAAO,wBAAwB;AAAA,IAC7B,4BAA0B,uBAAuB,aAAa,OAAO;AAAA,EACvE;AACF;;;ACbA,IAAM,sBAAsB;AASrB,SAAS,kBACd,QACA,SACsC;AACtC,SAAO;AAAA,IACL,OAAO;AAAA,IACP,SAAS;AAAA,MACP;AAAA,MACA,GAAG;AAAA,IACL;AAAA,EACF;AACF;;;ACXA,IAAAC,gBAAkB;;;ACXlB;AAAA;AAAA;AAAA;AAAA;AAEA,8BAAc;AAEd,iBAAkC;AAClC,sBAA0C;;;ADW1C,IAAM,CAAC,sBAAsB,uBAAuB,IAAI,qBAAkC,sBAAsB;AAChH,IAAM,CAAC,aAAa,cAAc,IAAI,qBAAsD,aAAa;AACzG,IAAM,CAAC,eAAe,gBAAgB,IAAI,qBAAwD,eAAe;AACjH,IAAM,CAAC,gBAAgB,iBAAiB,IAAI;AAAA,EAC1C;AACF;AAEA,IAAM,iBAAiB,cAAAC,QAAM,cAA4B,CAAC,CAAC;AAE3D,SAAS,oBAAkC;AACzC,QAAM,UAAU,cAAAA,QAAM,WAAW,cAAc;AAC/C,MAAI,YAAY,QAAW;AACzB,UAAM,IAAI,MAAM,kDAAkD;AAAA,EACpE;AACA,SAAO;AACT;AAKA,IAAM,CAAC,6BAA6B,sBAAsB,IAAI,qBAE3D,qBAAqB;AAExB,IAAM,uBAAuB,CAAC;AAAA,EAC5B;AAAA,EACA;AAAA,EACA;AACF,MAKM;AACJ,SACE,8BAAAA,QAAA,cAAC,+BAAU,OAAO,aAChB,8BAAAA,QAAA;AAAA,IAAC,4BAA4B;AAAA,IAA5B;AAAA,MACC,OAAO;AAAA,QACL,OAAO,EAAE,aAAa;AAAA,MACxB;AAAA;AAAA,IAEC;AAAA,EACH,CACF;AAEJ;AAEA,SAAS,gCAAgC,iBAA8C;AACrF,QAAM,MAAM,cAAAA,QAAM,WAAW,oBAAoB;AAEjD,MAAI,CAAC,KAAK;AACR,QAAI,OAAO,oBAAoB,YAAY;AACzC,sBAAgB;AAChB;AAAA,IACF;AAEA,UAAM,IAAI;AAAA,MACR,GAAG,eAAe;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,8DAMsC,KAAK;AAAA,IAC/D;AAAA,EACF;AACF;;;AEhFA,IAAAC,gBAAuD;AAWvD,SAAS,iBAAiB,MAA+B,MAAwD;AAC/G,QAAM,UAAU,IAAI,IAAI,OAAO,KAAK,IAAI,CAAC;AACzC,QAAM,sBAA+C,CAAC;AAEtD,aAAW,QAAQ,OAAO,KAAK,IAAI,GAAG;AACpC,QAAI,CAAC,QAAQ,IAAI,IAAI,GAAG;AACtB,0BAAoB,IAAI,IAAI,KAAK,IAAI;AAAA,IACvC;AAAA,EACF;AAEA,SAAO;AACT;AAEO,IAAM,oBAAoB,CAAmC,QAA8B,kBAAqB;AACrH,QAAM,oBAAoB,OAAO,WAAW,aAAa;AAGzD,QAAM,qBAAiB;AAAA,IACrB,oBAAoB,cAAc,cAAe,QAAQ,eAAe,cAAc;AAAA,EACxF;AACA,QAAM,kBAAc,sBAAO,oBAAoB,cAAc,WAAY,QAAQ,YAAY,cAAc,QAAS;AAEpH,QAAM,SAAkC,CAAC;AACzC,aAAW,OAAO,OAAO,KAAK,aAAa,GAAG;AAE5C,WAAO,GAAG,IAAI,oBAAoB,cAAc,GAAG,IAAK,SAAS,GAAG,KAAK,cAAc,GAAG;AAAA,EAC5F;AAEA,SAAO;AAAA,IACL,GAAG;AAAA,IACH,aAAa,eAAe;AAAA,IAC5B,UAAU,YAAY;AAAA,EACxB;AACF;AAEA,IAAM,oBAAoB;AAAA,EACxB,kBAAkB,MAAO;AAAA,EACzB,uBAAuB,MAAO,KAAK;AACrC;AA0BO,IAAM,qBAAyC,CAAC,QAAQ,SAAS,QAAQ,cAAc;AAC5F,QAAM,CAAC,eAAe,gBAAgB,QAAI,wBAAS,OAAO,eAAe,CAAC;AAG1E,QAAM,qBAAiB,sBAAO,OAAO,eAAe,CAAC;AACrD,QAAM,kBAAc,sBAAO,OAAO,YAAY,EAAE;AAEhD,QAAM,UAAU,OAAO,WAAW;AAClC,QAAM,kBAAkB,OAAO,YAAY;AAC3C,QAAM,mBAAmB,OAAO,oBAAoB;AAEpD,QAAM,gBAAgB;AAAA,IACpB,GAAG;AAAA,IACH,GAAG;AAAA,IACH,aAAa;AAAA,IACb,UAAU,YAAY;AAAA,EACxB;AAEA,QAAM;AAAA,IACJ,MAAM;AAAA,IACN,cAAc;AAAA,IACd,WAAW;AAAA,IACX,OAAO;AAAA,IACP,QAAQ;AAAA,EACV,QAAI;AAAA,IACF,CAAC,mBAAmB,CAAC,CAAC,WAAW,UAAU,gBAAgB;AAAA,IAC3D,oBAAkB;AAEhB,YAAM,gBAAgB,iBAAiB,gBAAgB,SAAS;AAEhE,aAAO,UAAU,aAAa;AAAA,IAChC;AAAA,IACA,EAAE,kBAAkB,GAAG,kBAAkB;AAAA,EAC3C;AAEA,QAAM;AAAA,IACJ,MAAM;AAAA,IACN,WAAW;AAAA,IACX,cAAc;AAAA,IACd,OAAO;AAAA,IACP;AAAA,IACA;AAAA,IACA,QAAQ;AAAA,EACV,QAAI;AAAA,IACF,eAAa;AACX,UAAI,CAAC,mBAAmB,CAAC,SAAS;AAChC,eAAO;AAAA,MACT;AAEA,aAAO;AAAA,QACL,GAAG;AAAA,QACH,GAAG;AAAA,QACH,aAAa,eAAe,UAAU;AAAA,QACtC,UAAU,YAAY;AAAA,MACxB;AAAA,IACF;AAAA,IACA,oBAAkB;AAEhB,YAAM,gBAAgB,iBAAiB,gBAAgB,SAAS;AAEhE,aAAO,UAAU,aAAa;AAAA,IAChC;AAAA,IACA;AAAA,EACF;AAEA,QAAM,WAAO,uBAAQ,MAAM;AACzB,QAAI,iBAAiB;AACnB,aAAO;AAAA,IACT;AACA,WAAO;AAAA,EACT,GAAG,CAAC,iBAAiB,MAAM,aAAa,CAAC;AAEzC,QAAM,gBAAmC;AAAA,IACvC,iBAAe;AACb,UAAI,iBAAiB;AACnB,aAAK,QAAQ,WAAW;AACxB;AAAA,MACF;AACA,aAAO,iBAAiB,WAAW;AAAA,IACrC;AAAA,IACA,CAAC,OAAO;AAAA,EACV;AAEA,QAAM,WAAO,uBAAQ,MAAM;AACzB,QAAI,iBAAiB;AACnB,aAAO,iBAAiB,IAAI,OAAK,GAAG,IAAI,EAAE,KAAK,KAAK,CAAC;AAAA,IACvD;AACA,WAAO,SAAS,QAAQ,CAAC;AAAA,EAC3B,GAAG,CAAC,iBAAiB,SAAS,eAAe,CAAC;AAE9C,QAAM,YAAQ,uBAAQ,MAAM;AAC1B,QAAI,iBAAiB;AACnB,aAAO,kBAAkB,iBAAiB,SAAS,CAAC,GAAG,eAAe;AAAA,IACxE;AACA,WAAO,SAAS,eAAe;AAAA,EACjC,GAAG,CAAC,iBAAiB,SAAS,eAAe,CAAC;AAE9C,QAAM,YAAY,kBAAkB,uBAAuB;AAC3D,QAAM,aAAa,kBAAkB,0BAA0B;AAC/D,QAAM,SAAS,kBAAkB,mBAAmB,aAAa;AACjE,QAAM,UAAU,CAAC,CAAC;AAIlB,QAAM,gBAAY,2BAAY,MAAM;AAClC,cAAU,OAAK,KAAK,IAAI,GAAG,IAAI,CAAC,CAAC;AAAA,EACnC,GAAG,CAAC,SAAS,CAAC;AAEd,QAAM,oBAAgB,2BAAY,MAAM;AACtC,cAAU,OAAK,KAAK,IAAI,GAAG,IAAI,CAAC,CAAC;AAAA,EACnC,GAAG,CAAC,SAAS,CAAC;AAEd,QAAM,eAAe,eAAe,UAAU,KAAK,YAAY;AAE/D,QAAM,YAAY,KAAK,MAAM,QAAQ,eAAe,YAAY,OAAO;AACvE,QAAM,cAAc,QAAQ,cAAc,YAAY,UAAU,OAAO,YAAY;AACnF,QAAM,mBAAmB,OAAO,KAAK,YAAY,UAAU,cAAc,YAAY;AAErF,QAAM,UAAuB,kBACzB,WACE,kBAAkB,OAAO;AAAA,IACvB,YAAY;AAAA,EACd,CAAC,IACH,WACE,UAAU,OAAO;AAAA,IACf,YAAY;AAAA,EACd,CAAC;AAEP,QAAM,aAAa,kBAAkB,MAAM,kBAAkB,IAAI,MAAM,UAAU;AAEjF,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA;AAAA,IAEA;AAAA;AAAA,IAEA;AAAA,EACF;AACF;;;AC7EA,IAAM,6BAA6B;AAAA,EACjC,MAAM;AAAA,EACN,OAAO;AAAA,EACP,OAAO;AAAA,EACP,WAAW;AAAA,EACX,YAAY;AAAA,EACZ,SAAS;AAAA,EACT,MAAM;AAAA,EACN,WAAW;AAAA,EACX,WAAW;AAAA,EACX,WAAW;AAAA,EACX,eAAe;AAAA,EACf,aAAa;AAAA,EACb,iBAAiB;AAAA,EACjB,YAAY;AAAA,EACZ,SAAS;AACX;AAKO,IAAM,kBAAmC,YAAU;AACxD,QAAM;AAAA,IACJ,SAAS;AAAA,IACT,oBAAoB;AAAA,IACpB,aAAa;AAAA,IACb,aAAa;AAAA,EACf,IAAI,UAAU,CAAC;AAEf,kCAAgC,iBAAiB;AAEjD,QAAM,EAAE,aAAa,IAAI,uBAAuB;AAChD,QAAM,UAAU,kBAAkB;AAElC,QAAM,mBAAmB,kBAAkB,kBAAkB;AAAA,IAC3D,aAAa;AAAA,IACb,UAAU;AAAA,IACV,kBAAkB;AAAA,IAClB,UAAU;AAAA,IACV,gBAAgB;AAAA,EAClB,CAAC;AAED,QAAM,8BAA8B,kBAAkB,8BAA8B;AAAA,IAClF,aAAa;AAAA,IACb,UAAU;AAAA,IACV,QAAQ;AAAA,IACR,kBAAkB;AAAA,IAClB,UAAU;AAAA,EACZ,CAAC;AAED,QAAM,oBAAoB,kBAAkB,mBAAmB;AAAA,IAC7D,aAAa;AAAA,IACb,UAAU;AAAA,IACV,MAAM;AAAA,IACN,kBAAkB;AAAA,IAClB,UAAU;AAAA,IACV,OAAO;AAAA,EACT,CAAC;AAED,QAAM,wBAAwB,kBAAkB,uBAAuB;AAAA,IACrE,aAAa;AAAA,IACb,UAAU;AAAA,IACV,QAAQ,CAAC,SAAS;AAAA,IAClB,kBAAkB;AAAA,IAClB,UAAU;AAAA,EACZ,CAAC;AAED,QAAM,QAAQ,wBAAwB;AAEtC,QAAM,WAAW,OAAO,kBAAkB,iBAAiB,CAAC;AAE5D,QAAM,eACJ,OAAO,qBAAqB,cACxB,SACA;AAAA,IACE,aAAa,iBAAiB;AAAA,IAC9B,UAAU,iBAAiB;AAAA,IAC3B,gBAAgB,iBAAiB;AAAA,EACnC;AAEN,QAAM,0BACJ,OAAO,iCAAiC,cACpC,SACA;AAAA,IACE,aAAa,4BAA4B;AAAA,IACzC,UAAU,4BAA4B;AAAA,IACtC,QAAQ,4BAA4B;AAAA,EACtC;AAEN,QAAM,gBACJ,OAAO,sBAAsB,cACzB,SACA;AAAA,IACE,aAAa,kBAAkB;AAAA,IAC/B,UAAU,kBAAkB;AAAA,IAC5B,MAAM,kBAAkB;AAAA,IACxB,OAAO,kBAAkB;AAAA,EAC3B;AAEN,QAAM,oBACJ,OAAO,0BAA0B,cAC7B,SACA;AAAA,IACE,aAAa,sBAAsB;AAAA,IACnC,UAAU,sBAAsB;AAAA,IAChC,QAAQ,sBAAsB;AAAA,EAChC;AAEN,QAAM,UAAU;AAAA,IACd;AAAA,MACE,GAAG;AAAA,IACL;AAAA,IACA,cAAc;AAAA,IACd;AAAA,MACE,kBAAkB,iBAAiB;AAAA,MACnC,UAAU,iBAAiB;AAAA,MAC3B,SAAS,CAAC,CAAC;AAAA,IACb;AAAA,IACA;AAAA,MACE,MAAM;AAAA,MACN,gBAAgB,cAAc;AAAA,IAChC;AAAA,EACF;AAEA,QAAM,qBAAqB;AAAA,IAIzB;AAAA,MACE,GAAG;AAAA,IACL;AAAA,IACA,cAAc;AAAA,IACd;AAAA,MACE,kBAAkB,4BAA4B;AAAA,MAC9C,UAAU,4BAA4B;AAAA,MACtC,SAAS,CAAC,CAAC;AAAA,IACb;AAAA,IACA;AAAA,MACE,MAAM;AAAA,MACN,gBAAgB,cAAc;AAAA,IAChC;AAAA,EACF;AAEA,QAAM,cAAc;AAAA,IAClB,iBAAiB,CAAC;AAAA,IAClB,cAAc;AAAA,IACd;AAAA,MACE,kBAAkB,kBAAkB;AAAA,MACpC,UAAU,kBAAkB;AAAA,MAC5B,SAAS,CAAC,CAAC;AAAA,IACb;AAAA,IACA;AAAA,MACE,MAAM;AAAA,MACN,gBAAgB,cAAc;AAAA,IAChC;AAAA,EACF;AAEA,QAAM,cAAc;AAAA,IAClB;AAAA,MACE,GAAG;AAAA,IACL;AAAA,IACA,cAAc;AAAA,IACd;AAAA,MACE,kBAAkB,sBAAsB;AAAA,MACxC,UAAU,sBAAsB;AAAA,MAChC,SAAS,CAAC,CAAC;AAAA,IACb;AAAA,IACA;AAAA,MACE,MAAM;AAAA,MACN,gBAAgB,cAAc;AAAA,IAChC;AAAA,EACF;AAEA,MAAI,iBAAiB,QAAW;AAC9B,WAAO;AAAA,MACL,UAAU;AAAA,MACV,cAAc;AAAA,MACd,YAAY;AAAA,MACZ,SAAS;AAAA,MACT,oBAAoB;AAAA,MACpB,aAAa;AAAA,MACb,aAAa;AAAA,IACf;AAAA,EACF;AAEA,MAAI,iBAAiB,MAAM;AACzB,WAAO;AAAA,MACL,UAAU;AAAA,MACV,cAAc;AAAA,MACd,YAAY;AAAA,MACZ,SAAS;AAAA,MACT,oBAAoB;AAAA,MACpB,aAAa;AAAA,MACb,aAAa;AAAA,IACf;AAAA,EACF;AAGA,MAAI,CAAC,MAAM,UAAU,cAAc;AACjC,WAAO;AAAA,MACL,UAAU;AAAA,MACV;AAAA,MACA,YAAY;AAAA,MACZ,SAAS;AAAA,MACT,oBAAoB;AAAA,MACpB,aAAa;AAAA,MACb,aAAa;AAAA,IACf;AAAA,EACF;AAEA,SAAO;AAAA,IACL,UAAU,MAAM;AAAA,IAChB;AAAA,IACA,YAAY,iCAAiC,QAAS,KAAK,yBAAyB,aAAa,EAAE;AAAA;AAAA,IACnG;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AACF;;;AC/UA,IAAMC,8BAA6B;AAAA,EACjC,MAAM;AAAA,EACN,OAAO;AAAA,EACP,OAAO;AAAA,EACP,WAAW;AAAA,EACX,YAAY;AAAA,EACZ,SAAS;AAAA,EACT,MAAM;AAAA,EACN,WAAW;AAAA,EACX,WAAW;AAAA,EACX,WAAW;AAAA,EACX,eAAe;AAAA,EACf,aAAa;AAAA,EACb,iBAAiB;AAAA,EACjB,YAAY;AAAA,EACZ,SAAS;AACX;AAsEO,IAAM,sBAA2C,YAAU;AAChE,QAAM,EAAE,iBAAiB,iBAAiB,gBAAgB,IAAI,UAAU,CAAC;AAEzE,kCAAgC,qBAAqB;AAErD,QAAM,4BAA4B,kBAAkB,iBAAiB;AAAA,IACnE,aAAa;AAAA,IACb,UAAU;AAAA,IACV,kBAAkB;AAAA,IAClB,UAAU;AAAA,EACZ,CAAC;AAED,QAAM,4BAA4B,kBAAkB,iBAAiB;AAAA,IACnE,aAAa;AAAA,IACb,UAAU;AAAA,IACV,QAAQ;AAAA,IACR,kBAAkB;AAAA,IAClB,UAAU;AAAA,EACZ,CAAC;AAED,QAAM,4BAA4B,kBAAkB,iBAAiB;AAAA,IACnE,aAAa;AAAA,IACb,UAAU;AAAA,IACV,QAAQ;AAAA,IACR,kBAAkB;AAAA,IAClB,UAAU;AAAA,EACZ,CAAC;AAED,QAAM,QAAQ,wBAAwB;AACtC,QAAM,OAAO,eAAe;AAE5B,QAAM,WAAW,OAAO,kBAAkB,qBAAqB,CAAC;AAEhE,QAAM,wBACJ,OAAO,oBAAoB,cACvB,SACA;AAAA,IACE,aAAa,0BAA0B;AAAA,IACvC,UAAU,0BAA0B;AAAA,EACtC;AAEN,QAAM,wBACJ,OAAO,oBAAoB,cACvB,SACA;AAAA,IACE,aAAa,0BAA0B;AAAA,IACvC,UAAU,0BAA0B;AAAA,IACpC,QAAQ,0BAA0B;AAAA,EACpC;AAEN,QAAM,wBACJ,OAAO,oBAAoB,cACvB,SACA;AAAA,IACE,aAAa,0BAA0B;AAAA,IACvC,UAAU,0BAA0B;AAAA,IACpC,QAAQ,0BAA0B;AAAA,EACpC;AAEN,QAAM,gBAAgB,CAAC,EAAE,MAAM,UAAU;AAEzC,QAAM,cAAc;AAAA,IAIlB,yBAAyB,CAAC;AAAA,IAC1B,MAAM;AAAA,IACN;AAAA,MACE,kBAAkB,0BAA0B;AAAA,MAC5C,UAAU,0BAA0B;AAAA,MACpC,SAAS,CAAC,CAAC;AAAA,IACb;AAAA,IACA;AAAA,MACE,MAAM;AAAA,MACN,QAAQ,MAAM;AAAA,IAChB;AAAA,EACF;AAEA,QAAM,cAAc;AAAA,IAIlB;AAAA,MACE,GAAG;AAAA,IACL;AAAA,IACA,MAAM;AAAA,IACN;AAAA,MACE,kBAAkB,0BAA0B;AAAA,MAC5C,UAAU,0BAA0B;AAAA,MACpC,SAAS,CAAC,CAAC;AAAA,IACb;AAAA,IACA;AAAA,MACE,MAAM;AAAA,MACN,QAAQ,MAAM;AAAA,IAChB;AAAA,EACF;AAEA,QAAM,cAAc;AAAA,IAIlB;AAAA,MACE,GAAG;AAAA,IACL;AAAA,IACA,MAAM;AAAA,IACN;AAAA,MACE,kBAAkB,0BAA0B;AAAA,MAC5C,UAAU,0BAA0B;AAAA,MACpC,SAAS,CAAC,CAAC;AAAA,IACb;AAAA,IACA;AAAA,MACE,MAAM;AAAA,MACN,QAAQ,MAAM;AAAA,IAChB;AAAA,EACF;AAGA,MAAI,CAAC,eAAe;AAClB,WAAO;AAAA,MACL,UAAU;AAAA,MACV,oBAAoB;AAAA,MACpB,WAAW;AAAA,MACX,iBAAiBA;AAAA,MACjB,iBAAiBA;AAAA,MACjB,iBAAiBA;AAAA,IACnB;AAAA,EACF;AAEA,SAAO;AAAA,IACL,UAAU;AAAA,IACV,WAAW,MAAM;AAAA,IACjB,oBAAoB,MAAM;AAAA,IAC1B,iBAAiB;AAAA,IACjB,iBAAiB;AAAA,IACjB,iBAAiB;AAAA,EACnB;AACF;;;AC/PA,IAAAC,gBAAkB;AAEX,IAAM,sBAAsB,OAAO,WAAW,cAAc,cAAAC,QAAM,kBAAkB,cAAAA,QAAM;;;ACmC1F,IAAM,aAAyB,MAAM;AAC1C,kCAAgC,YAAY;AAE5C,QAAM,UAAU,kBAAkB;AAElC,MAAI,YAAY,QAAW;AACzB,WAAO,EAAE,UAAU,OAAO,YAAY,QAAW,SAAS,OAAU;AAAA,EACtE;AAEA,MAAI,YAAY,MAAM;AACpB,WAAO,EAAE,UAAU,MAAM,YAAY,OAAO,SAAS,KAAK;AAAA,EAC5D;AAEA,SAAO,EAAE,UAAU,MAAM,YAAY,MAAM,QAAQ;AACrD;;;ACpBO,IAAM,iBAAiB,MAA4B;AACxD,kCAAgC,gBAAgB;AAEhD,QAAM,kBAAkB,wBAAwB;AAChD,QAAM,SAAS,iBAAiB;AAEhC,MAAI,CAAC,QAAQ;AACX,WAAO,EAAE,UAAU,OAAO,UAAU,QAAW,WAAW,OAAU;AAAA,EACtE;AAEA,SAAO;AAAA,IACL,UAAU;AAAA,IACV,UAAU,OAAO;AAAA,IACjB,WAAW,gBAAgB;AAAA,EAC7B;AACF;;;ACyDO,SAAS,UAAyB;AACvC,kCAAgC,SAAS;AAEzC,QAAM,OAAO,eAAe;AAE5B,MAAI,SAAS,QAAW;AACtB,WAAO,EAAE,UAAU,OAAO,YAAY,QAAW,MAAM,OAAU;AAAA,EACnE;AAEA,MAAI,SAAS,MAAM;AACjB,WAAO,EAAE,UAAU,MAAM,YAAY,OAAO,MAAM,KAAK;AAAA,EACzD;AAEA,SAAO,EAAE,UAAU,MAAM,YAAY,MAAM,KAAK;AAClD;;;AC3FO,IAAM,WAAW,MAAmB;AACzC,kCAAgC,UAAU;AAC1C,SAAO,wBAAwB;AACjC;;;AC7BA,oBAAoC;AACpC,IAAAC,gBAAkB;AAMlB,IAAM,sBAAsB,CAAI,UAAa;AAC3C,QAAM,MAAM,cAAAC,QAAM,OAAU,KAAK;AACjC,MAAI,KAAC,cAAAC,QAAU,OAAO,IAAI,OAAO,GAAG;AAClC,QAAI,UAAU;AAAA,EAChB;AACA,SAAO,cAAAD,QAAM,QAAQ,MAAM,IAAI,SAAS,CAAC,IAAI,OAAO,CAAC;AACvD;AAEO,IAAM,mBAAqC,CAAC,SAAS,oBAAoB;AAC9E,SAAO,cAAAA,QAAM,QAAQ,SAAS,oBAAoB,eAAe,CAAC;AACpE;AAEO,IAAM,gBAAgB,cAAAC;;;AClB7B,IAAAC,gBAAgC;;;AC6BhC,IAAM,mBAAkC;AAAA,EACtC,YAAY;AAAA,IACV,cAAc;AAAA,IACd,OAAO;AAAA,EACT;AAAA,EACA,QAAQ;AAAA,IACN,cAAc;AAAA,IACd,OAAO;AAAA,EACT;AAAA,EACA,UAAU;AAAA,IACR,cAAc;AAAA,IACd,OAAO;AAAA,EACT;AAAA,EACA,KAAK;AAAA,IACH,cAAc;AAAA,IACd,OAAO;AAAA,EACT;AACF;AAEA,IAAM,iBAAiB,oBAAI,IAA8B,CAAC,gBAAgB,iBAAiB,cAAc,CAAC;AAE1G,IAAM,gBAAgB,oBAAI,IAA8B,CAAC,cAAc,UAAU,YAAY,KAAK,CAAC;AAGnG,IAAM,gBAAgB,CAAC,WAAgB,OAAO,WAAW,YAAY,SAAS;AAC9E,IAAM,eAAe,CAAC,UAAe,eAAe,IAAI,KAAK;AAC7D,IAAM,0BAA0B,CAAC,SAAc,cAAc,IAAI,IAAI;AAyBrE,IAAM,+BAA+B,CAAC,WAAoD;AACxF,MAAI,CAAC,QAAQ;AACX,WAAO;AAAA,EACT;AAEA,QAAM,wBAAwB,CAACC,YAAiC;AAC9D,QAAI,OAAOA,YAAW,UAAU;AAC9B,aAAO,iBAAiBA,OAAM;AAAA,IAChC;AACA,WAAOA;AAAA,EACT;AAEA,QAAM,qBAAqB,OAAO,WAAW,YAAY,wBAAwB,MAAM;AACvF,QAAM,qBACJ,OAAO,WAAW,YAAY,aAAa,OAAO,KAAK,KAAK,cAAc,OAAO,YAAY;AAE/F,MAAI,sBAAsB,oBAAoB;AAC5C,WAAO,sBAAsB,KAAK,MAAM,MAAM;AAAA,EAChD;AAEA,SAAO;AACT;;;AChGA,IAAM,wBAAwB;AAS9B,IAAM,sBAAsB,CAC1B,mBAKK;AAAA,EACL,aAAa;AAAA,IACX,MAAM;AAAA,IACN,QAAQ;AAAA,IACR,UAAU;AAAA,MACR,gBAAgB;AAAA,IAClB;AAAA,EACF;AACF;AAOA,IAAM,uBAAuB,CAAC,WAAkE;AAC9F,SACE,UACA,OAAO,WAAW,YAClB,iBAAiB,UACjB,OAAO,aAAa,SAAS,eAC7B,OAAO,aAAa,WAAW;AAEnC;;;ACHO,SAAS,wBAAwB,KAAwC;AAC9E,SAAO,gBAAgB;AACzB;AAkBO,SAAS,oBAAoB,KAAoC;AACtE,SAAO,uBAAuB;AAChC;AAyFO,IAAM,oBAAN,MAAM,2BAA0B,MAAM;AAAA,EAmB3C,YAAY,SAAiB,EAAE,KAAK,GAAqB;AACvD,UAAM,SAAS;AACf,UAAM,QAAQ,IAAI,OAAO,OAAO,QAAQ,KAAK,MAAM,GAAG,GAAG;AACzD,UAAM,YAAY,QAAQ,QAAQ,OAAO,EAAE;AAC3C,UAAM,WAAW,GAAG,MAAM,IAAI,UAAU,KAAK,CAAC;AAAA;AAAA,SAAc,IAAI;AAAA;AAChE,UAAM,QAAQ;AAgBhB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,SAAO,WAAW,MAAM;AACtB,aAAO,IAAI,KAAK,IAAI;AAAA,UAAc,KAAK,OAAO;AAAA,IAChD;AAhBE,WAAO,eAAe,MAAM,mBAAkB,SAAS;AAEvD,SAAK,OAAO;AACZ,SAAK,UAAU;AACf,SAAK,oBAAoB;AACzB,SAAK,OAAO;AAAA,EACd;AAWF;AA8BA,IAAM,kBAAkB,OAAO,OAAO;AAAA,EACpC,6BAA6B;AAAA,EAC7B,mCAAmC;AAAA,EACnC,mCAAmC;AAAA,EACnC,8BAA8B;AAAA,EAC9B,sBAAsB;AACxB,CAAC;;;ACvOM,IAAM,OAAO,IAAI,UAAuB;AAE/C;;;ACMO,IAAM,wBAAwB,MAAM;AACzC,MAAI,UAAoB;AACxB,MAAI,SAAmB;AACvB,QAAM,UAAU,IAAI,QAAQ,CAAC,KAAK,QAAQ;AACxC,cAAU;AACV,aAAS;AAAA,EACX,CAAC;AACD,SAAO,EAAE,SAAS,SAAS,OAAO;AACpC;;;ALNA,IAAM,sCAAsC;AAE5C,eAAe,cAAiB,QAA6E;AAC3G,MAAI;AACF,UAAM,IAAI,MAAM;AAChB,QAAI,aAAa,UAAU;AACzB,aAAO,EAAE,KAAK;AAAA,IAChB;AACA,WAAO;AAAA,EACT,SAAS,GAAG;AAEV,QAAI,wBAAwB,CAAC,KAAK,EAAE,OAAO,KAAK,CAAC,EAAE,KAAK,MAAM,SAAS,mCAAmC,GAAG;AAC3G,aAAO,oBAAoB;AAAA,IAC7B;AAGA,UAAM;AAAA,EACR;AACF;AAsBA,SAAS,4BAA4B,QAA2C;AAC9E,WAAS,qBACP,SAGoF;AACpF,WAAQ,UAAU,SAA8B;AAC9C,UAAI,SAAS,MAAM,cAAc,QAAQ,GAAG,IAAI,CAAC;AAEjD,UAAI,qBAAqB,MAAM,GAAG;AAIhC,cAAM,YAAY,sBAAsB;AAExC,cAAM,kBAAkB,6BAA6B,OAAO,YAAY,UAAU,cAAc;AAMhG,eAAO,kBAAkB;AAAA,UACvB,OAAO,kBAAkB,gBAAgB,EAAE,QAAQ;AAAA,UACnD,oBAAoB;AAClB,sBAAU,QAAQ,IAAI;AAAA,UACxB;AAAA,UACA,6BAA6B;AAC3B,sBAAU;AAAA,cACR,IAAI,kBAAkB,yCAAyC;AAAA,gBAC7D,MAAM;AAAA,cACR,CAAC;AAAA,YACH;AAAA,UACF;AAAA,QACF,CAAC;AAED,YAAI;AAIF,gBAAM,UAAU;AAAA,QAClB,SAAS,GAAG;AACV,cAAI,OAAO,UAAU;AACnB,mBAAO,SAAS;AAAA,UAClB;AAEA,cAAI,oBAAoB,CAAC,KAAK,EAAE,SAAS,8BAA8B,OAAO,eAAe;AAC3F,kBAAM;AAAA,UACR;AAEA,iBAAO;AAAA,QACT;AAKA,iBAAS,MAAM,cAAc,QAAQ,GAAG,IAAI,CAAC;AAAA,MAC/C;AAEA,aAAO;AAAA,IACT;AAAA,EACF;AAEA,SAAO;AACT;AAqEA,SAAS,kBAGP,SAAkB,SAA8D;AAChF,QAAM,EAAE,8BAA8B,IAAI,SAAS;AACnD,QAAM,iBAAa,sBAAO,OAAO;AACjC,QAAM,iBAAa,sBAAO,OAAO;AAEjC,QAAM,2BAAuB,uBAAQ,MAAM;AACzC,UAAM,UAAU,4BAA4B;AAAA,MAC1C,iBAAiB;AAAA,MACjB,GAAG,WAAW;AAAA,IAChB,CAAC,EAAE,WAAW,OAAO;AACrB,WAAO,CAAC,OAAO;AAAA,EACjB,GAAG,CAAC,+BAA+B,WAAW,SAAS,WAAW,OAAO,CAAC;AAG1E,sBAAoB,MAAM;AACxB,eAAW,UAAU;AACrB,eAAW,UAAU;AAAA,EACvB,CAAC;AAED,SAAO;AACT;","names":["React","import_react","React","import_react","undefinedPaginatedResource","import_react","React","import_react","React","deepEqual","import_react","config"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.mjs new file mode 100644 index 000000000..40ce5fa08 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.mjs @@ -0,0 +1,739 @@ +import { + eventMethodCalled +} from "../chunk-WWQWD4PM.mjs"; +import { + getCurrentOrganizationMembership +} from "../chunk-IBXKDGSZ.mjs"; +import { + createDeferredPromise +} from "../chunk-BS4QFUKM.mjs"; +import "../chunk-7FNX7RWY.mjs"; +import { + ClerkRuntimeError, + isClerkAPIResponseError, + isClerkRuntimeError +} from "../chunk-JXRB7SGQ.mjs"; +import { + isReverificationHint, + reverificationError +} from "../chunk-43A5F2IE.mjs"; +import { + validateReverificationConfig +} from "../chunk-X3VKQCBG.mjs"; +import { + __export, + __reExport +} from "../chunk-7ELT755Q.mjs"; + +// src/react/hooks/createContextAndHook.ts +import React from "react"; +function assertContextExists(contextVal, msgOrCtx) { + if (!contextVal) { + throw typeof msgOrCtx === "string" ? new Error(msgOrCtx) : new Error(`${msgOrCtx.displayName} not found`); + } +} +var createContextAndHook = (displayName, options) => { + const { assertCtxFn = assertContextExists } = options || {}; + const Ctx = React.createContext(void 0); + Ctx.displayName = displayName; + const useCtx = () => { + const ctx = React.useContext(Ctx); + assertCtxFn(ctx, `${displayName} not found`); + return ctx.value; + }; + const useCtxWithoutGuarantee = () => { + const ctx = React.useContext(Ctx); + return ctx ? ctx.value : {}; + }; + return [Ctx, useCtx, useCtxWithoutGuarantee]; +}; + +// src/react/contexts.tsx +import React2 from "react"; + +// src/react/clerk-swr.ts +var clerk_swr_exports = {}; +__export(clerk_swr_exports, { + useSWR: () => default2, + useSWRInfinite: () => default3 +}); +__reExport(clerk_swr_exports, swr_star); +import * as swr_star from "swr"; +import { default as default2 } from "swr"; +import { default as default3 } from "swr/infinite"; + +// src/react/contexts.tsx +var [ClerkInstanceContext, useClerkInstanceContext] = createContextAndHook("ClerkInstanceContext"); +var [UserContext, useUserContext] = createContextAndHook("UserContext"); +var [ClientContext, useClientContext] = createContextAndHook("ClientContext"); +var [SessionContext, useSessionContext] = createContextAndHook( + "SessionContext" +); +var OptionsContext = React2.createContext({}); +function useOptionsContext() { + const context = React2.useContext(OptionsContext); + if (context === void 0) { + throw new Error("useOptions must be used within an OptionsContext"); + } + return context; +} +var [OrganizationContextInternal, useOrganizationContext] = createContextAndHook("OrganizationContext"); +var OrganizationProvider = ({ + children, + organization, + swrConfig +}) => { + return /* @__PURE__ */ React2.createElement(clerk_swr_exports.SWRConfig, { value: swrConfig }, /* @__PURE__ */ React2.createElement( + OrganizationContextInternal.Provider, + { + value: { + value: { organization } + } + }, + children + )); +}; +function useAssertWrappedByClerkProvider(displayNameOrFn) { + const ctx = React2.useContext(ClerkInstanceContext); + if (!ctx) { + if (typeof displayNameOrFn === "function") { + displayNameOrFn(); + return; + } + throw new Error( + `${displayNameOrFn} can only be used within the component. + +Possible fixes: +1. Ensure that the is correctly wrapping your application where this component is used. +2. Check for multiple versions of the \`@clerk/shared\` package in your project. Use a tool like \`npm ls @clerk/shared\` to identify multiple versions, and update your dependencies to only rely on one. + +Learn more: https://clerk.com/docs/components/clerk-provider`.trim() + ); + } +} + +// src/react/hooks/usePagesOrInfinite.ts +import { useCallback, useMemo, useRef, useState } from "react"; +function getDifferentKeys(obj1, obj2) { + const keysSet = new Set(Object.keys(obj2)); + const differentKeysObject = {}; + for (const key1 of Object.keys(obj1)) { + if (!keysSet.has(key1)) { + differentKeysObject[key1] = obj1[key1]; + } + } + return differentKeysObject; +} +var useWithSafeValues = (params, defaultValues) => { + const shouldUseDefaults = typeof params === "boolean" && params; + const initialPageRef = useRef( + shouldUseDefaults ? defaultValues.initialPage : params?.initialPage ?? defaultValues.initialPage + ); + const pageSizeRef = useRef(shouldUseDefaults ? defaultValues.pageSize : params?.pageSize ?? defaultValues.pageSize); + const newObj = {}; + for (const key of Object.keys(defaultValues)) { + newObj[key] = shouldUseDefaults ? defaultValues[key] : params?.[key] ?? defaultValues[key]; + } + return { + ...newObj, + initialPage: initialPageRef.current, + pageSize: pageSizeRef.current + }; +}; +var cachingSWROptions = { + dedupingInterval: 1e3 * 60, + focusThrottleInterval: 1e3 * 60 * 2 +}; +var usePagesOrInfinite = (params, fetcher, config, cacheKeys) => { + const [paginatedPage, setPaginatedPage] = useState(params.initialPage ?? 1); + const initialPageRef = useRef(params.initialPage ?? 1); + const pageSizeRef = useRef(params.pageSize ?? 10); + const enabled = config.enabled ?? true; + const triggerInfinite = config.infinite ?? false; + const keepPreviousData = config.keepPreviousData ?? false; + const pagesCacheKey = { + ...cacheKeys, + ...params, + initialPage: paginatedPage, + pageSize: pageSizeRef.current + }; + const { + data: swrData, + isValidating: swrIsValidating, + isLoading: swrIsLoading, + error: swrError, + mutate: swrMutate + } = default2( + !triggerInfinite && !!fetcher && enabled ? pagesCacheKey : null, + (cacheKeyParams) => { + const requestParams = getDifferentKeys(cacheKeyParams, cacheKeys); + return fetcher?.(requestParams); + }, + { keepPreviousData, ...cachingSWROptions } + ); + const { + data: swrInfiniteData, + isLoading: swrInfiniteIsLoading, + isValidating: swrInfiniteIsValidating, + error: swrInfiniteError, + size, + setSize, + mutate: swrInfiniteMutate + } = default3( + (pageIndex) => { + if (!triggerInfinite || !enabled) { + return null; + } + return { + ...params, + ...cacheKeys, + initialPage: initialPageRef.current + pageIndex, + pageSize: pageSizeRef.current + }; + }, + (cacheKeyParams) => { + const requestParams = getDifferentKeys(cacheKeyParams, cacheKeys); + return fetcher?.(requestParams); + }, + cachingSWROptions + ); + const page = useMemo(() => { + if (triggerInfinite) { + return size; + } + return paginatedPage; + }, [triggerInfinite, size, paginatedPage]); + const fetchPage = useCallback( + (numberOrgFn) => { + if (triggerInfinite) { + void setSize(numberOrgFn); + return; + } + return setPaginatedPage(numberOrgFn); + }, + [setSize] + ); + const data = useMemo(() => { + if (triggerInfinite) { + return swrInfiniteData?.map((a) => a?.data).flat() ?? []; + } + return swrData?.data ?? []; + }, [triggerInfinite, swrData, swrInfiniteData]); + const count = useMemo(() => { + if (triggerInfinite) { + return swrInfiniteData?.[swrInfiniteData?.length - 1]?.total_count || 0; + } + return swrData?.total_count ?? 0; + }, [triggerInfinite, swrData, swrInfiniteData]); + const isLoading = triggerInfinite ? swrInfiniteIsLoading : swrIsLoading; + const isFetching = triggerInfinite ? swrInfiniteIsValidating : swrIsValidating; + const error = (triggerInfinite ? swrInfiniteError : swrError) ?? null; + const isError = !!error; + const fetchNext = useCallback(() => { + fetchPage((n) => Math.max(0, n + 1)); + }, [fetchPage]); + const fetchPrevious = useCallback(() => { + fetchPage((n) => Math.max(0, n - 1)); + }, [fetchPage]); + const offsetCount = (initialPageRef.current - 1) * pageSizeRef.current; + const pageCount = Math.ceil((count - offsetCount) / pageSizeRef.current); + const hasNextPage = count - offsetCount * pageSizeRef.current > page * pageSizeRef.current; + const hasPreviousPage = (page - 1) * pageSizeRef.current > offsetCount * pageSizeRef.current; + const setData = triggerInfinite ? (value) => swrInfiniteMutate(value, { + revalidate: false + }) : (value) => swrMutate(value, { + revalidate: false + }); + const revalidate = triggerInfinite ? () => swrInfiniteMutate() : () => swrMutate(); + return { + data, + count, + error, + isLoading, + isFetching, + isError, + page, + pageCount, + fetchPage, + fetchNext, + fetchPrevious, + hasNextPage, + hasPreviousPage, + // Let the hook return type define this type + revalidate, + // Let the hook return type define this type + setData + }; +}; + +// src/react/hooks/useOrganization.tsx +var undefinedPaginatedResource = { + data: void 0, + count: void 0, + error: void 0, + isLoading: false, + isFetching: false, + isError: false, + page: void 0, + pageCount: void 0, + fetchPage: void 0, + fetchNext: void 0, + fetchPrevious: void 0, + hasNextPage: false, + hasPreviousPage: false, + revalidate: void 0, + setData: void 0 +}; +var useOrganization = (params) => { + const { + domains: domainListParams, + membershipRequests: membershipRequestsListParams, + memberships: membersListParams, + invitations: invitationsListParams + } = params || {}; + useAssertWrappedByClerkProvider("useOrganization"); + const { organization } = useOrganizationContext(); + const session = useSessionContext(); + const domainSafeValues = useWithSafeValues(domainListParams, { + initialPage: 1, + pageSize: 10, + keepPreviousData: false, + infinite: false, + enrollmentMode: void 0 + }); + const membershipRequestSafeValues = useWithSafeValues(membershipRequestsListParams, { + initialPage: 1, + pageSize: 10, + status: "pending", + keepPreviousData: false, + infinite: false + }); + const membersSafeValues = useWithSafeValues(membersListParams, { + initialPage: 1, + pageSize: 10, + role: void 0, + keepPreviousData: false, + infinite: false, + query: void 0 + }); + const invitationsSafeValues = useWithSafeValues(invitationsListParams, { + initialPage: 1, + pageSize: 10, + status: ["pending"], + keepPreviousData: false, + infinite: false + }); + const clerk = useClerkInstanceContext(); + clerk.telemetry?.record(eventMethodCalled("useOrganization")); + const domainParams = typeof domainListParams === "undefined" ? void 0 : { + initialPage: domainSafeValues.initialPage, + pageSize: domainSafeValues.pageSize, + enrollmentMode: domainSafeValues.enrollmentMode + }; + const membershipRequestParams = typeof membershipRequestsListParams === "undefined" ? void 0 : { + initialPage: membershipRequestSafeValues.initialPage, + pageSize: membershipRequestSafeValues.pageSize, + status: membershipRequestSafeValues.status + }; + const membersParams = typeof membersListParams === "undefined" ? void 0 : { + initialPage: membersSafeValues.initialPage, + pageSize: membersSafeValues.pageSize, + role: membersSafeValues.role, + query: membersSafeValues.query + }; + const invitationsParams = typeof invitationsListParams === "undefined" ? void 0 : { + initialPage: invitationsSafeValues.initialPage, + pageSize: invitationsSafeValues.pageSize, + status: invitationsSafeValues.status + }; + const domains = usePagesOrInfinite( + { + ...domainParams + }, + organization?.getDomains, + { + keepPreviousData: domainSafeValues.keepPreviousData, + infinite: domainSafeValues.infinite, + enabled: !!domainParams + }, + { + type: "domains", + organizationId: organization?.id + } + ); + const membershipRequests = usePagesOrInfinite( + { + ...membershipRequestParams + }, + organization?.getMembershipRequests, + { + keepPreviousData: membershipRequestSafeValues.keepPreviousData, + infinite: membershipRequestSafeValues.infinite, + enabled: !!membershipRequestParams + }, + { + type: "membershipRequests", + organizationId: organization?.id + } + ); + const memberships = usePagesOrInfinite( + membersParams || {}, + organization?.getMemberships, + { + keepPreviousData: membersSafeValues.keepPreviousData, + infinite: membersSafeValues.infinite, + enabled: !!membersParams + }, + { + type: "members", + organizationId: organization?.id + } + ); + const invitations = usePagesOrInfinite( + { + ...invitationsParams + }, + organization?.getInvitations, + { + keepPreviousData: invitationsSafeValues.keepPreviousData, + infinite: invitationsSafeValues.infinite, + enabled: !!invitationsParams + }, + { + type: "invitations", + organizationId: organization?.id + } + ); + if (organization === void 0) { + return { + isLoaded: false, + organization: void 0, + membership: void 0, + domains: undefinedPaginatedResource, + membershipRequests: undefinedPaginatedResource, + memberships: undefinedPaginatedResource, + invitations: undefinedPaginatedResource + }; + } + if (organization === null) { + return { + isLoaded: true, + organization: null, + membership: null, + domains: null, + membershipRequests: null, + memberships: null, + invitations: null + }; + } + if (!clerk.loaded && organization) { + return { + isLoaded: true, + organization, + membership: void 0, + domains: undefinedPaginatedResource, + membershipRequests: undefinedPaginatedResource, + memberships: undefinedPaginatedResource, + invitations: undefinedPaginatedResource + }; + } + return { + isLoaded: clerk.loaded, + organization, + membership: getCurrentOrganizationMembership(session.user.organizationMemberships, organization.id), + // your membership in the current org + domains, + membershipRequests, + memberships, + invitations + }; +}; + +// src/react/hooks/useOrganizationList.tsx +var undefinedPaginatedResource2 = { + data: void 0, + count: void 0, + error: void 0, + isLoading: false, + isFetching: false, + isError: false, + page: void 0, + pageCount: void 0, + fetchPage: void 0, + fetchNext: void 0, + fetchPrevious: void 0, + hasNextPage: false, + hasPreviousPage: false, + revalidate: void 0, + setData: void 0 +}; +var useOrganizationList = (params) => { + const { userMemberships, userInvitations, userSuggestions } = params || {}; + useAssertWrappedByClerkProvider("useOrganizationList"); + const userMembershipsSafeValues = useWithSafeValues(userMemberships, { + initialPage: 1, + pageSize: 10, + keepPreviousData: false, + infinite: false + }); + const userInvitationsSafeValues = useWithSafeValues(userInvitations, { + initialPage: 1, + pageSize: 10, + status: "pending", + keepPreviousData: false, + infinite: false + }); + const userSuggestionsSafeValues = useWithSafeValues(userSuggestions, { + initialPage: 1, + pageSize: 10, + status: "pending", + keepPreviousData: false, + infinite: false + }); + const clerk = useClerkInstanceContext(); + const user = useUserContext(); + clerk.telemetry?.record(eventMethodCalled("useOrganizationList")); + const userMembershipsParams = typeof userMemberships === "undefined" ? void 0 : { + initialPage: userMembershipsSafeValues.initialPage, + pageSize: userMembershipsSafeValues.pageSize + }; + const userInvitationsParams = typeof userInvitations === "undefined" ? void 0 : { + initialPage: userInvitationsSafeValues.initialPage, + pageSize: userInvitationsSafeValues.pageSize, + status: userInvitationsSafeValues.status + }; + const userSuggestionsParams = typeof userSuggestions === "undefined" ? void 0 : { + initialPage: userSuggestionsSafeValues.initialPage, + pageSize: userSuggestionsSafeValues.pageSize, + status: userSuggestionsSafeValues.status + }; + const isClerkLoaded = !!(clerk.loaded && user); + const memberships = usePagesOrInfinite( + userMembershipsParams || {}, + user?.getOrganizationMemberships, + { + keepPreviousData: userMembershipsSafeValues.keepPreviousData, + infinite: userMembershipsSafeValues.infinite, + enabled: !!userMembershipsParams + }, + { + type: "userMemberships", + userId: user?.id + } + ); + const invitations = usePagesOrInfinite( + { + ...userInvitationsParams + }, + user?.getOrganizationInvitations, + { + keepPreviousData: userInvitationsSafeValues.keepPreviousData, + infinite: userInvitationsSafeValues.infinite, + enabled: !!userInvitationsParams + }, + { + type: "userInvitations", + userId: user?.id + } + ); + const suggestions = usePagesOrInfinite( + { + ...userSuggestionsParams + }, + user?.getOrganizationSuggestions, + { + keepPreviousData: userSuggestionsSafeValues.keepPreviousData, + infinite: userSuggestionsSafeValues.infinite, + enabled: !!userSuggestionsParams + }, + { + type: "userSuggestions", + userId: user?.id + } + ); + if (!isClerkLoaded) { + return { + isLoaded: false, + createOrganization: void 0, + setActive: void 0, + userMemberships: undefinedPaginatedResource2, + userInvitations: undefinedPaginatedResource2, + userSuggestions: undefinedPaginatedResource2 + }; + } + return { + isLoaded: isClerkLoaded, + setActive: clerk.setActive, + createOrganization: clerk.createOrganization, + userMemberships: memberships, + userInvitations: invitations, + userSuggestions: suggestions + }; +}; + +// src/react/hooks/useSafeLayoutEffect.tsx +import React3 from "react"; +var useSafeLayoutEffect = typeof window !== "undefined" ? React3.useLayoutEffect : React3.useEffect; + +// src/react/hooks/useSession.ts +var useSession = () => { + useAssertWrappedByClerkProvider("useSession"); + const session = useSessionContext(); + if (session === void 0) { + return { isLoaded: false, isSignedIn: void 0, session: void 0 }; + } + if (session === null) { + return { isLoaded: true, isSignedIn: false, session: null }; + } + return { isLoaded: true, isSignedIn: true, session }; +}; + +// src/react/hooks/useSessionList.ts +var useSessionList = () => { + useAssertWrappedByClerkProvider("useSessionList"); + const isomorphicClerk = useClerkInstanceContext(); + const client = useClientContext(); + if (!client) { + return { isLoaded: false, sessions: void 0, setActive: void 0 }; + } + return { + isLoaded: true, + sessions: client.sessions, + setActive: isomorphicClerk.setActive + }; +}; + +// src/react/hooks/useUser.ts +function useUser() { + useAssertWrappedByClerkProvider("useUser"); + const user = useUserContext(); + if (user === void 0) { + return { isLoaded: false, isSignedIn: void 0, user: void 0 }; + } + if (user === null) { + return { isLoaded: true, isSignedIn: false, user: null }; + } + return { isLoaded: true, isSignedIn: true, user }; +} + +// src/react/hooks/useClerk.ts +var useClerk = () => { + useAssertWrappedByClerkProvider("useClerk"); + return useClerkInstanceContext(); +}; + +// src/react/hooks/useDeepEqualMemo.ts +import { dequal as deepEqual } from "dequal"; +import React4 from "react"; +var useDeepEqualMemoize = (value) => { + const ref = React4.useRef(value); + if (!deepEqual(value, ref.current)) { + ref.current = value; + } + return React4.useMemo(() => ref.current, [ref.current]); +}; +var useDeepEqualMemo = (factory, dependencyArray) => { + return React4.useMemo(factory, useDeepEqualMemoize(dependencyArray)); +}; +var isDeeplyEqual = deepEqual; + +// src/react/hooks/useReverification.ts +import { useMemo as useMemo2, useRef as useRef2 } from "react"; +var CLERK_API_REVERIFICATION_ERROR_CODE = "session_reverification_required"; +async function resolveResult(result) { + try { + const r = await result; + if (r instanceof Response) { + return r.json(); + } + return r; + } catch (e) { + if (isClerkAPIResponseError(e) && e.errors.find(({ code }) => code === CLERK_API_REVERIFICATION_ERROR_CODE)) { + return reverificationError(); + } + throw e; + } +} +function createReverificationHandler(params) { + function assertReverification(fetcher) { + return async (...args) => { + let result = await resolveResult(fetcher(...args)); + if (isReverificationHint(result)) { + const resolvers = createDeferredPromise(); + const isValidMetadata = validateReverificationConfig(result.clerk_error.metadata?.reverification); + params.openUIComponent?.({ + level: isValidMetadata ? isValidMetadata().level : void 0, + afterVerification() { + resolvers.resolve(true); + }, + afterVerificationCancelled() { + resolvers.reject( + new ClerkRuntimeError("User cancelled attempted verification", { + code: "reverification_cancelled" + }) + ); + } + }); + try { + await resolvers.promise; + } catch (e) { + if (params.onCancel) { + params.onCancel(); + } + if (isClerkRuntimeError(e) && e.code === "reverification_cancelled" && params.throwOnCancel) { + throw e; + } + return null; + } + result = await resolveResult(fetcher(...args)); + } + return result; + }; + } + return assertReverification; +} +function useReverification(fetcher, options) { + const { __internal_openReverification } = useClerk(); + const fetcherRef = useRef2(fetcher); + const optionsRef = useRef2(options); + const handleReverification = useMemo2(() => { + const handler = createReverificationHandler({ + openUIComponent: __internal_openReverification, + ...optionsRef.current + })(fetcherRef.current); + return [handler]; + }, [__internal_openReverification, fetcherRef.current, optionsRef.current]); + useSafeLayoutEffect(() => { + fetcherRef.current = fetcher; + optionsRef.current = options; + }); + return handleReverification; +} +export { + ClerkInstanceContext, + ClientContext, + OptionsContext, + OrganizationProvider, + SessionContext, + UserContext, + assertContextExists, + createContextAndHook, + isDeeplyEqual, + useAssertWrappedByClerkProvider, + useClerk, + useClerkInstanceContext, + useClientContext, + useDeepEqualMemo, + useOptionsContext, + useOrganization, + useOrganizationContext, + useOrganizationList, + useReverification, + useSafeLayoutEffect, + useSession, + useSessionContext, + useSessionList, + useUser, + useUserContext +}; +//# sourceMappingURL=index.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.mjs.map new file mode 100644 index 000000000..6e482bde5 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/react/index.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../../src/react/hooks/createContextAndHook.ts","../../src/react/contexts.tsx","../../src/react/clerk-swr.ts","../../src/react/hooks/usePagesOrInfinite.ts","../../src/react/hooks/useOrganization.tsx","../../src/react/hooks/useOrganizationList.tsx","../../src/react/hooks/useSafeLayoutEffect.tsx","../../src/react/hooks/useSession.ts","../../src/react/hooks/useSessionList.ts","../../src/react/hooks/useUser.ts","../../src/react/hooks/useClerk.ts","../../src/react/hooks/useDeepEqualMemo.ts","../../src/react/hooks/useReverification.ts"],"sourcesContent":["'use client';\nimport React from 'react';\n\nexport function assertContextExists(contextVal: unknown, msgOrCtx: string | React.Context): asserts contextVal {\n if (!contextVal) {\n throw typeof msgOrCtx === 'string' ? new Error(msgOrCtx) : new Error(`${msgOrCtx.displayName} not found`);\n }\n}\n\ntype Options = { assertCtxFn?: (v: unknown, msg: string) => void };\ntype ContextOf = React.Context<{ value: T } | undefined>;\ntype UseCtxFn = () => T;\n\n/**\n * Creates and returns a Context and two hooks that return the context value.\n * The Context type is derived from the type passed in by the user.\n * The first hook returned guarantees that the context exists so the returned value is always CtxValue\n * The second hook makes no guarantees, so the returned value can be CtxValue | undefined\n */\nexport const createContextAndHook = (\n displayName: string,\n options?: Options,\n): [ContextOf, UseCtxFn, UseCtxFn>] => {\n const { assertCtxFn = assertContextExists } = options || {};\n const Ctx = React.createContext<{ value: CtxVal } | undefined>(undefined);\n Ctx.displayName = displayName;\n\n const useCtx = () => {\n const ctx = React.useContext(Ctx);\n assertCtxFn(ctx, `${displayName} not found`);\n return (ctx as any).value as CtxVal;\n };\n\n const useCtxWithoutGuarantee = () => {\n const ctx = React.useContext(Ctx);\n return ctx ? ctx.value : {};\n };\n\n return [Ctx, useCtx, useCtxWithoutGuarantee];\n};\n","'use client';\n\nimport type {\n ClerkOptions,\n ClientResource,\n LoadedClerk,\n OrganizationResource,\n SignedInSessionResource,\n UserResource,\n} from '@clerk/types';\nimport type { PropsWithChildren } from 'react';\nimport React from 'react';\n\nimport { SWRConfig } from './clerk-swr';\nimport { createContextAndHook } from './hooks/createContextAndHook';\n\nconst [ClerkInstanceContext, useClerkInstanceContext] = createContextAndHook('ClerkInstanceContext');\nconst [UserContext, useUserContext] = createContextAndHook('UserContext');\nconst [ClientContext, useClientContext] = createContextAndHook('ClientContext');\nconst [SessionContext, useSessionContext] = createContextAndHook(\n 'SessionContext',\n);\n\nconst OptionsContext = React.createContext({});\n\nfunction useOptionsContext(): ClerkOptions {\n const context = React.useContext(OptionsContext);\n if (context === undefined) {\n throw new Error('useOptions must be used within an OptionsContext');\n }\n return context;\n}\n\ntype OrganizationContextProps = {\n organization: OrganizationResource | null | undefined;\n};\nconst [OrganizationContextInternal, useOrganizationContext] = createContextAndHook<{\n organization: OrganizationResource | null | undefined;\n}>('OrganizationContext');\n\nconst OrganizationProvider = ({\n children,\n organization,\n swrConfig,\n}: PropsWithChildren<\n OrganizationContextProps & {\n // Exporting inferred types directly from SWR will result in error while building declarations\n swrConfig?: any;\n }\n>) => {\n return (\n \n \n {children}\n \n \n );\n};\n\nfunction useAssertWrappedByClerkProvider(displayNameOrFn: string | (() => void)): void {\n const ctx = React.useContext(ClerkInstanceContext);\n\n if (!ctx) {\n if (typeof displayNameOrFn === 'function') {\n displayNameOrFn();\n return;\n }\n\n throw new Error(\n `${displayNameOrFn} can only be used within the component.\n\nPossible fixes:\n1. Ensure that the is correctly wrapping your application where this component is used.\n2. Check for multiple versions of the \\`@clerk/shared\\` package in your project. Use a tool like \\`npm ls @clerk/shared\\` to identify multiple versions, and update your dependencies to only rely on one.\n\nLearn more: https://clerk.com/docs/components/clerk-provider`.trim(),\n );\n }\n}\n\nexport {\n ClientContext,\n useClientContext,\n OrganizationProvider,\n useOrganizationContext,\n UserContext,\n OptionsContext,\n useOptionsContext,\n useUserContext,\n SessionContext,\n useSessionContext,\n ClerkInstanceContext,\n useClerkInstanceContext,\n useAssertWrappedByClerkProvider,\n};\n","'use client';\n\nexport * from 'swr';\n\nexport { default as useSWR } from 'swr';\nexport { default as useSWRInfinite } from 'swr/infinite';\n","'use client';\n\nimport { useCallback, useMemo, useRef, useState } from 'react';\n\nimport { useSWR, useSWRInfinite } from '../clerk-swr';\nimport type {\n CacheSetter,\n PagesOrInfiniteConfig,\n PagesOrInfiniteOptions,\n PaginatedResources,\n ValueOrSetter,\n} from '../types';\n\nfunction getDifferentKeys(obj1: Record, obj2: Record): Record {\n const keysSet = new Set(Object.keys(obj2));\n const differentKeysObject: Record = {};\n\n for (const key1 of Object.keys(obj1)) {\n if (!keysSet.has(key1)) {\n differentKeysObject[key1] = obj1[key1];\n }\n }\n\n return differentKeysObject;\n}\n\nexport const useWithSafeValues = (params: T | true | undefined, defaultValues: T) => {\n const shouldUseDefaults = typeof params === 'boolean' && params;\n\n // Cache initialPage and initialPageSize until unmount\n const initialPageRef = useRef(\n shouldUseDefaults ? defaultValues.initialPage : (params?.initialPage ?? defaultValues.initialPage),\n );\n const pageSizeRef = useRef(shouldUseDefaults ? defaultValues.pageSize : (params?.pageSize ?? defaultValues.pageSize));\n\n const newObj: Record = {};\n for (const key of Object.keys(defaultValues)) {\n // @ts-ignore\n newObj[key] = shouldUseDefaults ? defaultValues[key] : (params?.[key] ?? defaultValues[key]);\n }\n\n return {\n ...newObj,\n initialPage: initialPageRef.current,\n pageSize: pageSizeRef.current,\n } as T;\n};\n\nconst cachingSWROptions = {\n dedupingInterval: 1000 * 60,\n focusThrottleInterval: 1000 * 60 * 2,\n} satisfies Parameters[2];\n\ntype ArrayType = DataArray extends Array ? ElementType : never;\ntype ExtractData = Type extends { data: infer Data } ? ArrayType : Type;\n\ntype UsePagesOrInfinite = <\n Params extends PagesOrInfiniteOptions,\n FetcherReturnData extends Record,\n CacheKeys = Record,\n TConfig extends PagesOrInfiniteConfig = PagesOrInfiniteConfig,\n>(\n /**\n * The parameters will be passed to the fetcher\n */\n params: Params,\n /**\n * A Promise returning function to fetch your data\n */\n fetcher: ((p: Params) => FetcherReturnData | Promise) | undefined,\n /**\n * Internal configuration of the hook\n */\n config: TConfig,\n cacheKeys: CacheKeys,\n) => PaginatedResources, TConfig['infinite']>;\n\nexport const usePagesOrInfinite: UsePagesOrInfinite = (params, fetcher, config, cacheKeys) => {\n const [paginatedPage, setPaginatedPage] = useState(params.initialPage ?? 1);\n\n // Cache initialPage and initialPageSize until unmount\n const initialPageRef = useRef(params.initialPage ?? 1);\n const pageSizeRef = useRef(params.pageSize ?? 10);\n\n const enabled = config.enabled ?? true;\n const triggerInfinite = config.infinite ?? false;\n const keepPreviousData = config.keepPreviousData ?? false;\n\n const pagesCacheKey = {\n ...cacheKeys,\n ...params,\n initialPage: paginatedPage,\n pageSize: pageSizeRef.current,\n };\n\n const {\n data: swrData,\n isValidating: swrIsValidating,\n isLoading: swrIsLoading,\n error: swrError,\n mutate: swrMutate,\n } = useSWR(\n !triggerInfinite && !!fetcher && enabled ? pagesCacheKey : null,\n cacheKeyParams => {\n // @ts-ignore\n const requestParams = getDifferentKeys(cacheKeyParams, cacheKeys);\n // @ts-ignore\n return fetcher?.(requestParams);\n },\n { keepPreviousData, ...cachingSWROptions },\n );\n\n const {\n data: swrInfiniteData,\n isLoading: swrInfiniteIsLoading,\n isValidating: swrInfiniteIsValidating,\n error: swrInfiniteError,\n size,\n setSize,\n mutate: swrInfiniteMutate,\n } = useSWRInfinite(\n pageIndex => {\n if (!triggerInfinite || !enabled) {\n return null;\n }\n\n return {\n ...params,\n ...cacheKeys,\n initialPage: initialPageRef.current + pageIndex,\n pageSize: pageSizeRef.current,\n };\n },\n cacheKeyParams => {\n // @ts-ignore\n const requestParams = getDifferentKeys(cacheKeyParams, cacheKeys);\n // @ts-ignore\n return fetcher?.(requestParams);\n },\n cachingSWROptions,\n );\n\n const page = useMemo(() => {\n if (triggerInfinite) {\n return size;\n }\n return paginatedPage;\n }, [triggerInfinite, size, paginatedPage]);\n\n const fetchPage: ValueOrSetter = useCallback(\n numberOrgFn => {\n if (triggerInfinite) {\n void setSize(numberOrgFn);\n return;\n }\n return setPaginatedPage(numberOrgFn);\n },\n [setSize],\n );\n\n const data = useMemo(() => {\n if (triggerInfinite) {\n return swrInfiniteData?.map(a => a?.data).flat() ?? [];\n }\n return swrData?.data ?? [];\n }, [triggerInfinite, swrData, swrInfiniteData]);\n\n const count = useMemo(() => {\n if (triggerInfinite) {\n return swrInfiniteData?.[swrInfiniteData?.length - 1]?.total_count || 0;\n }\n return swrData?.total_count ?? 0;\n }, [triggerInfinite, swrData, swrInfiniteData]);\n\n const isLoading = triggerInfinite ? swrInfiniteIsLoading : swrIsLoading;\n const isFetching = triggerInfinite ? swrInfiniteIsValidating : swrIsValidating;\n const error = (triggerInfinite ? swrInfiniteError : swrError) ?? null;\n const isError = !!error;\n /**\n * Helpers\n */\n const fetchNext = useCallback(() => {\n fetchPage(n => Math.max(0, n + 1));\n }, [fetchPage]);\n\n const fetchPrevious = useCallback(() => {\n fetchPage(n => Math.max(0, n - 1));\n }, [fetchPage]);\n\n const offsetCount = (initialPageRef.current - 1) * pageSizeRef.current;\n\n const pageCount = Math.ceil((count - offsetCount) / pageSizeRef.current);\n const hasNextPage = count - offsetCount * pageSizeRef.current > page * pageSizeRef.current;\n const hasPreviousPage = (page - 1) * pageSizeRef.current > offsetCount * pageSizeRef.current;\n\n const setData: CacheSetter = triggerInfinite\n ? value =>\n swrInfiniteMutate(value, {\n revalidate: false,\n })\n : value =>\n swrMutate(value, {\n revalidate: false,\n });\n\n const revalidate = triggerInfinite ? () => swrInfiniteMutate() : () => swrMutate();\n\n return {\n data,\n count,\n error,\n isLoading,\n isFetching,\n isError,\n page,\n pageCount,\n fetchPage,\n fetchNext,\n fetchPrevious,\n hasNextPage,\n hasPreviousPage,\n // Let the hook return type define this type\n revalidate: revalidate as any,\n // Let the hook return type define this type\n setData: setData as any,\n };\n};\n","import type {\n ClerkPaginatedResponse,\n GetDomainsParams,\n GetInvitationsParams,\n GetMembershipRequestParams,\n GetMembersParams,\n OrganizationDomainResource,\n OrganizationInvitationResource,\n OrganizationMembershipRequestResource,\n OrganizationMembershipResource,\n OrganizationResource,\n} from '@clerk/types';\n\nimport { getCurrentOrganizationMembership } from '../../organization';\nimport { eventMethodCalled } from '../../telemetry/events/method-called';\nimport {\n useAssertWrappedByClerkProvider,\n useClerkInstanceContext,\n useOrganizationContext,\n useSessionContext,\n} from '../contexts';\nimport type { PaginatedHookConfig, PaginatedResources, PaginatedResourcesWithDefault } from '../types';\nimport { usePagesOrInfinite, useWithSafeValues } from './usePagesOrInfinite';\n\ntype UseOrganizationParams = {\n /**\n * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `enrollmentMode` property of type [`OrganizationEnrollmentMode`](https://clerk.com/docs/references/react/use-organization#organization-enrollment-mode) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties).\n */\n domains?: true | PaginatedHookConfig;\n /**\n * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `status` property of type [`OrganizationInvitationStatus`](https://clerk.com/docs/references/react/use-organization#organization-invitation-status) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties).\n */\n membershipRequests?: true | PaginatedHookConfig;\n /**\n * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `role` property of type [`OrganizationCustomRoleKey[]`](https://clerk.com/docs/references/react/use-organization#organization-custome-role-key) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties).\n */\n memberships?: true | PaginatedHookConfig;\n /**\n * If set to `true`, all default properties will be used. Otherwise, accepts an object with an optional `status` property of type [`OrganizationInvitationStatus`](https://clerk.com/docs/references/react/use-organization#organization-invitation-status) and any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization#shared-properties).\n */\n invitations?: true | PaginatedHookConfig;\n};\n\ntype UseOrganization = (\n params?: T,\n) =>\n | {\n /**\n * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads.\n */\n isLoaded: false;\n /**\n * The currently active organization.\n */\n organization: undefined;\n /**\n * The current organization membership.\n */\n membership: undefined;\n /**\n * Includes a paginated list of the organization's domains.\n */\n domains: PaginatedResourcesWithDefault;\n /**\n * Includes a paginated list of the organization's membership requests.\n */\n membershipRequests: PaginatedResourcesWithDefault;\n /**\n * Includes a paginated list of the organization's memberships.\n */\n memberships: PaginatedResourcesWithDefault;\n /**\n * Includes a paginated list of the organization's invitations.\n */\n invitations: PaginatedResourcesWithDefault;\n }\n | {\n /**\n * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads.\n */\n isLoaded: true;\n /**\n * The currently active organization.\n */\n organization: OrganizationResource;\n /**\n * The current organization membership.\n */\n membership: undefined;\n /**\n * Includes a paginated list of the organization's domains.\n */\n domains: PaginatedResourcesWithDefault;\n /**\n * Includes a paginated list of the organization's membership requests.\n */\n membershipRequests: PaginatedResourcesWithDefault;\n /**\n * Includes a paginated list of the organization's memberships.\n */\n memberships: PaginatedResourcesWithDefault;\n /**\n * Includes a paginated list of the organization's invitations.\n */\n invitations: PaginatedResourcesWithDefault;\n }\n | {\n /**\n * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads.\n */\n isLoaded: boolean;\n /**\n * The currently active organization.\n */\n organization: OrganizationResource | null;\n /**\n * The current organization membership.\n */\n membership: OrganizationMembershipResource | null | undefined;\n /**\n * Includes a paginated list of the organization's domains.\n */\n domains: PaginatedResources<\n OrganizationDomainResource,\n T['membershipRequests'] extends { infinite: true } ? true : false\n > | null;\n /**\n * Includes a paginated list of the organization's membership requests.\n */\n membershipRequests: PaginatedResources<\n OrganizationMembershipRequestResource,\n T['membershipRequests'] extends { infinite: true } ? true : false\n > | null;\n /**\n * Includes a paginated list of the organization's memberships.\n */\n memberships: PaginatedResources<\n OrganizationMembershipResource,\n T['memberships'] extends { infinite: true } ? true : false\n > | null;\n /**\n * Includes a paginated list of the organization's invitations.\n */\n invitations: PaginatedResources<\n OrganizationInvitationResource,\n T['invitations'] extends { infinite: true } ? true : false\n > | null;\n };\n\nconst undefinedPaginatedResource = {\n data: undefined,\n count: undefined,\n error: undefined,\n isLoading: false,\n isFetching: false,\n isError: false,\n page: undefined,\n pageCount: undefined,\n fetchPage: undefined,\n fetchNext: undefined,\n fetchPrevious: undefined,\n hasNextPage: false,\n hasPreviousPage: false,\n revalidate: undefined,\n setData: undefined,\n} as const;\n\n/**\n * The `useOrganization()` hook retrieves attributes of the currently active organization.\n */\nexport const useOrganization: UseOrganization = params => {\n const {\n domains: domainListParams,\n membershipRequests: membershipRequestsListParams,\n memberships: membersListParams,\n invitations: invitationsListParams,\n } = params || {};\n\n useAssertWrappedByClerkProvider('useOrganization');\n\n const { organization } = useOrganizationContext();\n const session = useSessionContext();\n\n const domainSafeValues = useWithSafeValues(domainListParams, {\n initialPage: 1,\n pageSize: 10,\n keepPreviousData: false,\n infinite: false,\n enrollmentMode: undefined,\n });\n\n const membershipRequestSafeValues = useWithSafeValues(membershipRequestsListParams, {\n initialPage: 1,\n pageSize: 10,\n status: 'pending',\n keepPreviousData: false,\n infinite: false,\n });\n\n const membersSafeValues = useWithSafeValues(membersListParams, {\n initialPage: 1,\n pageSize: 10,\n role: undefined,\n keepPreviousData: false,\n infinite: false,\n query: undefined,\n });\n\n const invitationsSafeValues = useWithSafeValues(invitationsListParams, {\n initialPage: 1,\n pageSize: 10,\n status: ['pending'],\n keepPreviousData: false,\n infinite: false,\n });\n\n const clerk = useClerkInstanceContext();\n\n clerk.telemetry?.record(eventMethodCalled('useOrganization'));\n\n const domainParams =\n typeof domainListParams === 'undefined'\n ? undefined\n : {\n initialPage: domainSafeValues.initialPage,\n pageSize: domainSafeValues.pageSize,\n enrollmentMode: domainSafeValues.enrollmentMode,\n };\n\n const membershipRequestParams =\n typeof membershipRequestsListParams === 'undefined'\n ? undefined\n : {\n initialPage: membershipRequestSafeValues.initialPage,\n pageSize: membershipRequestSafeValues.pageSize,\n status: membershipRequestSafeValues.status,\n };\n\n const membersParams =\n typeof membersListParams === 'undefined'\n ? undefined\n : {\n initialPage: membersSafeValues.initialPage,\n pageSize: membersSafeValues.pageSize,\n role: membersSafeValues.role,\n query: membersSafeValues.query,\n };\n\n const invitationsParams =\n typeof invitationsListParams === 'undefined'\n ? undefined\n : {\n initialPage: invitationsSafeValues.initialPage,\n pageSize: invitationsSafeValues.pageSize,\n status: invitationsSafeValues.status,\n };\n\n const domains = usePagesOrInfinite>(\n {\n ...domainParams,\n },\n organization?.getDomains,\n {\n keepPreviousData: domainSafeValues.keepPreviousData,\n infinite: domainSafeValues.infinite,\n enabled: !!domainParams,\n },\n {\n type: 'domains',\n organizationId: organization?.id,\n },\n );\n\n const membershipRequests = usePagesOrInfinite<\n GetMembershipRequestParams,\n ClerkPaginatedResponse\n >(\n {\n ...membershipRequestParams,\n },\n organization?.getMembershipRequests,\n {\n keepPreviousData: membershipRequestSafeValues.keepPreviousData,\n infinite: membershipRequestSafeValues.infinite,\n enabled: !!membershipRequestParams,\n },\n {\n type: 'membershipRequests',\n organizationId: organization?.id,\n },\n );\n\n const memberships = usePagesOrInfinite>(\n membersParams || {},\n organization?.getMemberships,\n {\n keepPreviousData: membersSafeValues.keepPreviousData,\n infinite: membersSafeValues.infinite,\n enabled: !!membersParams,\n },\n {\n type: 'members',\n organizationId: organization?.id,\n },\n );\n\n const invitations = usePagesOrInfinite>(\n {\n ...invitationsParams,\n },\n organization?.getInvitations,\n {\n keepPreviousData: invitationsSafeValues.keepPreviousData,\n infinite: invitationsSafeValues.infinite,\n enabled: !!invitationsParams,\n },\n {\n type: 'invitations',\n organizationId: organization?.id,\n },\n );\n\n if (organization === undefined) {\n return {\n isLoaded: false,\n organization: undefined,\n membership: undefined,\n domains: undefinedPaginatedResource,\n membershipRequests: undefinedPaginatedResource,\n memberships: undefinedPaginatedResource,\n invitations: undefinedPaginatedResource,\n };\n }\n\n if (organization === null) {\n return {\n isLoaded: true,\n organization: null,\n membership: null,\n domains: null,\n membershipRequests: null,\n memberships: null,\n invitations: null,\n };\n }\n\n /** In SSR context we include only the organization object when loadOrg is set to true. */\n if (!clerk.loaded && organization) {\n return {\n isLoaded: true,\n organization,\n membership: undefined,\n domains: undefinedPaginatedResource,\n membershipRequests: undefinedPaginatedResource,\n memberships: undefinedPaginatedResource,\n invitations: undefinedPaginatedResource,\n };\n }\n\n return {\n isLoaded: clerk.loaded,\n organization,\n membership: getCurrentOrganizationMembership(session!.user.organizationMemberships, organization.id), // your membership in the current org\n domains,\n membershipRequests,\n memberships,\n invitations,\n };\n};\n","import type {\n ClerkPaginatedResponse,\n CreateOrganizationParams,\n GetUserOrganizationInvitationsParams,\n GetUserOrganizationMembershipParams,\n GetUserOrganizationSuggestionsParams,\n OrganizationMembershipResource,\n OrganizationResource,\n OrganizationSuggestionResource,\n SetActive,\n UserOrganizationInvitationResource,\n} from '@clerk/types';\n\nimport { eventMethodCalled } from '../../telemetry/events/method-called';\nimport { useAssertWrappedByClerkProvider, useClerkInstanceContext, useUserContext } from '../contexts';\nimport type { PaginatedHookConfig, PaginatedResources, PaginatedResourcesWithDefault } from '../types';\nimport { usePagesOrInfinite, useWithSafeValues } from './usePagesOrInfinite';\n\ntype UseOrganizationListParams = {\n /**\n * `true` or an object with any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization-list#shared-properties). If set to `true`, all default properties will be used.\n */\n userMemberships?: true | PaginatedHookConfig;\n /**\n * `true` or an object with [`status: OrganizationInvitationStatus`](https://clerk.com/docs/references/react/use-organization-list#organization-invitation-status) or any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization-list#shared-properties). If set to `true`, all default properties will be used.\n */\n userInvitations?: true | PaginatedHookConfig;\n /**\n * `true` or an object with [`status: OrganizationSuggestionsStatus | OrganizationSuggestionStatus[]`](https://clerk.com/docs/references/react/use-organization-list#organization-suggestion-status) or any of the properties described in [Shared properties](https://clerk.com/docs/references/react/use-organization-list#shared-properties). If set to `true`, all default properties will be used.\n */\n userSuggestions?: true | PaginatedHookConfig;\n};\n\nconst undefinedPaginatedResource = {\n data: undefined,\n count: undefined,\n error: undefined,\n isLoading: false,\n isFetching: false,\n isError: false,\n page: undefined,\n pageCount: undefined,\n fetchPage: undefined,\n fetchNext: undefined,\n fetchPrevious: undefined,\n hasNextPage: false,\n hasPreviousPage: false,\n revalidate: undefined,\n setData: undefined,\n} as const;\n\ntype UseOrganizationList = (\n params?: T,\n) =>\n | {\n /**\n * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads.\n */\n isLoaded: false;\n /**\n * A function that returns a `Promise` which resolves to the newly created `Organization`.\n */\n createOrganization: undefined;\n /**\n * A function that sets the active session and/or organization.\n */\n setActive: undefined;\n /**\n * Returns `PaginatedResources` which includes a list of the user's organization memberships.\n */\n userMemberships: PaginatedResourcesWithDefault;\n /**\n * Returns `PaginatedResources` which includes a list of the user's organization invitations.\n */\n userInvitations: PaginatedResourcesWithDefault;\n /**\n * Returns `PaginatedResources` which includes a list of suggestions for organizations that the user can join.\n */\n userSuggestions: PaginatedResourcesWithDefault;\n }\n | {\n /**\n * A boolean that indicates whether Clerk has completed initialization. Initially `false`, becomes `true` once Clerk loads.\n */\n isLoaded: boolean;\n /**\n * A function that returns a `Promise` which resolves to the newly created `Organization`.\n */\n createOrganization: (params: CreateOrganizationParams) => Promise;\n /**\n * A function that sets the active session and/or organization.\n */\n setActive: SetActive;\n /**\n * Returns `PaginatedResources` which includes a list of the user's organization memberships.\n */\n userMemberships: PaginatedResources<\n OrganizationMembershipResource,\n T['userMemberships'] extends { infinite: true } ? true : false\n >;\n /**\n * Returns `PaginatedResources` which includes a list of the user's organization invitations.\n */\n userInvitations: PaginatedResources<\n UserOrganizationInvitationResource,\n T['userInvitations'] extends { infinite: true } ? true : false\n >;\n /**\n * Returns `PaginatedResources` which includes a list of suggestions for organizations that the user can join.\n */\n userSuggestions: PaginatedResources<\n OrganizationSuggestionResource,\n T['userSuggestions'] extends { infinite: true } ? true : false\n >;\n };\n\n/**\n * The `useOrganizationList()` hook provides access to the current user's organization memberships, invitations, and suggestions. It also includes methods for creating new organizations and managing the active organization.\n */\nexport const useOrganizationList: UseOrganizationList = params => {\n const { userMemberships, userInvitations, userSuggestions } = params || {};\n\n useAssertWrappedByClerkProvider('useOrganizationList');\n\n const userMembershipsSafeValues = useWithSafeValues(userMemberships, {\n initialPage: 1,\n pageSize: 10,\n keepPreviousData: false,\n infinite: false,\n });\n\n const userInvitationsSafeValues = useWithSafeValues(userInvitations, {\n initialPage: 1,\n pageSize: 10,\n status: 'pending',\n keepPreviousData: false,\n infinite: false,\n });\n\n const userSuggestionsSafeValues = useWithSafeValues(userSuggestions, {\n initialPage: 1,\n pageSize: 10,\n status: 'pending',\n keepPreviousData: false,\n infinite: false,\n });\n\n const clerk = useClerkInstanceContext();\n const user = useUserContext();\n\n clerk.telemetry?.record(eventMethodCalled('useOrganizationList'));\n\n const userMembershipsParams =\n typeof userMemberships === 'undefined'\n ? undefined\n : {\n initialPage: userMembershipsSafeValues.initialPage,\n pageSize: userMembershipsSafeValues.pageSize,\n };\n\n const userInvitationsParams =\n typeof userInvitations === 'undefined'\n ? undefined\n : {\n initialPage: userInvitationsSafeValues.initialPage,\n pageSize: userInvitationsSafeValues.pageSize,\n status: userInvitationsSafeValues.status,\n };\n\n const userSuggestionsParams =\n typeof userSuggestions === 'undefined'\n ? undefined\n : {\n initialPage: userSuggestionsSafeValues.initialPage,\n pageSize: userSuggestionsSafeValues.pageSize,\n status: userSuggestionsSafeValues.status,\n };\n\n const isClerkLoaded = !!(clerk.loaded && user);\n\n const memberships = usePagesOrInfinite<\n GetUserOrganizationMembershipParams,\n ClerkPaginatedResponse\n >(\n userMembershipsParams || {},\n user?.getOrganizationMemberships,\n {\n keepPreviousData: userMembershipsSafeValues.keepPreviousData,\n infinite: userMembershipsSafeValues.infinite,\n enabled: !!userMembershipsParams,\n },\n {\n type: 'userMemberships',\n userId: user?.id,\n },\n );\n\n const invitations = usePagesOrInfinite<\n GetUserOrganizationInvitationsParams,\n ClerkPaginatedResponse\n >(\n {\n ...userInvitationsParams,\n },\n user?.getOrganizationInvitations,\n {\n keepPreviousData: userInvitationsSafeValues.keepPreviousData,\n infinite: userInvitationsSafeValues.infinite,\n enabled: !!userInvitationsParams,\n },\n {\n type: 'userInvitations',\n userId: user?.id,\n },\n );\n\n const suggestions = usePagesOrInfinite<\n GetUserOrganizationSuggestionsParams,\n ClerkPaginatedResponse\n >(\n {\n ...userSuggestionsParams,\n },\n user?.getOrganizationSuggestions,\n {\n keepPreviousData: userSuggestionsSafeValues.keepPreviousData,\n infinite: userSuggestionsSafeValues.infinite,\n enabled: !!userSuggestionsParams,\n },\n {\n type: 'userSuggestions',\n userId: user?.id,\n },\n );\n\n // TODO: Properly check for SSR user values\n if (!isClerkLoaded) {\n return {\n isLoaded: false,\n createOrganization: undefined,\n setActive: undefined,\n userMemberships: undefinedPaginatedResource,\n userInvitations: undefinedPaginatedResource,\n userSuggestions: undefinedPaginatedResource,\n };\n }\n\n return {\n isLoaded: isClerkLoaded,\n setActive: clerk.setActive,\n createOrganization: clerk.createOrganization,\n userMemberships: memberships,\n userInvitations: invitations,\n userSuggestions: suggestions,\n };\n};\n","import React from 'react';\n\nexport const useSafeLayoutEffect = typeof window !== 'undefined' ? React.useLayoutEffect : React.useEffect;\n","import type { UseSessionReturn } from '@clerk/types';\n\nimport { useAssertWrappedByClerkProvider, useSessionContext } from '../contexts';\n\ntype UseSession = () => UseSessionReturn;\n\n/**\n * The `useSession()` hook provides access to the current user's [`Session`](https://clerk.com/docs/references/javascript/session) object, as well as helpers for setting the active session.\n *\n * @example\n * ### Access the `Session` object\n *\n * The following example uses the `useSession()` hook to access the `Session` object, which has the `lastActiveAt` property. The `lastActiveAt` property is a `Date` object used to show the time the session was last active.\n *\n * ```tsx {{ filename: 'src/Home.tsx' }}\n * import { useSession } from '@clerk/clerk-react'\n *\n * export default function Home() {\n * const { isLoaded, session, isSignedIn } = useSession()\n *\n * if (!isLoaded) {\n * // Handle loading state\n * return null\n * }\n * if (!isSignedIn) {\n * // Handle signed out state\n * return null\n * }\n *\n * return (\n *
\n *

This session has been active since {session.lastActiveAt.toLocaleString()}

\n *
\n * )\n * }\n * ```\n */\nexport const useSession: UseSession = () => {\n useAssertWrappedByClerkProvider('useSession');\n\n const session = useSessionContext();\n\n if (session === undefined) {\n return { isLoaded: false, isSignedIn: undefined, session: undefined };\n }\n\n if (session === null) {\n return { isLoaded: true, isSignedIn: false, session: null };\n }\n\n return { isLoaded: true, isSignedIn: true, session };\n};\n","import type { UseSessionListReturn } from '@clerk/types';\n\nimport { useAssertWrappedByClerkProvider, useClerkInstanceContext, useClientContext } from '../contexts';\n\n/**\n * The `useSessionList()` hook returns an array of [`Session`](https://clerk.com/docs/references/javascript/session) objects that have been registered on the client device.\n *\n * @example\n * ### Get a list of sessions\n *\n * The following example uses `useSessionList()` to get a list of sessions that have been registered on the client device. The `sessions` property is used to show the number of times the user has visited the page.\n *\n * ```tsx {{ filename: 'src/Home.tsx' }}\n * import { useSessionList } from '@clerk/clerk-react'\n *\n * export default function Home() {\n * const { isLoaded, sessions } = useSessionList()\n *\n * if (!isLoaded) {\n * // Handle loading state\n * return null\n * }\n *\n * return (\n *
\n *

Welcome back. You've been here {sessions.length} times before.

\n *
\n * )\n * }\n * ```\n */\nexport const useSessionList = (): UseSessionListReturn => {\n useAssertWrappedByClerkProvider('useSessionList');\n\n const isomorphicClerk = useClerkInstanceContext();\n const client = useClientContext();\n\n if (!client) {\n return { isLoaded: false, sessions: undefined, setActive: undefined };\n }\n\n return {\n isLoaded: true,\n sessions: client.sessions,\n setActive: isomorphicClerk.setActive,\n };\n};\n","import type { UseUserReturn } from '@clerk/types';\n\nimport { useAssertWrappedByClerkProvider, useUserContext } from '../contexts';\n\n/**\n * The `useUser()` hook provides access to the current user's [`User`](https://clerk.com/docs/references/javascript/user/user) object, which contains all the data for a single user in your application and provides methods to manage their account. This hook also allows you to check if the user is signed in and if Clerk has loaded and initialized.\n *\n * @example\n * ### Get the current user\n *\n * The following example uses the `useUser()` hook to access the [`User`](https://clerk.com/docs/references/javascript/user/user) object, which contains the current user's data such as their full name. The `isLoaded` and `isSignedIn` properties are used to handle the loading state and to check if the user is signed in, respectively.\n *\n * ```tsx {{ filename: 'src/Example.tsx' }}\n * export default function Example() {\n * const { isSignedIn, user, isLoaded } = useUser()\n *\n * if (!isLoaded) {\n * return
Loading...
\n * }\n *\n * if (!isSignedIn) {\n * return
Sign in to view this page
\n * }\n *\n * return
Hello {user.firstName}!
\n * }\n * ```\n *\n * @example\n * ### Update user data\n *\n * The following example uses the `useUser()` hook to access the [`User`](https://clerk.com/docs/references/javascript/user/user) object, which calls the [`update()`](https://clerk.com/docs/references/javascript/user/user#update) method to update the current user's information.\n *\n * ```tsx {{ filename: 'src/Home.tsx' }}\n * import { useUser } from '@clerk/clerk-react'\n *\n * export default function Home() {\n * const { isLoaded, user } = useUser()\n *\n * if (!isLoaded) {\n * // Handle loading state\n * return null\n * }\n *\n * if (!user) return null\n *\n * const updateUser = async () => {\n * await user.update({\n * firstName: 'John',\n * lastName: 'Doe',\n * })\n * }\n *\n * return (\n * <>\n * \n *

user.firstName: {user?.firstName}

\n *

user.lastName: {user?.lastName}

\n * \n * )\n * }\n * ```\n *\n * @example\n * ### Reload user data\n *\n * The following example uses the `useUser()` hook to access the [`User`](https://clerk.com/docs/references/javascript/user/user) object, which calls the [`reload()`](https://clerk.com/docs/references/javascript/user/user#reload) method to get the latest user's information.\n *\n * ```tsx {{ filename: 'src/Home.tsx' }}\n * import { useUser } from '@clerk/clerk-react'\n *\n * export default function Home() {\n * const { isLoaded, user } = useUser()\n *\n * if (!isLoaded) {\n * // Handle loading state\n * return null\n * }\n *\n * if (!user) return null\n *\n * const updateUser = async () => {\n * // Update data via an API endpoint\n * const updateMetadata = await fetch('/api/updateMetadata')\n *\n * // Check if the update was successful\n * if (updateMetadata.message !== 'success') {\n * throw new Error('Error updating')\n * }\n *\n * // If the update was successful, reload the user data\n * await user.reload()\n * }\n *\n * return (\n * <>\n * \n *

user role: {user?.publicMetadata.role}

\n * \n * )\n * }\n * ```\n */\nexport function useUser(): UseUserReturn {\n useAssertWrappedByClerkProvider('useUser');\n\n const user = useUserContext();\n\n if (user === undefined) {\n return { isLoaded: false, isSignedIn: undefined, user: undefined };\n }\n\n if (user === null) {\n return { isLoaded: true, isSignedIn: false, user: null };\n }\n\n return { isLoaded: true, isSignedIn: true, user };\n}\n","import type { LoadedClerk } from '@clerk/types';\n\nimport { useAssertWrappedByClerkProvider, useClerkInstanceContext } from '../contexts';\n\n/**\n * The `useClerk()` hook provides access to the [`Clerk`](https://clerk.com/docs/references/javascript/clerk/clerk) object, allowing you to build alternatives to any Clerk Component.\n *\n * @warning\n * This composable should only be used for advanced use cases, such as building a completely custom OAuth flow or as an escape hatch to access to the `Clerk` object.\n *\n * @returns The `Clerk` object, which includes all the methods and properties listed in the [`Clerk` reference](https://clerk.com/docs/references/javascript/clerk/clerk).\n *\n * @example\n *\n * The following example uses the `useClerk()` hook to access the `clerk` object. The `clerk` object is used to call the [`openSignIn()`](https://clerk.com/docs/references/javascript/clerk/clerk#sign-in) method to open the sign-in modal.\n *\n * ```tsx {{ filename: 'src/Home.tsx' }}\n * import { useClerk } from '@clerk/clerk-react'\n *\n * export default function Home() {\n * const clerk = useClerk()\n *\n * return \n * }\n * ```\n */\nexport const useClerk = (): LoadedClerk => {\n useAssertWrappedByClerkProvider('useClerk');\n return useClerkInstanceContext();\n};\n","import { dequal as deepEqual } from 'dequal';\nimport React from 'react';\n\ntype UseMemoFactory = () => T;\ntype UseMemoDependencyArray = Exclude[1], 'undefined'>;\ntype UseDeepEqualMemo = (factory: UseMemoFactory, dependencyArray: UseMemoDependencyArray) => T;\n\nconst useDeepEqualMemoize = (value: T) => {\n const ref = React.useRef(value);\n if (!deepEqual(value, ref.current)) {\n ref.current = value;\n }\n return React.useMemo(() => ref.current, [ref.current]);\n};\n\nexport const useDeepEqualMemo: UseDeepEqualMemo = (factory, dependencyArray) => {\n return React.useMemo(factory, useDeepEqualMemoize(dependencyArray));\n};\n\nexport const isDeeplyEqual = deepEqual;\n","import type { Clerk } from '@clerk/types';\nimport { useMemo, useRef } from 'react';\n\nimport { validateReverificationConfig } from '../../authorization';\nimport { isReverificationHint, reverificationError } from '../../authorization-errors';\nimport { ClerkRuntimeError, isClerkAPIResponseError, isClerkRuntimeError } from '../../error';\nimport { createDeferredPromise } from '../../utils/createDeferredPromise';\nimport { useClerk } from './useClerk';\nimport { useSafeLayoutEffect } from './useSafeLayoutEffect';\n\nconst CLERK_API_REVERIFICATION_ERROR_CODE = 'session_reverification_required';\n\nasync function resolveResult(result: Promise | T): Promise> {\n try {\n const r = await result;\n if (r instanceof Response) {\n return r.json();\n }\n return r;\n } catch (e) {\n // Treat fapi assurance as an assurance hint\n if (isClerkAPIResponseError(e) && e.errors.find(({ code }) => code === CLERK_API_REVERIFICATION_ERROR_CODE)) {\n return reverificationError();\n }\n\n // rethrow\n throw e;\n }\n}\n\ntype ExcludeClerkError = T extends { clerk_error: any } ? (P extends { throwOnCancel: true } ? never : null) : T;\n\n/**\n * The optional options object.\n */\ntype UseReverificationOptions = {\n /**\n * A callback function that is invoked when the user cancels the reverification process.\n */\n onCancel?: () => void;\n /**\n * Determines if an error should throw when the user cancels the reverification process. Defaults to `false`.\n */\n throwOnCancel?: boolean;\n};\n\ntype CreateReverificationHandlerParams = UseReverificationOptions & {\n openUIComponent: Clerk['__internal_openReverification'];\n};\n\nfunction createReverificationHandler(params: CreateReverificationHandlerParams) {\n function assertReverification Promise | undefined>(\n fetcher: Fetcher,\n ): (\n ...args: Parameters\n ) => Promise>, Parameters[1]>> {\n return (async (...args: Parameters) => {\n let result = await resolveResult(fetcher(...args));\n\n if (isReverificationHint(result)) {\n /**\n * Create a promise\n */\n const resolvers = createDeferredPromise();\n\n const isValidMetadata = validateReverificationConfig(result.clerk_error.metadata?.reverification);\n\n /**\n * On success resolve the pending promise\n * On cancel reject the pending promise\n */\n params.openUIComponent?.({\n level: isValidMetadata ? isValidMetadata().level : undefined,\n afterVerification() {\n resolvers.resolve(true);\n },\n afterVerificationCancelled() {\n resolvers.reject(\n new ClerkRuntimeError('User cancelled attempted verification', {\n code: 'reverification_cancelled',\n }),\n );\n },\n });\n\n try {\n /**\n * Wait until the promise from above have been resolved or rejected\n */\n await resolvers.promise;\n } catch (e) {\n if (params.onCancel) {\n params.onCancel();\n }\n\n if (isClerkRuntimeError(e) && e.code === 'reverification_cancelled' && params.throwOnCancel) {\n throw e;\n }\n\n return null;\n }\n\n /**\n * After the promise resolved successfully try the original request one more time\n */\n result = await resolveResult(fetcher(...args));\n }\n\n return result;\n }) as ExcludeClerkError>, Parameters[1]>;\n }\n\n return assertReverification;\n}\n\ntype UseReverificationResult<\n Fetcher extends (...args: any[]) => Promise | undefined,\n Options extends UseReverificationOptions,\n> = readonly [(...args: Parameters) => Promise>, Options>>];\n\n/**\n * The `useReverification()` hook is used to handle a session's reverification flow. If a request requires reverification, a modal will display, prompting the user to verify their credentials. Upon successful verification, the original request will automatically retry.\n *\n * @warning\n *\n * This feature is currently in public beta. **It is not recommended for production use.**\n *\n * Depending on the SDK you're using, this feature requires `@clerk/nextjs@6.5.0` or later, `@clerk/clerk-react@5.17.0` or later, and `@clerk/clerk-js@5.35.0` or later.\n *\n * @example\n * ### Handle cancellation of the reverification process\n *\n * The following example demonstrates how to handle scenarios where a user cancels the reverification flow, such as closing the modal, which might result in `myData` being `null`.\n *\n * In the following example, `myFetcher` would be a function in your backend that fetches data from the route that requires reverification. See the [guide on how to require reverification](https://clerk.com/docs/guides/reverification) for more information.\n *\n * ```tsx {{ filename: 'src/components/MyButton.tsx' }}\n * import { useReverification } from '@clerk/react'\n *\n * export function MyButton() {\n * const [enhancedFetcher] = useReverification(myFetcher)\n *\n * const handleClick = async () => {\n * const myData = await enhancedFetcher()\n * // If `myData` is null, the user canceled the reverification process\n * // You can choose how your app responds. This example returns null.\n * if (!myData) return\n * }\n *\n * return \n * }\n * ```\n *\n * @example\n * ### Handle `throwOnCancel`\n *\n * When `throwOnCancel` is set to `true`, the fetcher will throw a `ClerkRuntimeError` with the code `\"reverification_cancelled\"` if the user cancels the reverification flow (for example, by closing the modal). This error can be caught and handled according to your app's needs. For example, by displaying a toast notification to the user or silently ignoring the cancellation.\n *\n * In this example, `myFetcher` would be a function in your backend that fetches data from the route that requires reverification. See the [guide on how to require reverification](https://clerk.com/docs/guides/reverification) for more information.\n *\n * ```tsx {{ filename: 'src/components/MyButton.tsx' }}\n * import { useReverification } from '@clerk/clerk-react'\n * import { isClerkRuntimeError } from '@clerk/clerk-react/errors'\n *\n * export function MyButton() {\n * const [enhancedFetcher] = useReverification(myFetcher, { throwOnCancel: true })\n *\n * const handleClick = async () => {\n * try {\n * const myData = await enhancedFetcher()\n * } catch (e) {\n * // Handle if user cancels the reverification process\n * if (isClerkRuntimeError(e) && e.code === 'reverification_cancelled') {\n * console.error('User cancelled reverification', e.code)\n * }\n * }\n * }\n *\n * return \n * }\n * ```\n */\nfunction useReverification<\n Fetcher extends (...args: any[]) => Promise | undefined,\n Options extends UseReverificationOptions,\n>(fetcher: Fetcher, options?: Options): UseReverificationResult {\n const { __internal_openReverification } = useClerk();\n const fetcherRef = useRef(fetcher);\n const optionsRef = useRef(options);\n\n const handleReverification = useMemo(() => {\n const handler = createReverificationHandler({\n openUIComponent: __internal_openReverification,\n ...optionsRef.current,\n })(fetcherRef.current);\n return [handler] as const;\n }, [__internal_openReverification, fetcherRef.current, optionsRef.current]);\n\n // Keep fetcher and options ref in sync\n useSafeLayoutEffect(() => {\n fetcherRef.current = fetcher;\n optionsRef.current = options;\n });\n\n return handleReverification;\n}\n\nexport { useReverification };\n"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;;;AACA,OAAO,WAAW;AAEX,SAAS,oBAAoB,YAAqB,UAA2D;AAClH,MAAI,CAAC,YAAY;AACf,UAAM,OAAO,aAAa,WAAW,IAAI,MAAM,QAAQ,IAAI,IAAI,MAAM,GAAG,SAAS,WAAW,YAAY;AAAA,EAC1G;AACF;AAYO,IAAM,uBAAuB,CAClC,aACA,YAC8E;AAC9E,QAAM,EAAE,cAAc,oBAAoB,IAAI,WAAW,CAAC;AAC1D,QAAM,MAAM,MAAM,cAA6C,MAAS;AACxE,MAAI,cAAc;AAElB,QAAM,SAAS,MAAM;AACnB,UAAM,MAAM,MAAM,WAAW,GAAG;AAChC,gBAAY,KAAK,GAAG,WAAW,YAAY;AAC3C,WAAQ,IAAY;AAAA,EACtB;AAEA,QAAM,yBAAyB,MAAM;AACnC,UAAM,MAAM,MAAM,WAAW,GAAG;AAChC,WAAO,MAAM,IAAI,QAAQ,CAAC;AAAA,EAC5B;AAEA,SAAO,CAAC,KAAK,QAAQ,sBAAsB;AAC7C;;;AC5BA,OAAOA,YAAW;;;ACXlB;AAAA;AAAA,gBAAAC;AAAA,EAAA,sBAAAA;AAAA;AAEA;AAAA,0BAAc;AAEd,SAAoB,WAAXA,gBAAyB;AAClC,SAAoB,WAAXA,gBAAiC;;;ADW1C,IAAM,CAAC,sBAAsB,uBAAuB,IAAI,qBAAkC,sBAAsB;AAChH,IAAM,CAAC,aAAa,cAAc,IAAI,qBAAsD,aAAa;AACzG,IAAM,CAAC,eAAe,gBAAgB,IAAI,qBAAwD,eAAe;AACjH,IAAM,CAAC,gBAAgB,iBAAiB,IAAI;AAAA,EAC1C;AACF;AAEA,IAAM,iBAAiBC,OAAM,cAA4B,CAAC,CAAC;AAE3D,SAAS,oBAAkC;AACzC,QAAM,UAAUA,OAAM,WAAW,cAAc;AAC/C,MAAI,YAAY,QAAW;AACzB,UAAM,IAAI,MAAM,kDAAkD;AAAA,EACpE;AACA,SAAO;AACT;AAKA,IAAM,CAAC,6BAA6B,sBAAsB,IAAI,qBAE3D,qBAAqB;AAExB,IAAM,uBAAuB,CAAC;AAAA,EAC5B;AAAA,EACA;AAAA,EACA;AACF,MAKM;AACJ,SACE,gBAAAA,OAAA,cAAC,+BAAU,OAAO,aAChB,gBAAAA,OAAA;AAAA,IAAC,4BAA4B;AAAA,IAA5B;AAAA,MACC,OAAO;AAAA,QACL,OAAO,EAAE,aAAa;AAAA,MACxB;AAAA;AAAA,IAEC;AAAA,EACH,CACF;AAEJ;AAEA,SAAS,gCAAgC,iBAA8C;AACrF,QAAM,MAAMA,OAAM,WAAW,oBAAoB;AAEjD,MAAI,CAAC,KAAK;AACR,QAAI,OAAO,oBAAoB,YAAY;AACzC,sBAAgB;AAChB;AAAA,IACF;AAEA,UAAM,IAAI;AAAA,MACR,GAAG,eAAe;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,8DAMsC,KAAK;AAAA,IAC/D;AAAA,EACF;AACF;;;AEhFA,SAAS,aAAa,SAAS,QAAQ,gBAAgB;AAWvD,SAAS,iBAAiB,MAA+B,MAAwD;AAC/G,QAAM,UAAU,IAAI,IAAI,OAAO,KAAK,IAAI,CAAC;AACzC,QAAM,sBAA+C,CAAC;AAEtD,aAAW,QAAQ,OAAO,KAAK,IAAI,GAAG;AACpC,QAAI,CAAC,QAAQ,IAAI,IAAI,GAAG;AACtB,0BAAoB,IAAI,IAAI,KAAK,IAAI;AAAA,IACvC;AAAA,EACF;AAEA,SAAO;AACT;AAEO,IAAM,oBAAoB,CAAmC,QAA8B,kBAAqB;AACrH,QAAM,oBAAoB,OAAO,WAAW,aAAa;AAGzD,QAAM,iBAAiB;AAAA,IACrB,oBAAoB,cAAc,cAAe,QAAQ,eAAe,cAAc;AAAA,EACxF;AACA,QAAM,cAAc,OAAO,oBAAoB,cAAc,WAAY,QAAQ,YAAY,cAAc,QAAS;AAEpH,QAAM,SAAkC,CAAC;AACzC,aAAW,OAAO,OAAO,KAAK,aAAa,GAAG;AAE5C,WAAO,GAAG,IAAI,oBAAoB,cAAc,GAAG,IAAK,SAAS,GAAG,KAAK,cAAc,GAAG;AAAA,EAC5F;AAEA,SAAO;AAAA,IACL,GAAG;AAAA,IACH,aAAa,eAAe;AAAA,IAC5B,UAAU,YAAY;AAAA,EACxB;AACF;AAEA,IAAM,oBAAoB;AAAA,EACxB,kBAAkB,MAAO;AAAA,EACzB,uBAAuB,MAAO,KAAK;AACrC;AA0BO,IAAM,qBAAyC,CAAC,QAAQ,SAAS,QAAQ,cAAc;AAC5F,QAAM,CAAC,eAAe,gBAAgB,IAAI,SAAS,OAAO,eAAe,CAAC;AAG1E,QAAM,iBAAiB,OAAO,OAAO,eAAe,CAAC;AACrD,QAAM,cAAc,OAAO,OAAO,YAAY,EAAE;AAEhD,QAAM,UAAU,OAAO,WAAW;AAClC,QAAM,kBAAkB,OAAO,YAAY;AAC3C,QAAM,mBAAmB,OAAO,oBAAoB;AAEpD,QAAM,gBAAgB;AAAA,IACpB,GAAG;AAAA,IACH,GAAG;AAAA,IACH,aAAa;AAAA,IACb,UAAU,YAAY;AAAA,EACxB;AAEA,QAAM;AAAA,IACJ,MAAM;AAAA,IACN,cAAc;AAAA,IACd,WAAW;AAAA,IACX,OAAO;AAAA,IACP,QAAQ;AAAA,EACV,IAAIC;AAAA,IACF,CAAC,mBAAmB,CAAC,CAAC,WAAW,UAAU,gBAAgB;AAAA,IAC3D,oBAAkB;AAEhB,YAAM,gBAAgB,iBAAiB,gBAAgB,SAAS;AAEhE,aAAO,UAAU,aAAa;AAAA,IAChC;AAAA,IACA,EAAE,kBAAkB,GAAG,kBAAkB;AAAA,EAC3C;AAEA,QAAM;AAAA,IACJ,MAAM;AAAA,IACN,WAAW;AAAA,IACX,cAAc;AAAA,IACd,OAAO;AAAA,IACP;AAAA,IACA;AAAA,IACA,QAAQ;AAAA,EACV,IAAIA;AAAA,IACF,eAAa;AACX,UAAI,CAAC,mBAAmB,CAAC,SAAS;AAChC,eAAO;AAAA,MACT;AAEA,aAAO;AAAA,QACL,GAAG;AAAA,QACH,GAAG;AAAA,QACH,aAAa,eAAe,UAAU;AAAA,QACtC,UAAU,YAAY;AAAA,MACxB;AAAA,IACF;AAAA,IACA,oBAAkB;AAEhB,YAAM,gBAAgB,iBAAiB,gBAAgB,SAAS;AAEhE,aAAO,UAAU,aAAa;AAAA,IAChC;AAAA,IACA;AAAA,EACF;AAEA,QAAM,OAAO,QAAQ,MAAM;AACzB,QAAI,iBAAiB;AACnB,aAAO;AAAA,IACT;AACA,WAAO;AAAA,EACT,GAAG,CAAC,iBAAiB,MAAM,aAAa,CAAC;AAEzC,QAAM,YAAmC;AAAA,IACvC,iBAAe;AACb,UAAI,iBAAiB;AACnB,aAAK,QAAQ,WAAW;AACxB;AAAA,MACF;AACA,aAAO,iBAAiB,WAAW;AAAA,IACrC;AAAA,IACA,CAAC,OAAO;AAAA,EACV;AAEA,QAAM,OAAO,QAAQ,MAAM;AACzB,QAAI,iBAAiB;AACnB,aAAO,iBAAiB,IAAI,OAAK,GAAG,IAAI,EAAE,KAAK,KAAK,CAAC;AAAA,IACvD;AACA,WAAO,SAAS,QAAQ,CAAC;AAAA,EAC3B,GAAG,CAAC,iBAAiB,SAAS,eAAe,CAAC;AAE9C,QAAM,QAAQ,QAAQ,MAAM;AAC1B,QAAI,iBAAiB;AACnB,aAAO,kBAAkB,iBAAiB,SAAS,CAAC,GAAG,eAAe;AAAA,IACxE;AACA,WAAO,SAAS,eAAe;AAAA,EACjC,GAAG,CAAC,iBAAiB,SAAS,eAAe,CAAC;AAE9C,QAAM,YAAY,kBAAkB,uBAAuB;AAC3D,QAAM,aAAa,kBAAkB,0BAA0B;AAC/D,QAAM,SAAS,kBAAkB,mBAAmB,aAAa;AACjE,QAAM,UAAU,CAAC,CAAC;AAIlB,QAAM,YAAY,YAAY,MAAM;AAClC,cAAU,OAAK,KAAK,IAAI,GAAG,IAAI,CAAC,CAAC;AAAA,EACnC,GAAG,CAAC,SAAS,CAAC;AAEd,QAAM,gBAAgB,YAAY,MAAM;AACtC,cAAU,OAAK,KAAK,IAAI,GAAG,IAAI,CAAC,CAAC;AAAA,EACnC,GAAG,CAAC,SAAS,CAAC;AAEd,QAAM,eAAe,eAAe,UAAU,KAAK,YAAY;AAE/D,QAAM,YAAY,KAAK,MAAM,QAAQ,eAAe,YAAY,OAAO;AACvE,QAAM,cAAc,QAAQ,cAAc,YAAY,UAAU,OAAO,YAAY;AACnF,QAAM,mBAAmB,OAAO,KAAK,YAAY,UAAU,cAAc,YAAY;AAErF,QAAM,UAAuB,kBACzB,WACE,kBAAkB,OAAO;AAAA,IACvB,YAAY;AAAA,EACd,CAAC,IACH,WACE,UAAU,OAAO;AAAA,IACf,YAAY;AAAA,EACd,CAAC;AAEP,QAAM,aAAa,kBAAkB,MAAM,kBAAkB,IAAI,MAAM,UAAU;AAEjF,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA;AAAA,IAEA;AAAA;AAAA,IAEA;AAAA,EACF;AACF;;;AC7EA,IAAM,6BAA6B;AAAA,EACjC,MAAM;AAAA,EACN,OAAO;AAAA,EACP,OAAO;AAAA,EACP,WAAW;AAAA,EACX,YAAY;AAAA,EACZ,SAAS;AAAA,EACT,MAAM;AAAA,EACN,WAAW;AAAA,EACX,WAAW;AAAA,EACX,WAAW;AAAA,EACX,eAAe;AAAA,EACf,aAAa;AAAA,EACb,iBAAiB;AAAA,EACjB,YAAY;AAAA,EACZ,SAAS;AACX;AAKO,IAAM,kBAAmC,YAAU;AACxD,QAAM;AAAA,IACJ,SAAS;AAAA,IACT,oBAAoB;AAAA,IACpB,aAAa;AAAA,IACb,aAAa;AAAA,EACf,IAAI,UAAU,CAAC;AAEf,kCAAgC,iBAAiB;AAEjD,QAAM,EAAE,aAAa,IAAI,uBAAuB;AAChD,QAAM,UAAU,kBAAkB;AAElC,QAAM,mBAAmB,kBAAkB,kBAAkB;AAAA,IAC3D,aAAa;AAAA,IACb,UAAU;AAAA,IACV,kBAAkB;AAAA,IAClB,UAAU;AAAA,IACV,gBAAgB;AAAA,EAClB,CAAC;AAED,QAAM,8BAA8B,kBAAkB,8BAA8B;AAAA,IAClF,aAAa;AAAA,IACb,UAAU;AAAA,IACV,QAAQ;AAAA,IACR,kBAAkB;AAAA,IAClB,UAAU;AAAA,EACZ,CAAC;AAED,QAAM,oBAAoB,kBAAkB,mBAAmB;AAAA,IAC7D,aAAa;AAAA,IACb,UAAU;AAAA,IACV,MAAM;AAAA,IACN,kBAAkB;AAAA,IAClB,UAAU;AAAA,IACV,OAAO;AAAA,EACT,CAAC;AAED,QAAM,wBAAwB,kBAAkB,uBAAuB;AAAA,IACrE,aAAa;AAAA,IACb,UAAU;AAAA,IACV,QAAQ,CAAC,SAAS;AAAA,IAClB,kBAAkB;AAAA,IAClB,UAAU;AAAA,EACZ,CAAC;AAED,QAAM,QAAQ,wBAAwB;AAEtC,QAAM,WAAW,OAAO,kBAAkB,iBAAiB,CAAC;AAE5D,QAAM,eACJ,OAAO,qBAAqB,cACxB,SACA;AAAA,IACE,aAAa,iBAAiB;AAAA,IAC9B,UAAU,iBAAiB;AAAA,IAC3B,gBAAgB,iBAAiB;AAAA,EACnC;AAEN,QAAM,0BACJ,OAAO,iCAAiC,cACpC,SACA;AAAA,IACE,aAAa,4BAA4B;AAAA,IACzC,UAAU,4BAA4B;AAAA,IACtC,QAAQ,4BAA4B;AAAA,EACtC;AAEN,QAAM,gBACJ,OAAO,sBAAsB,cACzB,SACA;AAAA,IACE,aAAa,kBAAkB;AAAA,IAC/B,UAAU,kBAAkB;AAAA,IAC5B,MAAM,kBAAkB;AAAA,IACxB,OAAO,kBAAkB;AAAA,EAC3B;AAEN,QAAM,oBACJ,OAAO,0BAA0B,cAC7B,SACA;AAAA,IACE,aAAa,sBAAsB;AAAA,IACnC,UAAU,sBAAsB;AAAA,IAChC,QAAQ,sBAAsB;AAAA,EAChC;AAEN,QAAM,UAAU;AAAA,IACd;AAAA,MACE,GAAG;AAAA,IACL;AAAA,IACA,cAAc;AAAA,IACd;AAAA,MACE,kBAAkB,iBAAiB;AAAA,MACnC,UAAU,iBAAiB;AAAA,MAC3B,SAAS,CAAC,CAAC;AAAA,IACb;AAAA,IACA;AAAA,MACE,MAAM;AAAA,MACN,gBAAgB,cAAc;AAAA,IAChC;AAAA,EACF;AAEA,QAAM,qBAAqB;AAAA,IAIzB;AAAA,MACE,GAAG;AAAA,IACL;AAAA,IACA,cAAc;AAAA,IACd;AAAA,MACE,kBAAkB,4BAA4B;AAAA,MAC9C,UAAU,4BAA4B;AAAA,MACtC,SAAS,CAAC,CAAC;AAAA,IACb;AAAA,IACA;AAAA,MACE,MAAM;AAAA,MACN,gBAAgB,cAAc;AAAA,IAChC;AAAA,EACF;AAEA,QAAM,cAAc;AAAA,IAClB,iBAAiB,CAAC;AAAA,IAClB,cAAc;AAAA,IACd;AAAA,MACE,kBAAkB,kBAAkB;AAAA,MACpC,UAAU,kBAAkB;AAAA,MAC5B,SAAS,CAAC,CAAC;AAAA,IACb;AAAA,IACA;AAAA,MACE,MAAM;AAAA,MACN,gBAAgB,cAAc;AAAA,IAChC;AAAA,EACF;AAEA,QAAM,cAAc;AAAA,IAClB;AAAA,MACE,GAAG;AAAA,IACL;AAAA,IACA,cAAc;AAAA,IACd;AAAA,MACE,kBAAkB,sBAAsB;AAAA,MACxC,UAAU,sBAAsB;AAAA,MAChC,SAAS,CAAC,CAAC;AAAA,IACb;AAAA,IACA;AAAA,MACE,MAAM;AAAA,MACN,gBAAgB,cAAc;AAAA,IAChC;AAAA,EACF;AAEA,MAAI,iBAAiB,QAAW;AAC9B,WAAO;AAAA,MACL,UAAU;AAAA,MACV,cAAc;AAAA,MACd,YAAY;AAAA,MACZ,SAAS;AAAA,MACT,oBAAoB;AAAA,MACpB,aAAa;AAAA,MACb,aAAa;AAAA,IACf;AAAA,EACF;AAEA,MAAI,iBAAiB,MAAM;AACzB,WAAO;AAAA,MACL,UAAU;AAAA,MACV,cAAc;AAAA,MACd,YAAY;AAAA,MACZ,SAAS;AAAA,MACT,oBAAoB;AAAA,MACpB,aAAa;AAAA,MACb,aAAa;AAAA,IACf;AAAA,EACF;AAGA,MAAI,CAAC,MAAM,UAAU,cAAc;AACjC,WAAO;AAAA,MACL,UAAU;AAAA,MACV;AAAA,MACA,YAAY;AAAA,MACZ,SAAS;AAAA,MACT,oBAAoB;AAAA,MACpB,aAAa;AAAA,MACb,aAAa;AAAA,IACf;AAAA,EACF;AAEA,SAAO;AAAA,IACL,UAAU,MAAM;AAAA,IAChB;AAAA,IACA,YAAY,iCAAiC,QAAS,KAAK,yBAAyB,aAAa,EAAE;AAAA;AAAA,IACnG;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AACF;;;AC/UA,IAAMC,8BAA6B;AAAA,EACjC,MAAM;AAAA,EACN,OAAO;AAAA,EACP,OAAO;AAAA,EACP,WAAW;AAAA,EACX,YAAY;AAAA,EACZ,SAAS;AAAA,EACT,MAAM;AAAA,EACN,WAAW;AAAA,EACX,WAAW;AAAA,EACX,WAAW;AAAA,EACX,eAAe;AAAA,EACf,aAAa;AAAA,EACb,iBAAiB;AAAA,EACjB,YAAY;AAAA,EACZ,SAAS;AACX;AAsEO,IAAM,sBAA2C,YAAU;AAChE,QAAM,EAAE,iBAAiB,iBAAiB,gBAAgB,IAAI,UAAU,CAAC;AAEzE,kCAAgC,qBAAqB;AAErD,QAAM,4BAA4B,kBAAkB,iBAAiB;AAAA,IACnE,aAAa;AAAA,IACb,UAAU;AAAA,IACV,kBAAkB;AAAA,IAClB,UAAU;AAAA,EACZ,CAAC;AAED,QAAM,4BAA4B,kBAAkB,iBAAiB;AAAA,IACnE,aAAa;AAAA,IACb,UAAU;AAAA,IACV,QAAQ;AAAA,IACR,kBAAkB;AAAA,IAClB,UAAU;AAAA,EACZ,CAAC;AAED,QAAM,4BAA4B,kBAAkB,iBAAiB;AAAA,IACnE,aAAa;AAAA,IACb,UAAU;AAAA,IACV,QAAQ;AAAA,IACR,kBAAkB;AAAA,IAClB,UAAU;AAAA,EACZ,CAAC;AAED,QAAM,QAAQ,wBAAwB;AACtC,QAAM,OAAO,eAAe;AAE5B,QAAM,WAAW,OAAO,kBAAkB,qBAAqB,CAAC;AAEhE,QAAM,wBACJ,OAAO,oBAAoB,cACvB,SACA;AAAA,IACE,aAAa,0BAA0B;AAAA,IACvC,UAAU,0BAA0B;AAAA,EACtC;AAEN,QAAM,wBACJ,OAAO,oBAAoB,cACvB,SACA;AAAA,IACE,aAAa,0BAA0B;AAAA,IACvC,UAAU,0BAA0B;AAAA,IACpC,QAAQ,0BAA0B;AAAA,EACpC;AAEN,QAAM,wBACJ,OAAO,oBAAoB,cACvB,SACA;AAAA,IACE,aAAa,0BAA0B;AAAA,IACvC,UAAU,0BAA0B;AAAA,IACpC,QAAQ,0BAA0B;AAAA,EACpC;AAEN,QAAM,gBAAgB,CAAC,EAAE,MAAM,UAAU;AAEzC,QAAM,cAAc;AAAA,IAIlB,yBAAyB,CAAC;AAAA,IAC1B,MAAM;AAAA,IACN;AAAA,MACE,kBAAkB,0BAA0B;AAAA,MAC5C,UAAU,0BAA0B;AAAA,MACpC,SAAS,CAAC,CAAC;AAAA,IACb;AAAA,IACA;AAAA,MACE,MAAM;AAAA,MACN,QAAQ,MAAM;AAAA,IAChB;AAAA,EACF;AAEA,QAAM,cAAc;AAAA,IAIlB;AAAA,MACE,GAAG;AAAA,IACL;AAAA,IACA,MAAM;AAAA,IACN;AAAA,MACE,kBAAkB,0BAA0B;AAAA,MAC5C,UAAU,0BAA0B;AAAA,MACpC,SAAS,CAAC,CAAC;AAAA,IACb;AAAA,IACA;AAAA,MACE,MAAM;AAAA,MACN,QAAQ,MAAM;AAAA,IAChB;AAAA,EACF;AAEA,QAAM,cAAc;AAAA,IAIlB;AAAA,MACE,GAAG;AAAA,IACL;AAAA,IACA,MAAM;AAAA,IACN;AAAA,MACE,kBAAkB,0BAA0B;AAAA,MAC5C,UAAU,0BAA0B;AAAA,MACpC,SAAS,CAAC,CAAC;AAAA,IACb;AAAA,IACA;AAAA,MACE,MAAM;AAAA,MACN,QAAQ,MAAM;AAAA,IAChB;AAAA,EACF;AAGA,MAAI,CAAC,eAAe;AAClB,WAAO;AAAA,MACL,UAAU;AAAA,MACV,oBAAoB;AAAA,MACpB,WAAW;AAAA,MACX,iBAAiBA;AAAA,MACjB,iBAAiBA;AAAA,MACjB,iBAAiBA;AAAA,IACnB;AAAA,EACF;AAEA,SAAO;AAAA,IACL,UAAU;AAAA,IACV,WAAW,MAAM;AAAA,IACjB,oBAAoB,MAAM;AAAA,IAC1B,iBAAiB;AAAA,IACjB,iBAAiB;AAAA,IACjB,iBAAiB;AAAA,EACnB;AACF;;;AC/PA,OAAOC,YAAW;AAEX,IAAM,sBAAsB,OAAO,WAAW,cAAcA,OAAM,kBAAkBA,OAAM;;;ACmC1F,IAAM,aAAyB,MAAM;AAC1C,kCAAgC,YAAY;AAE5C,QAAM,UAAU,kBAAkB;AAElC,MAAI,YAAY,QAAW;AACzB,WAAO,EAAE,UAAU,OAAO,YAAY,QAAW,SAAS,OAAU;AAAA,EACtE;AAEA,MAAI,YAAY,MAAM;AACpB,WAAO,EAAE,UAAU,MAAM,YAAY,OAAO,SAAS,KAAK;AAAA,EAC5D;AAEA,SAAO,EAAE,UAAU,MAAM,YAAY,MAAM,QAAQ;AACrD;;;ACpBO,IAAM,iBAAiB,MAA4B;AACxD,kCAAgC,gBAAgB;AAEhD,QAAM,kBAAkB,wBAAwB;AAChD,QAAM,SAAS,iBAAiB;AAEhC,MAAI,CAAC,QAAQ;AACX,WAAO,EAAE,UAAU,OAAO,UAAU,QAAW,WAAW,OAAU;AAAA,EACtE;AAEA,SAAO;AAAA,IACL,UAAU;AAAA,IACV,UAAU,OAAO;AAAA,IACjB,WAAW,gBAAgB;AAAA,EAC7B;AACF;;;ACyDO,SAAS,UAAyB;AACvC,kCAAgC,SAAS;AAEzC,QAAM,OAAO,eAAe;AAE5B,MAAI,SAAS,QAAW;AACtB,WAAO,EAAE,UAAU,OAAO,YAAY,QAAW,MAAM,OAAU;AAAA,EACnE;AAEA,MAAI,SAAS,MAAM;AACjB,WAAO,EAAE,UAAU,MAAM,YAAY,OAAO,MAAM,KAAK;AAAA,EACzD;AAEA,SAAO,EAAE,UAAU,MAAM,YAAY,MAAM,KAAK;AAClD;;;AC3FO,IAAM,WAAW,MAAmB;AACzC,kCAAgC,UAAU;AAC1C,SAAO,wBAAwB;AACjC;;;AC7BA,SAAS,UAAU,iBAAiB;AACpC,OAAOC,YAAW;AAMlB,IAAM,sBAAsB,CAAI,UAAa;AAC3C,QAAM,MAAMA,OAAM,OAAU,KAAK;AACjC,MAAI,CAAC,UAAU,OAAO,IAAI,OAAO,GAAG;AAClC,QAAI,UAAU;AAAA,EAChB;AACA,SAAOA,OAAM,QAAQ,MAAM,IAAI,SAAS,CAAC,IAAI,OAAO,CAAC;AACvD;AAEO,IAAM,mBAAqC,CAAC,SAAS,oBAAoB;AAC9E,SAAOA,OAAM,QAAQ,SAAS,oBAAoB,eAAe,CAAC;AACpE;AAEO,IAAM,gBAAgB;;;AClB7B,SAAS,WAAAC,UAAS,UAAAC,eAAc;AAShC,IAAM,sCAAsC;AAE5C,eAAe,cAAiB,QAA6E;AAC3G,MAAI;AACF,UAAM,IAAI,MAAM;AAChB,QAAI,aAAa,UAAU;AACzB,aAAO,EAAE,KAAK;AAAA,IAChB;AACA,WAAO;AAAA,EACT,SAAS,GAAG;AAEV,QAAI,wBAAwB,CAAC,KAAK,EAAE,OAAO,KAAK,CAAC,EAAE,KAAK,MAAM,SAAS,mCAAmC,GAAG;AAC3G,aAAO,oBAAoB;AAAA,IAC7B;AAGA,UAAM;AAAA,EACR;AACF;AAsBA,SAAS,4BAA4B,QAA2C;AAC9E,WAAS,qBACP,SAGoF;AACpF,WAAQ,UAAU,SAA8B;AAC9C,UAAI,SAAS,MAAM,cAAc,QAAQ,GAAG,IAAI,CAAC;AAEjD,UAAI,qBAAqB,MAAM,GAAG;AAIhC,cAAM,YAAY,sBAAsB;AAExC,cAAM,kBAAkB,6BAA6B,OAAO,YAAY,UAAU,cAAc;AAMhG,eAAO,kBAAkB;AAAA,UACvB,OAAO,kBAAkB,gBAAgB,EAAE,QAAQ;AAAA,UACnD,oBAAoB;AAClB,sBAAU,QAAQ,IAAI;AAAA,UACxB;AAAA,UACA,6BAA6B;AAC3B,sBAAU;AAAA,cACR,IAAI,kBAAkB,yCAAyC;AAAA,gBAC7D,MAAM;AAAA,cACR,CAAC;AAAA,YACH;AAAA,UACF;AAAA,QACF,CAAC;AAED,YAAI;AAIF,gBAAM,UAAU;AAAA,QAClB,SAAS,GAAG;AACV,cAAI,OAAO,UAAU;AACnB,mBAAO,SAAS;AAAA,UAClB;AAEA,cAAI,oBAAoB,CAAC,KAAK,EAAE,SAAS,8BAA8B,OAAO,eAAe;AAC3F,kBAAM;AAAA,UACR;AAEA,iBAAO;AAAA,QACT;AAKA,iBAAS,MAAM,cAAc,QAAQ,GAAG,IAAI,CAAC;AAAA,MAC/C;AAEA,aAAO;AAAA,IACT;AAAA,EACF;AAEA,SAAO;AACT;AAqEA,SAAS,kBAGP,SAAkB,SAA8D;AAChF,QAAM,EAAE,8BAA8B,IAAI,SAAS;AACnD,QAAM,aAAaC,QAAO,OAAO;AACjC,QAAM,aAAaA,QAAO,OAAO;AAEjC,QAAM,uBAAuBC,SAAQ,MAAM;AACzC,UAAM,UAAU,4BAA4B;AAAA,MAC1C,iBAAiB;AAAA,MACjB,GAAG,WAAW;AAAA,IAChB,CAAC,EAAE,WAAW,OAAO;AACrB,WAAO,CAAC,OAAO;AAAA,EACjB,GAAG,CAAC,+BAA+B,WAAW,SAAS,WAAW,OAAO,CAAC;AAG1E,sBAAoB,MAAM;AACxB,eAAW,UAAU;AACrB,eAAW,UAAU;AAAA,EACvB,CAAC;AAED,SAAO;AACT;","names":["React","default","React","default","undefinedPaginatedResource","React","React","useMemo","useRef","useRef","useMemo"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.d.mts new file mode 100644 index 000000000..72b281a79 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.d.mts @@ -0,0 +1,46 @@ +type Milliseconds = number; +type RetryOptions = Partial<{ + /** + * The initial delay before the first retry. + * @default 125 + */ + initialDelay: Milliseconds; + /** + * The maximum delay between retries. + * The delay between retries will never exceed this value. + * If set to 0, the delay will increase indefinitely. + * @default 0 + */ + maxDelayBetweenRetries: Milliseconds; + /** + * The multiplier for the exponential backoff. + * @default 2 + */ + factor: number; + /** + * A function to determine if the operation should be retried. + * The callback accepts the error that was thrown and the number of iterations. + * The iterations variable references the number of retries AFTER attempt + * that caused the error and starts at 1 (as in, this is the 1st, 2nd, nth retry). + * @default (error, iterations) => iterations < 5 + */ + shouldRetry: (error: unknown, iterations: number) => boolean; + /** + * Controls whether the helper should retry the operation immediately once before applying exponential backoff. + * The delay for the immediate retry is 100ms. + * @default true + */ + retryImmediately: boolean; + /** + * If true, the intervals will be multiplied by a factor in the range of [1,2]. + * @default true + */ + jitter: boolean; +}>; +/** + * Retries a callback until it succeeds or the shouldRetry function returns false. + * See {@link RetryOptions} for the available options. + */ +declare const retry: (callback: () => T | Promise, options?: RetryOptions) => Promise; + +export { retry }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.d.ts new file mode 100644 index 000000000..72b281a79 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.d.ts @@ -0,0 +1,46 @@ +type Milliseconds = number; +type RetryOptions = Partial<{ + /** + * The initial delay before the first retry. + * @default 125 + */ + initialDelay: Milliseconds; + /** + * The maximum delay between retries. + * The delay between retries will never exceed this value. + * If set to 0, the delay will increase indefinitely. + * @default 0 + */ + maxDelayBetweenRetries: Milliseconds; + /** + * The multiplier for the exponential backoff. + * @default 2 + */ + factor: number; + /** + * A function to determine if the operation should be retried. + * The callback accepts the error that was thrown and the number of iterations. + * The iterations variable references the number of retries AFTER attempt + * that caused the error and starts at 1 (as in, this is the 1st, 2nd, nth retry). + * @default (error, iterations) => iterations < 5 + */ + shouldRetry: (error: unknown, iterations: number) => boolean; + /** + * Controls whether the helper should retry the operation immediately once before applying exponential backoff. + * The delay for the immediate retry is 100ms. + * @default true + */ + retryImmediately: boolean; + /** + * If true, the intervals will be multiplied by a factor in the range of [1,2]. + * @default true + */ + jitter: boolean; +}>; +/** + * Retries a callback until it succeeds or the shouldRetry function returns false. + * See {@link RetryOptions} for the available options. + */ +declare const retry: (callback: () => T | Promise, options?: RetryOptions) => Promise; + +export { retry }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.js new file mode 100644 index 000000000..09dda4ea8 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.js @@ -0,0 +1,85 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/retry.ts +var retry_exports = {}; +__export(retry_exports, { + retry: () => retry +}); +module.exports = __toCommonJS(retry_exports); +var defaultOptions = { + initialDelay: 125, + maxDelayBetweenRetries: 0, + factor: 2, + shouldRetry: (_, iteration) => iteration < 5, + retryImmediately: true, + jitter: true +}; +var RETRY_IMMEDIATELY_DELAY = 100; +var sleep = async (ms) => new Promise((s) => setTimeout(s, ms)); +var applyJitter = (delay, jitter) => { + return jitter ? delay * (1 + Math.random()) : delay; +}; +var createExponentialDelayAsyncFn = (opts) => { + let timesCalled = 0; + const calculateDelayInMs = () => { + const constant = opts.initialDelay; + const base = opts.factor; + let delay = constant * Math.pow(base, timesCalled); + delay = applyJitter(delay, opts.jitter); + return Math.min(opts.maxDelayBetweenRetries || delay, delay); + }; + return async () => { + await sleep(calculateDelayInMs()); + timesCalled++; + }; +}; +var retry = async (callback, options = {}) => { + let iterations = 0; + const { shouldRetry, initialDelay, maxDelayBetweenRetries, factor, retryImmediately, jitter } = { + ...defaultOptions, + ...options + }; + const delay = createExponentialDelayAsyncFn({ + initialDelay, + maxDelayBetweenRetries, + factor, + jitter + }); + while (true) { + try { + return await callback(); + } catch (e) { + iterations++; + if (!shouldRetry(e, iterations)) { + throw e; + } + if (retryImmediately && iterations === 1) { + await sleep(applyJitter(RETRY_IMMEDIATELY_DELAY, jitter)); + } else { + await delay(); + } + } + } +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + retry +}); +//# sourceMappingURL=retry.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.js.map new file mode 100644 index 000000000..8523a5f61 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/retry.ts"],"sourcesContent":["type Milliseconds = number;\n\ntype RetryOptions = Partial<{\n /**\n * The initial delay before the first retry.\n * @default 125\n */\n initialDelay: Milliseconds;\n /**\n * The maximum delay between retries.\n * The delay between retries will never exceed this value.\n * If set to 0, the delay will increase indefinitely.\n * @default 0\n */\n maxDelayBetweenRetries: Milliseconds;\n /**\n * The multiplier for the exponential backoff.\n * @default 2\n */\n factor: number;\n /**\n * A function to determine if the operation should be retried.\n * The callback accepts the error that was thrown and the number of iterations.\n * The iterations variable references the number of retries AFTER attempt\n * that caused the error and starts at 1 (as in, this is the 1st, 2nd, nth retry).\n * @default (error, iterations) => iterations < 5\n */\n shouldRetry: (error: unknown, iterations: number) => boolean;\n /**\n * Controls whether the helper should retry the operation immediately once before applying exponential backoff.\n * The delay for the immediate retry is 100ms.\n * @default true\n */\n retryImmediately: boolean;\n /**\n * If true, the intervals will be multiplied by a factor in the range of [1,2].\n * @default true\n */\n jitter: boolean;\n}>;\n\nconst defaultOptions: Required = {\n initialDelay: 125,\n maxDelayBetweenRetries: 0,\n factor: 2,\n shouldRetry: (_: unknown, iteration: number) => iteration < 5,\n retryImmediately: true,\n jitter: true,\n};\n\nconst RETRY_IMMEDIATELY_DELAY = 100;\n\nconst sleep = async (ms: Milliseconds) => new Promise(s => setTimeout(s, ms));\n\nconst applyJitter = (delay: Milliseconds, jitter: boolean) => {\n return jitter ? delay * (1 + Math.random()) : delay;\n};\n\nconst createExponentialDelayAsyncFn = (\n opts: Required>,\n) => {\n let timesCalled = 0;\n\n const calculateDelayInMs = () => {\n const constant = opts.initialDelay;\n const base = opts.factor;\n let delay = constant * Math.pow(base, timesCalled);\n delay = applyJitter(delay, opts.jitter);\n return Math.min(opts.maxDelayBetweenRetries || delay, delay);\n };\n\n return async (): Promise => {\n await sleep(calculateDelayInMs());\n timesCalled++;\n };\n};\n\n/**\n * Retries a callback until it succeeds or the shouldRetry function returns false.\n * See {@link RetryOptions} for the available options.\n */\nexport const retry = async (callback: () => T | Promise, options: RetryOptions = {}): Promise => {\n let iterations = 0;\n const { shouldRetry, initialDelay, maxDelayBetweenRetries, factor, retryImmediately, jitter } = {\n ...defaultOptions,\n ...options,\n };\n\n const delay = createExponentialDelayAsyncFn({\n initialDelay,\n maxDelayBetweenRetries,\n factor,\n jitter,\n });\n\n while (true) {\n try {\n return await callback();\n } catch (e) {\n iterations++;\n if (!shouldRetry(e, iterations)) {\n throw e;\n }\n if (retryImmediately && iterations === 1) {\n await sleep(applyJitter(RETRY_IMMEDIATELY_DELAY, jitter));\n } else {\n await delay();\n }\n }\n }\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAyCA,IAAM,iBAAyC;AAAA,EAC7C,cAAc;AAAA,EACd,wBAAwB;AAAA,EACxB,QAAQ;AAAA,EACR,aAAa,CAAC,GAAY,cAAsB,YAAY;AAAA,EAC5D,kBAAkB;AAAA,EAClB,QAAQ;AACV;AAEA,IAAM,0BAA0B;AAEhC,IAAM,QAAQ,OAAO,OAAqB,IAAI,QAAQ,OAAK,WAAW,GAAG,EAAE,CAAC;AAE5E,IAAM,cAAc,CAAC,OAAqB,WAAoB;AAC5D,SAAO,SAAS,SAAS,IAAI,KAAK,OAAO,KAAK;AAChD;AAEA,IAAM,gCAAgC,CACpC,SACG;AACH,MAAI,cAAc;AAElB,QAAM,qBAAqB,MAAM;AAC/B,UAAM,WAAW,KAAK;AACtB,UAAM,OAAO,KAAK;AAClB,QAAI,QAAQ,WAAW,KAAK,IAAI,MAAM,WAAW;AACjD,YAAQ,YAAY,OAAO,KAAK,MAAM;AACtC,WAAO,KAAK,IAAI,KAAK,0BAA0B,OAAO,KAAK;AAAA,EAC7D;AAEA,SAAO,YAA2B;AAChC,UAAM,MAAM,mBAAmB,CAAC;AAChC;AAAA,EACF;AACF;AAMO,IAAM,QAAQ,OAAU,UAAgC,UAAwB,CAAC,MAAkB;AACxG,MAAI,aAAa;AACjB,QAAM,EAAE,aAAa,cAAc,wBAAwB,QAAQ,kBAAkB,OAAO,IAAI;AAAA,IAC9F,GAAG;AAAA,IACH,GAAG;AAAA,EACL;AAEA,QAAM,QAAQ,8BAA8B;AAAA,IAC1C;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF,CAAC;AAED,SAAO,MAAM;AACX,QAAI;AACF,aAAO,MAAM,SAAS;AAAA,IACxB,SAAS,GAAG;AACV;AACA,UAAI,CAAC,YAAY,GAAG,UAAU,GAAG;AAC/B,cAAM;AAAA,MACR;AACA,UAAI,oBAAoB,eAAe,GAAG;AACxC,cAAM,MAAM,YAAY,yBAAyB,MAAM,CAAC;AAAA,MAC1D,OAAO;AACL,cAAM,MAAM;AAAA,MACd;AAAA,IACF;AAAA,EACF;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.mjs new file mode 100644 index 000000000..44cc9e005 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.mjs @@ -0,0 +1,8 @@ +import { + retry +} from "./chunk-BUNBAIZO.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + retry +}; +//# sourceMappingURL=retry.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/retry.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.d.mts new file mode 100644 index 000000000..58adbc496 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.d.mts @@ -0,0 +1,87 @@ +import { RoutingMode, ClerkHostRouter } from '@clerk/types'; +export { ClerkHostRouter, RoutingMode } from '@clerk/types'; +import React from 'react'; + +/** + * Internal Clerk router, used by Clerk components to interact with the host's router. + */ +type ClerkRouter = { + makeDestinationUrlWithPreservedQueryParameters: (path: string) => string; + /** + * The basePath the router is currently mounted on. + */ + basePath: string; + /** + * Creates a child router instance scoped to the provided base path. + */ + child: (childBasePath: string) => ClerkRouter; + /** + * Matches the provided path against the router's current path. If index is provided, matches against the root route of the router. + */ + match: (path?: string, index?: boolean) => boolean; + /** + * Mode of the router instance, path-based or virtual + */ + readonly mode: RoutingMode; + /** + * Name of the router instance + */ + readonly name: string; + /** + * Navigates to the provided path via a history push + */ + push: ClerkHostRouter['push']; + /** + * Navigates to the provided path via a history replace + */ + replace: ClerkHostRouter['replace']; + /** + * If supported by the host router, navigates to the provided path without triggering a full navigation + */ + shallowPush: ClerkHostRouter['shallowPush']; + /** + * Returns the current pathname (including the base path) + */ + pathname: ClerkHostRouter['pathname']; + /** + * Returns the current search params + */ + searchParams: ClerkHostRouter['searchParams']; +}; +/** + * Factory function to create an instance of ClerkRouter with the provided host router. + * + * @param router host router instance to be used by the router + * @param basePath base path of the router, navigation and matching will be scoped to this path + * @returns A ClerkRouter instance + */ +declare function createClerkRouter(router: ClerkHostRouter, basePath?: string): ClerkRouter; + +/** + * React-specific binding's for interacting with Clerk's router interface. + */ + +declare const ClerkHostRouterContext: React.Context; +declare const ClerkRouterContext: React.Context; +declare function useClerkHostRouter(): ClerkHostRouter; +declare function useClerkRouter(): ClerkRouter; +/** + * Construct a Clerk Router using the provided host router. The router instance is accessible using `useClerkRouter()`. + */ +declare function Router({ basePath, children, router, }: { + children: React.ReactNode; + basePath?: string; + router?: ClerkHostRouter; +}): React.JSX.Element; +type RouteProps = { + path?: string; + index?: boolean; +}; +/** + * Used to conditionally render its children based on whether or not the current path matches the provided path. + */ +declare function Route({ path, children, index }: RouteProps & { + children: React.ReactNode; +}): React.ReactNode; + +export { ClerkHostRouterContext, type ClerkRouter, ClerkRouterContext, Route, Router, createClerkRouter, useClerkHostRouter, useClerkRouter }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.d.ts new file mode 100644 index 000000000..58adbc496 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.d.ts @@ -0,0 +1,87 @@ +import { RoutingMode, ClerkHostRouter } from '@clerk/types'; +export { ClerkHostRouter, RoutingMode } from '@clerk/types'; +import React from 'react'; + +/** + * Internal Clerk router, used by Clerk components to interact with the host's router. + */ +type ClerkRouter = { + makeDestinationUrlWithPreservedQueryParameters: (path: string) => string; + /** + * The basePath the router is currently mounted on. + */ + basePath: string; + /** + * Creates a child router instance scoped to the provided base path. + */ + child: (childBasePath: string) => ClerkRouter; + /** + * Matches the provided path against the router's current path. If index is provided, matches against the root route of the router. + */ + match: (path?: string, index?: boolean) => boolean; + /** + * Mode of the router instance, path-based or virtual + */ + readonly mode: RoutingMode; + /** + * Name of the router instance + */ + readonly name: string; + /** + * Navigates to the provided path via a history push + */ + push: ClerkHostRouter['push']; + /** + * Navigates to the provided path via a history replace + */ + replace: ClerkHostRouter['replace']; + /** + * If supported by the host router, navigates to the provided path without triggering a full navigation + */ + shallowPush: ClerkHostRouter['shallowPush']; + /** + * Returns the current pathname (including the base path) + */ + pathname: ClerkHostRouter['pathname']; + /** + * Returns the current search params + */ + searchParams: ClerkHostRouter['searchParams']; +}; +/** + * Factory function to create an instance of ClerkRouter with the provided host router. + * + * @param router host router instance to be used by the router + * @param basePath base path of the router, navigation and matching will be scoped to this path + * @returns A ClerkRouter instance + */ +declare function createClerkRouter(router: ClerkHostRouter, basePath?: string): ClerkRouter; + +/** + * React-specific binding's for interacting with Clerk's router interface. + */ + +declare const ClerkHostRouterContext: React.Context; +declare const ClerkRouterContext: React.Context; +declare function useClerkHostRouter(): ClerkHostRouter; +declare function useClerkRouter(): ClerkRouter; +/** + * Construct a Clerk Router using the provided host router. The router instance is accessible using `useClerkRouter()`. + */ +declare function Router({ basePath, children, router, }: { + children: React.ReactNode; + basePath?: string; + router?: ClerkHostRouter; +}): React.JSX.Element; +type RouteProps = { + path?: string; + index?: boolean; +}; +/** + * Used to conditionally render its children based on whether or not the current path matches the provided path. + */ +declare function Route({ path, children, index }: RouteProps & { + children: React.ReactNode; +}): React.ReactNode; + +export { ClerkHostRouterContext, type ClerkRouter, ClerkRouterContext, Route, Router, createClerkRouter, useClerkHostRouter, useClerkRouter }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.js new file mode 100644 index 000000000..d45215533 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.js @@ -0,0 +1,191 @@ +"use strict"; +var __create = Object.create; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __getProtoOf = Object.getPrototypeOf; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toESM = (mod, isNodeMode, target) => (target = mod != null ? __create(__getProtoOf(mod)) : {}, __copyProps( + // If the importer is in node compatibility mode or this is not an ESM + // file that has been converted to a CommonJS file using a Babel- + // compatible transform (i.e. "__esModule" has not been set), then set + // "default" to the CommonJS "module.exports" for node compatibility. + isNodeMode || !mod || !mod.__esModule ? __defProp(target, "default", { value: mod, enumerable: true }) : target, + mod +)); +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/router.ts +var router_exports = {}; +__export(router_exports, { + ClerkHostRouterContext: () => ClerkHostRouterContext, + ClerkRouterContext: () => ClerkRouterContext, + Route: () => Route, + Router: () => Router, + createClerkRouter: () => createClerkRouter, + useClerkHostRouter: () => useClerkHostRouter, + useClerkRouter: () => useClerkRouter +}); +module.exports = __toCommonJS(router_exports); + +// src/url.ts +var TRAILING_SLASH_RE = /\/$|\/\?|\/#/; +function hasTrailingSlash(input = "", respectQueryAndFragment) { + if (!respectQueryAndFragment) { + return input.endsWith("/"); + } + return TRAILING_SLASH_RE.test(input); +} +function withoutTrailingSlash(input = "", respectQueryAndFragment) { + if (!respectQueryAndFragment) { + return (hasTrailingSlash(input) ? input.slice(0, -1) : input) || "/"; + } + if (!hasTrailingSlash(input, true)) { + return input || "/"; + } + let path = input; + let fragment = ""; + const fragmentIndex = input.indexOf("#"); + if (fragmentIndex >= 0) { + path = input.slice(0, fragmentIndex); + fragment = input.slice(fragmentIndex); + } + const [s0, ...s] = path.split("?"); + return (s0.slice(0, -1) || "/") + (s.length > 0 ? `?${s.join("?")}` : "") + fragment; +} +function hasLeadingSlash(input = "") { + return input.startsWith("/"); +} +function withLeadingSlash(input = "") { + return hasLeadingSlash(input) ? input : "/" + input; +} +var ABSOLUTE_URL_REGEX = /^[a-zA-Z][a-zA-Z\d+\-.]*?:/; +var isAbsoluteUrl = (url) => ABSOLUTE_URL_REGEX.test(url); + +// src/router/router.ts +var PRESERVED_QUERYSTRING_PARAMS = ["after_sign_in_url", "after_sign_up_url", "redirect_url"]; +function normalizePath(path) { + return withoutTrailingSlash(withLeadingSlash(path)); +} +function createClerkRouter(router, basePath = "/") { + const normalizedBasePath = normalizePath(basePath); + function makeDestinationUrlWithPreservedQueryParameters(path) { + if (isAbsoluteUrl(path)) { + return path; + } + const destinationUrl = new URL(path, window.location.origin); + const currentSearchParams = router.searchParams(); + PRESERVED_QUERYSTRING_PARAMS.forEach((key) => { + const maybeValue = currentSearchParams.get(key); + if (maybeValue) { + destinationUrl.searchParams.set(key, maybeValue); + } + }); + return `${destinationUrl.pathname}${destinationUrl.search}`; + } + function match(path, index) { + const pathToMatch = path ?? (index && "/"); + if (!pathToMatch) { + throw new Error("[clerk] router.match() requires either a path to match, or the index flag must be set to true."); + } + const normalizedPath = normalizePath(pathToMatch); + return normalizePath(`${normalizedBasePath}${normalizedPath}`) === normalizePath(router.pathname()); + } + function child(childBasePath) { + return createClerkRouter(router, `${normalizedBasePath}${normalizePath(childBasePath)}`); + } + function push(path) { + const destinationUrl = makeDestinationUrlWithPreservedQueryParameters(path); + return router.push(destinationUrl); + } + function replace(path) { + const destinationUrl = makeDestinationUrlWithPreservedQueryParameters(path); + return router.replace(destinationUrl); + } + function shallowPush(path) { + const destinationUrl = makeDestinationUrlWithPreservedQueryParameters(path); + return router.shallowPush(destinationUrl); + } + function pathname() { + return router.pathname(); + } + function searchParams() { + return router.searchParams(); + } + return { + makeDestinationUrlWithPreservedQueryParameters, + child, + match, + mode: router.mode, + name: router.name, + push, + replace, + shallowPush, + pathname, + searchParams, + basePath: normalizedBasePath + }; +} + +// src/router/react.tsx +var import_react = __toESM(require("react")); +var ClerkHostRouterContext = (0, import_react.createContext)(null); +var ClerkRouterContext = (0, import_react.createContext)(null); +function useClerkHostRouter() { + const ctx = (0, import_react.useContext)(ClerkHostRouterContext); + if (!ctx) { + throw new Error( + "clerk: Unable to locate ClerkHostRouter, make sure this is rendered within ``." + ); + } + return ctx; +} +function useClerkRouter() { + const ctx = (0, import_react.useContext)(ClerkRouterContext); + if (!ctx) { + throw new Error("clerk: Unable to locate ClerkRouter, make sure this is rendered within ``."); + } + return ctx; +} +function Router({ + basePath, + children, + router +}) { + const hostRouter = useClerkHostRouter(); + const clerkRouter = createClerkRouter(router ?? hostRouter, basePath); + return /* @__PURE__ */ import_react.default.createElement(ClerkRouterContext.Provider, { value: clerkRouter }, children); +} +function Route({ path, children, index }) { + const parentRouter = useClerkRouter(); + if (!path && !index) { + return children; + } + if (!parentRouter?.match(path, index)) { + return null; + } + return children; +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + ClerkHostRouterContext, + ClerkRouterContext, + Route, + Router, + createClerkRouter, + useClerkHostRouter, + useClerkRouter +}); +//# sourceMappingURL=router.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.js.map new file mode 100644 index 000000000..77ce9f571 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/router.ts","../src/url.ts","../src/router/router.ts","../src/router/react.tsx"],"sourcesContent":["export { type ClerkRouter, type ClerkHostRouter, type RoutingMode, createClerkRouter } from './router/router';\nexport {\n Router,\n useClerkRouter,\n useClerkHostRouter,\n Route,\n ClerkRouterContext,\n ClerkHostRouterContext,\n} from './router/react';\n","import { CURRENT_DEV_INSTANCE_SUFFIXES, LEGACY_DEV_INSTANCE_SUFFIXES } from './constants';\nimport { isStaging } from './utils/instance';\n\nexport function parseSearchParams(queryString = ''): URLSearchParams {\n if (queryString.startsWith('?')) {\n queryString = queryString.slice(1);\n }\n return new URLSearchParams(queryString);\n}\n\nexport function stripScheme(url = ''): string {\n return (url || '').replace(/^.+:\\/\\//, '');\n}\n\nexport function addClerkPrefix(str: string | undefined) {\n if (!str) {\n return '';\n }\n let regex;\n if (str.match(/^(clerk\\.)+\\w*$/)) {\n regex = /(clerk\\.)*(?=clerk\\.)/;\n } else if (str.match(/\\.clerk.accounts/)) {\n return str;\n } else {\n regex = /^(clerk\\.)*/gi;\n }\n\n const stripped = str.replace(regex, '');\n return `clerk.${stripped}`;\n}\n\n/**\n *\n * Retrieve the clerk-js major tag using the major version from the pkgVersion\n * param or use the frontendApi to determine if the canary tag should be used.\n * The default tag is `latest`.\n */\nexport const getClerkJsMajorVersionOrTag = (frontendApi: string, version?: string) => {\n if (!version && isStaging(frontendApi)) {\n return 'canary';\n }\n\n if (!version) {\n return 'latest';\n }\n\n return version.split('.')[0] || 'latest';\n};\n\n/**\n *\n * Retrieve the clerk-js script url from the frontendApi and the major tag\n * using the {@link getClerkJsMajorVersionOrTag} or a provided clerkJSVersion tag.\n */\nexport const getScriptUrl = (frontendApi: string, { clerkJSVersion }: { clerkJSVersion?: string }) => {\n const noSchemeFrontendApi = frontendApi.replace(/http(s)?:\\/\\//, '');\n const major = getClerkJsMajorVersionOrTag(frontendApi, clerkJSVersion);\n return `https://${noSchemeFrontendApi}/npm/@clerk/clerk-js@${clerkJSVersion || major}/dist/clerk.browser.js`;\n};\n\n// Returns true for hosts such as:\n// * accounts.foo.bar-13.lcl.dev\n// * accounts.foo.bar-13.lclstage.dev\n// * accounts.foo.bar-13.dev.lclclerk.com\nexport function isLegacyDevAccountPortalOrigin(host: string): boolean {\n return LEGACY_DEV_INSTANCE_SUFFIXES.some(legacyDevSuffix => {\n return host.startsWith('accounts.') && host.endsWith(legacyDevSuffix);\n });\n}\n\n// Returns true for hosts such as:\n// * foo-bar-13.accounts.dev\n// * foo-bar-13.accountsstage.dev\n// * foo-bar-13.accounts.lclclerk.com\n// But false for:\n// * foo-bar-13.clerk.accounts.lclclerk.com\nexport function isCurrentDevAccountPortalOrigin(host: string): boolean {\n return CURRENT_DEV_INSTANCE_SUFFIXES.some(currentDevSuffix => {\n return host.endsWith(currentDevSuffix) && !host.endsWith('.clerk' + currentDevSuffix);\n });\n}\n\n/* Functions below are taken from https://github.com/unjs/ufo/blob/main/src/utils.ts. LICENSE: MIT */\n\nconst TRAILING_SLASH_RE = /\\/$|\\/\\?|\\/#/;\n\nexport function hasTrailingSlash(input = '', respectQueryAndFragment?: boolean): boolean {\n if (!respectQueryAndFragment) {\n return input.endsWith('/');\n }\n return TRAILING_SLASH_RE.test(input);\n}\n\nexport function withTrailingSlash(input = '', respectQueryAndFragment?: boolean): string {\n if (!respectQueryAndFragment) {\n return input.endsWith('/') ? input : input + '/';\n }\n if (hasTrailingSlash(input, true)) {\n return input || '/';\n }\n let path = input;\n let fragment = '';\n const fragmentIndex = input.indexOf('#');\n if (fragmentIndex >= 0) {\n path = input.slice(0, fragmentIndex);\n fragment = input.slice(fragmentIndex);\n if (!path) {\n return fragment;\n }\n }\n const [s0, ...s] = path.split('?');\n return s0 + '/' + (s.length > 0 ? `?${s.join('?')}` : '') + fragment;\n}\n\nexport function withoutTrailingSlash(input = '', respectQueryAndFragment?: boolean): string {\n if (!respectQueryAndFragment) {\n return (hasTrailingSlash(input) ? input.slice(0, -1) : input) || '/';\n }\n if (!hasTrailingSlash(input, true)) {\n return input || '/';\n }\n let path = input;\n let fragment = '';\n const fragmentIndex = input.indexOf('#');\n if (fragmentIndex >= 0) {\n path = input.slice(0, fragmentIndex);\n fragment = input.slice(fragmentIndex);\n }\n const [s0, ...s] = path.split('?');\n return (s0.slice(0, -1) || '/') + (s.length > 0 ? `?${s.join('?')}` : '') + fragment;\n}\n\nexport function hasLeadingSlash(input = ''): boolean {\n return input.startsWith('/');\n}\n\nexport function withoutLeadingSlash(input = ''): string {\n return (hasLeadingSlash(input) ? input.slice(1) : input) || '/';\n}\n\nexport function withLeadingSlash(input = ''): string {\n return hasLeadingSlash(input) ? input : '/' + input;\n}\n\nexport function cleanDoubleSlashes(input = ''): string {\n return input\n .split('://')\n .map(string_ => string_.replace(/\\/{2,}/g, '/'))\n .join('://');\n}\n\nexport function isNonEmptyURL(url: string) {\n return url && url !== '/';\n}\n\nconst JOIN_LEADING_SLASH_RE = /^\\.?\\//;\n\nexport function joinURL(base: string, ...input: string[]): string {\n let url = base || '';\n\n for (const segment of input.filter(url => isNonEmptyURL(url))) {\n if (url) {\n // TODO: Handle .. when joining\n const _segment = segment.replace(JOIN_LEADING_SLASH_RE, '');\n url = withTrailingSlash(url) + _segment;\n } else {\n url = segment;\n }\n }\n\n return url;\n}\n\n/* Code below is taken from https://github.com/vercel/next.js/blob/fe7ff3f468d7651a92865350bfd0f16ceba27db5/packages/next/src/shared/lib/utils.ts. LICENSE: MIT */\n\n// Scheme: https://tools.ietf.org/html/rfc3986#section-3.1\n// Absolute URL: https://tools.ietf.org/html/rfc3986#section-4.3\nconst ABSOLUTE_URL_REGEX = /^[a-zA-Z][a-zA-Z\\d+\\-.]*?:/;\nexport const isAbsoluteUrl = (url: string) => ABSOLUTE_URL_REGEX.test(url);\n","import type { ClerkHostRouter, RoutingMode } from '@clerk/types';\n\nimport { isAbsoluteUrl, withLeadingSlash, withoutTrailingSlash } from '../url';\n\nexport const PRESERVED_QUERYSTRING_PARAMS = ['after_sign_in_url', 'after_sign_up_url', 'redirect_url'];\n\n/**\n * Internal Clerk router, used by Clerk components to interact with the host's router.\n */\nexport type ClerkRouter = {\n makeDestinationUrlWithPreservedQueryParameters: (path: string) => string;\n /**\n * The basePath the router is currently mounted on.\n */\n basePath: string;\n /**\n * Creates a child router instance scoped to the provided base path.\n */\n child: (childBasePath: string) => ClerkRouter;\n /**\n * Matches the provided path against the router's current path. If index is provided, matches against the root route of the router.\n */\n match: (path?: string, index?: boolean) => boolean;\n\n /**\n * Mode of the router instance, path-based or virtual\n */\n readonly mode: RoutingMode;\n\n /**\n * Name of the router instance\n */\n readonly name: string;\n\n /**\n * Navigates to the provided path via a history push\n */\n push: ClerkHostRouter['push'];\n /**\n * Navigates to the provided path via a history replace\n */\n replace: ClerkHostRouter['replace'];\n /**\n * If supported by the host router, navigates to the provided path without triggering a full navigation\n */\n shallowPush: ClerkHostRouter['shallowPush'];\n /**\n * Returns the current pathname (including the base path)\n */\n pathname: ClerkHostRouter['pathname'];\n /**\n * Returns the current search params\n */\n searchParams: ClerkHostRouter['searchParams'];\n};\n\n/**\n * Ensures the provided path has a leading slash and no trailing slash\n */\nfunction normalizePath(path: string) {\n return withoutTrailingSlash(withLeadingSlash(path));\n}\n\n/**\n * Factory function to create an instance of ClerkRouter with the provided host router.\n *\n * @param router host router instance to be used by the router\n * @param basePath base path of the router, navigation and matching will be scoped to this path\n * @returns A ClerkRouter instance\n */\nexport function createClerkRouter(router: ClerkHostRouter, basePath: string = '/'): ClerkRouter {\n const normalizedBasePath = normalizePath(basePath);\n\n /**\n * Certain query parameters need to be preserved when navigating internally. These query parameters are ultimately used by Clerk to dictate behavior, so we keep them around.\n */\n function makeDestinationUrlWithPreservedQueryParameters(path: string) {\n // If the provided path is an absolute URL, return it unmodified.\n if (isAbsoluteUrl(path)) {\n return path;\n }\n\n const destinationUrl = new URL(path, window.location.origin);\n const currentSearchParams = router.searchParams();\n\n PRESERVED_QUERYSTRING_PARAMS.forEach(key => {\n const maybeValue = currentSearchParams.get(key);\n if (maybeValue) {\n destinationUrl.searchParams.set(key, maybeValue);\n }\n });\n\n return `${destinationUrl.pathname}${destinationUrl.search}`;\n }\n\n function match(path?: string, index?: boolean) {\n const pathToMatch = path ?? (index && '/');\n\n if (!pathToMatch) {\n throw new Error('[clerk] router.match() requires either a path to match, or the index flag must be set to true.');\n }\n\n const normalizedPath = normalizePath(pathToMatch);\n\n return normalizePath(`${normalizedBasePath}${normalizedPath}`) === normalizePath(router.pathname());\n }\n\n function child(childBasePath: string) {\n return createClerkRouter(router, `${normalizedBasePath}${normalizePath(childBasePath)}`);\n }\n\n function push(path: string) {\n const destinationUrl = makeDestinationUrlWithPreservedQueryParameters(path);\n return router.push(destinationUrl);\n }\n\n function replace(path: string) {\n const destinationUrl = makeDestinationUrlWithPreservedQueryParameters(path);\n return router.replace(destinationUrl);\n }\n\n function shallowPush(path: string) {\n const destinationUrl = makeDestinationUrlWithPreservedQueryParameters(path);\n return router.shallowPush(destinationUrl);\n }\n\n function pathname() {\n return router.pathname();\n }\n\n function searchParams() {\n return router.searchParams();\n }\n\n return {\n makeDestinationUrlWithPreservedQueryParameters,\n child,\n match,\n mode: router.mode,\n name: router.name,\n push,\n replace,\n shallowPush,\n pathname,\n searchParams,\n basePath: normalizedBasePath,\n };\n}\n\nexport type { ClerkHostRouter, RoutingMode };\n","/**\n * React-specific binding's for interacting with Clerk's router interface.\n */\nimport React, { createContext, useContext } from 'react';\n\nimport type { ClerkHostRouter, ClerkRouter } from './router';\nimport { createClerkRouter } from './router';\n\nexport const ClerkHostRouterContext = createContext(null);\nexport const ClerkRouterContext = createContext(null);\n\nexport function useClerkHostRouter() {\n const ctx = useContext(ClerkHostRouterContext);\n\n if (!ctx) {\n throw new Error(\n 'clerk: Unable to locate ClerkHostRouter, make sure this is rendered within ``.',\n );\n }\n\n return ctx;\n}\n\nexport function useClerkRouter() {\n const ctx = useContext(ClerkRouterContext);\n\n if (!ctx) {\n throw new Error('clerk: Unable to locate ClerkRouter, make sure this is rendered within ``.');\n }\n\n return ctx;\n}\n\n/**\n * Construct a Clerk Router using the provided host router. The router instance is accessible using `useClerkRouter()`.\n */\nexport function Router({\n basePath,\n children,\n router,\n}: {\n children: React.ReactNode;\n basePath?: string;\n router?: ClerkHostRouter;\n}) {\n const hostRouter = useClerkHostRouter();\n const clerkRouter = createClerkRouter(router ?? hostRouter, basePath);\n\n return {children};\n}\n\ntype RouteProps = { path?: string; index?: boolean };\n\n/**\n * Used to conditionally render its children based on whether or not the current path matches the provided path.\n */\nexport function Route({ path, children, index }: RouteProps & { children: React.ReactNode }) {\n const parentRouter = useClerkRouter();\n\n if (!path && !index) {\n return children;\n }\n\n if (!parentRouter?.match(path, index)) {\n return null;\n }\n\n return children;\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACoFA,IAAM,oBAAoB;AAEnB,SAAS,iBAAiB,QAAQ,IAAI,yBAA4C;AACvF,MAAI,CAAC,yBAAyB;AAC5B,WAAO,MAAM,SAAS,GAAG;AAAA,EAC3B;AACA,SAAO,kBAAkB,KAAK,KAAK;AACrC;AAuBO,SAAS,qBAAqB,QAAQ,IAAI,yBAA2C;AAC1F,MAAI,CAAC,yBAAyB;AAC5B,YAAQ,iBAAiB,KAAK,IAAI,MAAM,MAAM,GAAG,EAAE,IAAI,UAAU;AAAA,EACnE;AACA,MAAI,CAAC,iBAAiB,OAAO,IAAI,GAAG;AAClC,WAAO,SAAS;AAAA,EAClB;AACA,MAAI,OAAO;AACX,MAAI,WAAW;AACf,QAAM,gBAAgB,MAAM,QAAQ,GAAG;AACvC,MAAI,iBAAiB,GAAG;AACtB,WAAO,MAAM,MAAM,GAAG,aAAa;AACnC,eAAW,MAAM,MAAM,aAAa;AAAA,EACtC;AACA,QAAM,CAAC,IAAI,GAAG,CAAC,IAAI,KAAK,MAAM,GAAG;AACjC,UAAQ,GAAG,MAAM,GAAG,EAAE,KAAK,QAAQ,EAAE,SAAS,IAAI,IAAI,EAAE,KAAK,GAAG,CAAC,KAAK,MAAM;AAC9E;AAEO,SAAS,gBAAgB,QAAQ,IAAa;AACnD,SAAO,MAAM,WAAW,GAAG;AAC7B;AAMO,SAAS,iBAAiB,QAAQ,IAAY;AACnD,SAAO,gBAAgB,KAAK,IAAI,QAAQ,MAAM;AAChD;AAmCA,IAAM,qBAAqB;AACpB,IAAM,gBAAgB,CAAC,QAAgB,mBAAmB,KAAK,GAAG;;;AC9KlE,IAAM,+BAA+B,CAAC,qBAAqB,qBAAqB,cAAc;AAuDrG,SAAS,cAAc,MAAc;AACnC,SAAO,qBAAqB,iBAAiB,IAAI,CAAC;AACpD;AASO,SAAS,kBAAkB,QAAyB,WAAmB,KAAkB;AAC9F,QAAM,qBAAqB,cAAc,QAAQ;AAKjD,WAAS,+CAA+C,MAAc;AAEpE,QAAI,cAAc,IAAI,GAAG;AACvB,aAAO;AAAA,IACT;AAEA,UAAM,iBAAiB,IAAI,IAAI,MAAM,OAAO,SAAS,MAAM;AAC3D,UAAM,sBAAsB,OAAO,aAAa;AAEhD,iCAA6B,QAAQ,SAAO;AAC1C,YAAM,aAAa,oBAAoB,IAAI,GAAG;AAC9C,UAAI,YAAY;AACd,uBAAe,aAAa,IAAI,KAAK,UAAU;AAAA,MACjD;AAAA,IACF,CAAC;AAED,WAAO,GAAG,eAAe,QAAQ,GAAG,eAAe,MAAM;AAAA,EAC3D;AAEA,WAAS,MAAM,MAAe,OAAiB;AAC7C,UAAM,cAAc,SAAS,SAAS;AAEtC,QAAI,CAAC,aAAa;AAChB,YAAM,IAAI,MAAM,gGAAgG;AAAA,IAClH;AAEA,UAAM,iBAAiB,cAAc,WAAW;AAEhD,WAAO,cAAc,GAAG,kBAAkB,GAAG,cAAc,EAAE,MAAM,cAAc,OAAO,SAAS,CAAC;AAAA,EACpG;AAEA,WAAS,MAAM,eAAuB;AACpC,WAAO,kBAAkB,QAAQ,GAAG,kBAAkB,GAAG,cAAc,aAAa,CAAC,EAAE;AAAA,EACzF;AAEA,WAAS,KAAK,MAAc;AAC1B,UAAM,iBAAiB,+CAA+C,IAAI;AAC1E,WAAO,OAAO,KAAK,cAAc;AAAA,EACnC;AAEA,WAAS,QAAQ,MAAc;AAC7B,UAAM,iBAAiB,+CAA+C,IAAI;AAC1E,WAAO,OAAO,QAAQ,cAAc;AAAA,EACtC;AAEA,WAAS,YAAY,MAAc;AACjC,UAAM,iBAAiB,+CAA+C,IAAI;AAC1E,WAAO,OAAO,YAAY,cAAc;AAAA,EAC1C;AAEA,WAAS,WAAW;AAClB,WAAO,OAAO,SAAS;AAAA,EACzB;AAEA,WAAS,eAAe;AACtB,WAAO,OAAO,aAAa;AAAA,EAC7B;AAEA,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA;AAAA,IACA,MAAM,OAAO;AAAA,IACb,MAAM,OAAO;AAAA,IACb;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA,UAAU;AAAA,EACZ;AACF;;;AChJA,mBAAiD;AAK1C,IAAM,6BAAyB,4BAAsC,IAAI;AACzE,IAAM,yBAAqB,4BAAkC,IAAI;AAEjE,SAAS,qBAAqB;AACnC,QAAM,UAAM,yBAAW,sBAAsB;AAE7C,MAAI,CAAC,KAAK;AACR,UAAM,IAAI;AAAA,MACR;AAAA,IACF;AAAA,EACF;AAEA,SAAO;AACT;AAEO,SAAS,iBAAiB;AAC/B,QAAM,UAAM,yBAAW,kBAAkB;AAEzC,MAAI,CAAC,KAAK;AACR,UAAM,IAAI,MAAM,oFAAoF;AAAA,EACtG;AAEA,SAAO;AACT;AAKO,SAAS,OAAO;AAAA,EACrB;AAAA,EACA;AAAA,EACA;AACF,GAIG;AACD,QAAM,aAAa,mBAAmB;AACtC,QAAM,cAAc,kBAAkB,UAAU,YAAY,QAAQ;AAEpE,SAAO,6BAAAA,QAAA,cAAC,mBAAmB,UAAnB,EAA4B,OAAO,eAAc,QAAS;AACpE;AAOO,SAAS,MAAM,EAAE,MAAM,UAAU,MAAM,GAA+C;AAC3F,QAAM,eAAe,eAAe;AAEpC,MAAI,CAAC,QAAQ,CAAC,OAAO;AACnB,WAAO;AAAA,EACT;AAEA,MAAI,CAAC,cAAc,MAAM,MAAM,KAAK,GAAG;AACrC,WAAO;AAAA,EACT;AAEA,SAAO;AACT;","names":["React"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.mjs new file mode 100644 index 000000000..10f06e5a0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.mjs @@ -0,0 +1,123 @@ +import { + isAbsoluteUrl, + withLeadingSlash, + withoutTrailingSlash +} from "./chunk-IFTVZ2LQ.mjs"; +import "./chunk-3TMSNP4L.mjs"; +import "./chunk-I6MTSTOF.mjs"; +import "./chunk-7ELT755Q.mjs"; + +// src/router/router.ts +var PRESERVED_QUERYSTRING_PARAMS = ["after_sign_in_url", "after_sign_up_url", "redirect_url"]; +function normalizePath(path) { + return withoutTrailingSlash(withLeadingSlash(path)); +} +function createClerkRouter(router, basePath = "/") { + const normalizedBasePath = normalizePath(basePath); + function makeDestinationUrlWithPreservedQueryParameters(path) { + if (isAbsoluteUrl(path)) { + return path; + } + const destinationUrl = new URL(path, window.location.origin); + const currentSearchParams = router.searchParams(); + PRESERVED_QUERYSTRING_PARAMS.forEach((key) => { + const maybeValue = currentSearchParams.get(key); + if (maybeValue) { + destinationUrl.searchParams.set(key, maybeValue); + } + }); + return `${destinationUrl.pathname}${destinationUrl.search}`; + } + function match(path, index) { + const pathToMatch = path ?? (index && "/"); + if (!pathToMatch) { + throw new Error("[clerk] router.match() requires either a path to match, or the index flag must be set to true."); + } + const normalizedPath = normalizePath(pathToMatch); + return normalizePath(`${normalizedBasePath}${normalizedPath}`) === normalizePath(router.pathname()); + } + function child(childBasePath) { + return createClerkRouter(router, `${normalizedBasePath}${normalizePath(childBasePath)}`); + } + function push(path) { + const destinationUrl = makeDestinationUrlWithPreservedQueryParameters(path); + return router.push(destinationUrl); + } + function replace(path) { + const destinationUrl = makeDestinationUrlWithPreservedQueryParameters(path); + return router.replace(destinationUrl); + } + function shallowPush(path) { + const destinationUrl = makeDestinationUrlWithPreservedQueryParameters(path); + return router.shallowPush(destinationUrl); + } + function pathname() { + return router.pathname(); + } + function searchParams() { + return router.searchParams(); + } + return { + makeDestinationUrlWithPreservedQueryParameters, + child, + match, + mode: router.mode, + name: router.name, + push, + replace, + shallowPush, + pathname, + searchParams, + basePath: normalizedBasePath + }; +} + +// src/router/react.tsx +import React, { createContext, useContext } from "react"; +var ClerkHostRouterContext = createContext(null); +var ClerkRouterContext = createContext(null); +function useClerkHostRouter() { + const ctx = useContext(ClerkHostRouterContext); + if (!ctx) { + throw new Error( + "clerk: Unable to locate ClerkHostRouter, make sure this is rendered within ``." + ); + } + return ctx; +} +function useClerkRouter() { + const ctx = useContext(ClerkRouterContext); + if (!ctx) { + throw new Error("clerk: Unable to locate ClerkRouter, make sure this is rendered within ``."); + } + return ctx; +} +function Router({ + basePath, + children, + router +}) { + const hostRouter = useClerkHostRouter(); + const clerkRouter = createClerkRouter(router ?? hostRouter, basePath); + return /* @__PURE__ */ React.createElement(ClerkRouterContext.Provider, { value: clerkRouter }, children); +} +function Route({ path, children, index }) { + const parentRouter = useClerkRouter(); + if (!path && !index) { + return children; + } + if (!parentRouter?.match(path, index)) { + return null; + } + return children; +} +export { + ClerkHostRouterContext, + ClerkRouterContext, + Route, + Router, + createClerkRouter, + useClerkHostRouter, + useClerkRouter +}; +//# sourceMappingURL=router.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.mjs.map new file mode 100644 index 000000000..e84caccb7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/router.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/router/router.ts","../src/router/react.tsx"],"sourcesContent":["import type { ClerkHostRouter, RoutingMode } from '@clerk/types';\n\nimport { isAbsoluteUrl, withLeadingSlash, withoutTrailingSlash } from '../url';\n\nexport const PRESERVED_QUERYSTRING_PARAMS = ['after_sign_in_url', 'after_sign_up_url', 'redirect_url'];\n\n/**\n * Internal Clerk router, used by Clerk components to interact with the host's router.\n */\nexport type ClerkRouter = {\n makeDestinationUrlWithPreservedQueryParameters: (path: string) => string;\n /**\n * The basePath the router is currently mounted on.\n */\n basePath: string;\n /**\n * Creates a child router instance scoped to the provided base path.\n */\n child: (childBasePath: string) => ClerkRouter;\n /**\n * Matches the provided path against the router's current path. If index is provided, matches against the root route of the router.\n */\n match: (path?: string, index?: boolean) => boolean;\n\n /**\n * Mode of the router instance, path-based or virtual\n */\n readonly mode: RoutingMode;\n\n /**\n * Name of the router instance\n */\n readonly name: string;\n\n /**\n * Navigates to the provided path via a history push\n */\n push: ClerkHostRouter['push'];\n /**\n * Navigates to the provided path via a history replace\n */\n replace: ClerkHostRouter['replace'];\n /**\n * If supported by the host router, navigates to the provided path without triggering a full navigation\n */\n shallowPush: ClerkHostRouter['shallowPush'];\n /**\n * Returns the current pathname (including the base path)\n */\n pathname: ClerkHostRouter['pathname'];\n /**\n * Returns the current search params\n */\n searchParams: ClerkHostRouter['searchParams'];\n};\n\n/**\n * Ensures the provided path has a leading slash and no trailing slash\n */\nfunction normalizePath(path: string) {\n return withoutTrailingSlash(withLeadingSlash(path));\n}\n\n/**\n * Factory function to create an instance of ClerkRouter with the provided host router.\n *\n * @param router host router instance to be used by the router\n * @param basePath base path of the router, navigation and matching will be scoped to this path\n * @returns A ClerkRouter instance\n */\nexport function createClerkRouter(router: ClerkHostRouter, basePath: string = '/'): ClerkRouter {\n const normalizedBasePath = normalizePath(basePath);\n\n /**\n * Certain query parameters need to be preserved when navigating internally. These query parameters are ultimately used by Clerk to dictate behavior, so we keep them around.\n */\n function makeDestinationUrlWithPreservedQueryParameters(path: string) {\n // If the provided path is an absolute URL, return it unmodified.\n if (isAbsoluteUrl(path)) {\n return path;\n }\n\n const destinationUrl = new URL(path, window.location.origin);\n const currentSearchParams = router.searchParams();\n\n PRESERVED_QUERYSTRING_PARAMS.forEach(key => {\n const maybeValue = currentSearchParams.get(key);\n if (maybeValue) {\n destinationUrl.searchParams.set(key, maybeValue);\n }\n });\n\n return `${destinationUrl.pathname}${destinationUrl.search}`;\n }\n\n function match(path?: string, index?: boolean) {\n const pathToMatch = path ?? (index && '/');\n\n if (!pathToMatch) {\n throw new Error('[clerk] router.match() requires either a path to match, or the index flag must be set to true.');\n }\n\n const normalizedPath = normalizePath(pathToMatch);\n\n return normalizePath(`${normalizedBasePath}${normalizedPath}`) === normalizePath(router.pathname());\n }\n\n function child(childBasePath: string) {\n return createClerkRouter(router, `${normalizedBasePath}${normalizePath(childBasePath)}`);\n }\n\n function push(path: string) {\n const destinationUrl = makeDestinationUrlWithPreservedQueryParameters(path);\n return router.push(destinationUrl);\n }\n\n function replace(path: string) {\n const destinationUrl = makeDestinationUrlWithPreservedQueryParameters(path);\n return router.replace(destinationUrl);\n }\n\n function shallowPush(path: string) {\n const destinationUrl = makeDestinationUrlWithPreservedQueryParameters(path);\n return router.shallowPush(destinationUrl);\n }\n\n function pathname() {\n return router.pathname();\n }\n\n function searchParams() {\n return router.searchParams();\n }\n\n return {\n makeDestinationUrlWithPreservedQueryParameters,\n child,\n match,\n mode: router.mode,\n name: router.name,\n push,\n replace,\n shallowPush,\n pathname,\n searchParams,\n basePath: normalizedBasePath,\n };\n}\n\nexport type { ClerkHostRouter, RoutingMode };\n","/**\n * React-specific binding's for interacting with Clerk's router interface.\n */\nimport React, { createContext, useContext } from 'react';\n\nimport type { ClerkHostRouter, ClerkRouter } from './router';\nimport { createClerkRouter } from './router';\n\nexport const ClerkHostRouterContext = createContext(null);\nexport const ClerkRouterContext = createContext(null);\n\nexport function useClerkHostRouter() {\n const ctx = useContext(ClerkHostRouterContext);\n\n if (!ctx) {\n throw new Error(\n 'clerk: Unable to locate ClerkHostRouter, make sure this is rendered within ``.',\n );\n }\n\n return ctx;\n}\n\nexport function useClerkRouter() {\n const ctx = useContext(ClerkRouterContext);\n\n if (!ctx) {\n throw new Error('clerk: Unable to locate ClerkRouter, make sure this is rendered within ``.');\n }\n\n return ctx;\n}\n\n/**\n * Construct a Clerk Router using the provided host router. The router instance is accessible using `useClerkRouter()`.\n */\nexport function Router({\n basePath,\n children,\n router,\n}: {\n children: React.ReactNode;\n basePath?: string;\n router?: ClerkHostRouter;\n}) {\n const hostRouter = useClerkHostRouter();\n const clerkRouter = createClerkRouter(router ?? hostRouter, basePath);\n\n return {children};\n}\n\ntype RouteProps = { path?: string; index?: boolean };\n\n/**\n * Used to conditionally render its children based on whether or not the current path matches the provided path.\n */\nexport function Route({ path, children, index }: RouteProps & { children: React.ReactNode }) {\n const parentRouter = useClerkRouter();\n\n if (!path && !index) {\n return children;\n }\n\n if (!parentRouter?.match(path, index)) {\n return null;\n }\n\n return children;\n}\n"],"mappings":";;;;;;;;;;AAIO,IAAM,+BAA+B,CAAC,qBAAqB,qBAAqB,cAAc;AAuDrG,SAAS,cAAc,MAAc;AACnC,SAAO,qBAAqB,iBAAiB,IAAI,CAAC;AACpD;AASO,SAAS,kBAAkB,QAAyB,WAAmB,KAAkB;AAC9F,QAAM,qBAAqB,cAAc,QAAQ;AAKjD,WAAS,+CAA+C,MAAc;AAEpE,QAAI,cAAc,IAAI,GAAG;AACvB,aAAO;AAAA,IACT;AAEA,UAAM,iBAAiB,IAAI,IAAI,MAAM,OAAO,SAAS,MAAM;AAC3D,UAAM,sBAAsB,OAAO,aAAa;AAEhD,iCAA6B,QAAQ,SAAO;AAC1C,YAAM,aAAa,oBAAoB,IAAI,GAAG;AAC9C,UAAI,YAAY;AACd,uBAAe,aAAa,IAAI,KAAK,UAAU;AAAA,MACjD;AAAA,IACF,CAAC;AAED,WAAO,GAAG,eAAe,QAAQ,GAAG,eAAe,MAAM;AAAA,EAC3D;AAEA,WAAS,MAAM,MAAe,OAAiB;AAC7C,UAAM,cAAc,SAAS,SAAS;AAEtC,QAAI,CAAC,aAAa;AAChB,YAAM,IAAI,MAAM,gGAAgG;AAAA,IAClH;AAEA,UAAM,iBAAiB,cAAc,WAAW;AAEhD,WAAO,cAAc,GAAG,kBAAkB,GAAG,cAAc,EAAE,MAAM,cAAc,OAAO,SAAS,CAAC;AAAA,EACpG;AAEA,WAAS,MAAM,eAAuB;AACpC,WAAO,kBAAkB,QAAQ,GAAG,kBAAkB,GAAG,cAAc,aAAa,CAAC,EAAE;AAAA,EACzF;AAEA,WAAS,KAAK,MAAc;AAC1B,UAAM,iBAAiB,+CAA+C,IAAI;AAC1E,WAAO,OAAO,KAAK,cAAc;AAAA,EACnC;AAEA,WAAS,QAAQ,MAAc;AAC7B,UAAM,iBAAiB,+CAA+C,IAAI;AAC1E,WAAO,OAAO,QAAQ,cAAc;AAAA,EACtC;AAEA,WAAS,YAAY,MAAc;AACjC,UAAM,iBAAiB,+CAA+C,IAAI;AAC1E,WAAO,OAAO,YAAY,cAAc;AAAA,EAC1C;AAEA,WAAS,WAAW;AAClB,WAAO,OAAO,SAAS;AAAA,EACzB;AAEA,WAAS,eAAe;AACtB,WAAO,OAAO,aAAa;AAAA,EAC7B;AAEA,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA;AAAA,IACA,MAAM,OAAO;AAAA,IACb,MAAM,OAAO;AAAA,IACb;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA,UAAU;AAAA,EACZ;AACF;;;AChJA,OAAO,SAAS,eAAe,kBAAkB;AAK1C,IAAM,yBAAyB,cAAsC,IAAI;AACzE,IAAM,qBAAqB,cAAkC,IAAI;AAEjE,SAAS,qBAAqB;AACnC,QAAM,MAAM,WAAW,sBAAsB;AAE7C,MAAI,CAAC,KAAK;AACR,UAAM,IAAI;AAAA,MACR;AAAA,IACF;AAAA,EACF;AAEA,SAAO;AACT;AAEO,SAAS,iBAAiB;AAC/B,QAAM,MAAM,WAAW,kBAAkB;AAEzC,MAAI,CAAC,KAAK;AACR,UAAM,IAAI,MAAM,oFAAoF;AAAA,EACtG;AAEA,SAAO;AACT;AAKO,SAAS,OAAO;AAAA,EACrB;AAAA,EACA;AAAA,EACA;AACF,GAIG;AACD,QAAM,aAAa,mBAAmB;AACtC,QAAM,cAAc,kBAAkB,UAAU,YAAY,QAAQ;AAEpE,SAAO,oCAAC,mBAAmB,UAAnB,EAA4B,OAAO,eAAc,QAAS;AACpE;AAOO,SAAS,MAAM,EAAE,MAAM,UAAU,MAAM,GAA+C;AAC3F,QAAM,eAAe,eAAe;AAEpC,MAAI,CAAC,QAAQ,CAAC,OAAO;AACnB,WAAO;AAAA,EACT;AAEA,MAAI,CAAC,cAAc,MAAM,MAAM,KAAK,GAAG;AACrC,WAAO;AAAA,EACT;AAEA,SAAO;AACT;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.d.mts new file mode 100644 index 000000000..e6ddaf941 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.d.mts @@ -0,0 +1,122 @@ +import { TelemetryCollector as TelemetryCollector$1, TelemetryEventRaw } from '@clerk/types'; + +type TelemetryCollectorOptions = { + /** + * If true, telemetry will not be collected. + */ + disabled?: boolean; + /** + * If true, telemetry will not be sent, but collected events will be logged to the console. + */ + debug?: boolean; + /** + * Sampling rate, 0-1 + */ + samplingRate?: number; + /** + * Set a custom buffer size to control how often events are sent + */ + maxBufferSize?: number; + /** + * The publishableKey to associate with the collected events. + */ + publishableKey?: string; + /** + * The secretKey to associate with the collected events. + */ + secretKey?: string; + /** + * The current clerk-js version. + */ + clerkVersion?: string; + /** + * The SDK being used, e.g. `@clerk/nextjs` or `@clerk/remix`. + */ + sdk?: string; + /** + * The version of the SDK being used. + */ + sdkVersion?: string; +}; + +/** + * The `TelemetryCollector` class handles collection of telemetry events from Clerk SDKs. Telemetry is opt-out and can be disabled by setting a CLERK_TELEMETRY_DISABLED environment variable. + * The `ClerkProvider` also accepts a `telemetry` prop that will be passed to the collector during initialization: + * + * ```jsx + * + * ... + * + * ``` + * + * For more information, please see the telemetry documentation page: https://clerk.com/docs/telemetry + */ + +declare class TelemetryCollector implements TelemetryCollector$1 { + #private; + constructor(options: TelemetryCollectorOptions); + get isEnabled(): boolean; + get isDebug(): boolean; + record(event: TelemetryEventRaw): void; +} + +type ComponentMountedBase = { + component: string; +}; +type EventPrebuiltComponent = ComponentMountedBase & { + appearanceProp: boolean; + elements: boolean; + variables: boolean; + baseTheme: boolean; +}; +type EventComponentMounted = ComponentMountedBase & TelemetryEventRaw['payload']; +/** + * Helper function for `telemetry.record()`. Create a consistent event object for when a prebuilt (AIO) component is mounted. + * + * @param component - The name of the component. + * @param props - The props passed to the component. Will be filtered to a known list of props. + * @param additionalPayload - Additional data to send with the event. + * + * @example + * telemetry.record(eventPrebuiltComponentMounted('SignUp', props)); + */ +declare function eventPrebuiltComponentMounted(component: string, props?: Record, additionalPayload?: TelemetryEventRaw['payload']): TelemetryEventRaw; +/** + * Helper function for `telemetry.record()`. Create a consistent event object for when a prebuilt (AIO) component is opened as a modal. + * + * @param component - The name of the component. + * @param props - The props passed to the component. Will be filtered to a known list of props. + * @param additionalPayload - Additional data to send with the event. + * + * @example + * telemetry.record(eventPrebuiltComponentOpened('GoogleOneTap', props)); + */ +declare function eventPrebuiltComponentOpened(component: string, props?: Record, additionalPayload?: TelemetryEventRaw['payload']): TelemetryEventRaw; +/** + * Helper function for `telemetry.record()`. Create a consistent event object for when a component is mounted. Use `eventPrebuiltComponentMounted` for prebuilt components. + * + * **Caution:** Filter the `props` you pass to this function to avoid sending too much data. + * + * @param component - The name of the component. + * @param props - The props passed to the component. Ideally you only pass a handful of props here. + * + * @example + * telemetry.record(eventComponentMounted('SignUp', props)); + */ +declare function eventComponentMounted(component: string, props?: TelemetryEventRaw['payload']): TelemetryEventRaw; + +type EventMethodCalled = { + method: string; +} & Record; +/** + * Fired when a helper method is called from a Clerk SDK. + */ +declare function eventMethodCalled(method: string, payload?: Record): TelemetryEventRaw; + +type EventFrameworkMetadata = Record; +/** + * Fired when a helper method is called from a Clerk SDK. + */ +declare function eventFrameworkMetadata(payload: EventFrameworkMetadata): TelemetryEventRaw; + +export { TelemetryCollector, type TelemetryCollectorOptions, eventComponentMounted, eventFrameworkMetadata, eventMethodCalled, eventPrebuiltComponentMounted, eventPrebuiltComponentOpened }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.d.ts new file mode 100644 index 000000000..e6ddaf941 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.d.ts @@ -0,0 +1,122 @@ +import { TelemetryCollector as TelemetryCollector$1, TelemetryEventRaw } from '@clerk/types'; + +type TelemetryCollectorOptions = { + /** + * If true, telemetry will not be collected. + */ + disabled?: boolean; + /** + * If true, telemetry will not be sent, but collected events will be logged to the console. + */ + debug?: boolean; + /** + * Sampling rate, 0-1 + */ + samplingRate?: number; + /** + * Set a custom buffer size to control how often events are sent + */ + maxBufferSize?: number; + /** + * The publishableKey to associate with the collected events. + */ + publishableKey?: string; + /** + * The secretKey to associate with the collected events. + */ + secretKey?: string; + /** + * The current clerk-js version. + */ + clerkVersion?: string; + /** + * The SDK being used, e.g. `@clerk/nextjs` or `@clerk/remix`. + */ + sdk?: string; + /** + * The version of the SDK being used. + */ + sdkVersion?: string; +}; + +/** + * The `TelemetryCollector` class handles collection of telemetry events from Clerk SDKs. Telemetry is opt-out and can be disabled by setting a CLERK_TELEMETRY_DISABLED environment variable. + * The `ClerkProvider` also accepts a `telemetry` prop that will be passed to the collector during initialization: + * + * ```jsx + * + * ... + * + * ``` + * + * For more information, please see the telemetry documentation page: https://clerk.com/docs/telemetry + */ + +declare class TelemetryCollector implements TelemetryCollector$1 { + #private; + constructor(options: TelemetryCollectorOptions); + get isEnabled(): boolean; + get isDebug(): boolean; + record(event: TelemetryEventRaw): void; +} + +type ComponentMountedBase = { + component: string; +}; +type EventPrebuiltComponent = ComponentMountedBase & { + appearanceProp: boolean; + elements: boolean; + variables: boolean; + baseTheme: boolean; +}; +type EventComponentMounted = ComponentMountedBase & TelemetryEventRaw['payload']; +/** + * Helper function for `telemetry.record()`. Create a consistent event object for when a prebuilt (AIO) component is mounted. + * + * @param component - The name of the component. + * @param props - The props passed to the component. Will be filtered to a known list of props. + * @param additionalPayload - Additional data to send with the event. + * + * @example + * telemetry.record(eventPrebuiltComponentMounted('SignUp', props)); + */ +declare function eventPrebuiltComponentMounted(component: string, props?: Record, additionalPayload?: TelemetryEventRaw['payload']): TelemetryEventRaw; +/** + * Helper function for `telemetry.record()`. Create a consistent event object for when a prebuilt (AIO) component is opened as a modal. + * + * @param component - The name of the component. + * @param props - The props passed to the component. Will be filtered to a known list of props. + * @param additionalPayload - Additional data to send with the event. + * + * @example + * telemetry.record(eventPrebuiltComponentOpened('GoogleOneTap', props)); + */ +declare function eventPrebuiltComponentOpened(component: string, props?: Record, additionalPayload?: TelemetryEventRaw['payload']): TelemetryEventRaw; +/** + * Helper function for `telemetry.record()`. Create a consistent event object for when a component is mounted. Use `eventPrebuiltComponentMounted` for prebuilt components. + * + * **Caution:** Filter the `props` you pass to this function to avoid sending too much data. + * + * @param component - The name of the component. + * @param props - The props passed to the component. Ideally you only pass a handful of props here. + * + * @example + * telemetry.record(eventComponentMounted('SignUp', props)); + */ +declare function eventComponentMounted(component: string, props?: TelemetryEventRaw['payload']): TelemetryEventRaw; + +type EventMethodCalled = { + method: string; +} & Record; +/** + * Fired when a helper method is called from a Clerk SDK. + */ +declare function eventMethodCalled(method: string, payload?: Record): TelemetryEventRaw; + +type EventFrameworkMetadata = Record; +/** + * Fired when a helper method is called from a Clerk SDK. + */ +declare function eventFrameworkMetadata(payload: EventFrameworkMetadata): TelemetryEventRaw; + +export { TelemetryCollector, type TelemetryCollectorOptions, eventComponentMounted, eventFrameworkMetadata, eventMethodCalled, eventPrebuiltComponentMounted, eventPrebuiltComponentOpened }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.js new file mode 100644 index 000000000..936d4659b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.js @@ -0,0 +1,474 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __typeError = (msg) => { + throw TypeError(msg); +}; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); +var __accessCheck = (obj, member, msg) => member.has(obj) || __typeError("Cannot " + msg); +var __privateGet = (obj, member, getter) => (__accessCheck(obj, member, "read from private field"), getter ? getter.call(obj) : member.get(obj)); +var __privateAdd = (obj, member, value) => member.has(obj) ? __typeError("Cannot add the same private member more than once") : member instanceof WeakSet ? member.add(obj) : member.set(obj, value); +var __privateSet = (obj, member, value, setter) => (__accessCheck(obj, member, "write to private field"), setter ? setter.call(obj, value) : member.set(obj, value), value); +var __privateMethod = (obj, member, method) => (__accessCheck(obj, member, "access private method"), method); + +// src/telemetry.ts +var telemetry_exports = {}; +__export(telemetry_exports, { + TelemetryCollector: () => TelemetryCollector, + eventComponentMounted: () => eventComponentMounted, + eventFrameworkMetadata: () => eventFrameworkMetadata, + eventMethodCalled: () => eventMethodCalled, + eventPrebuiltComponentMounted: () => eventPrebuiltComponentMounted, + eventPrebuiltComponentOpened: () => eventPrebuiltComponentOpened +}); +module.exports = __toCommonJS(telemetry_exports); + +// src/isomorphicAtob.ts +var isomorphicAtob = (data) => { + if (typeof atob !== "undefined" && typeof atob === "function") { + return atob(data); + } else if (typeof global !== "undefined" && global.Buffer) { + return new global.Buffer(data, "base64").toString(); + } + return data; +}; + +// src/keys.ts +var PUBLISHABLE_KEY_LIVE_PREFIX = "pk_live_"; +var PUBLISHABLE_KEY_TEST_PREFIX = "pk_test_"; +function parsePublishableKey(key, options = {}) { + key = key || ""; + if (!key || !isPublishableKey(key)) { + if (options.fatal && !key) { + throw new Error( + "Publishable key is missing. Ensure that your publishable key is correctly configured. Double-check your environment configuration for your keys, or access them here: https://dashboard.clerk.com/last-active?path=api-keys" + ); + } + if (options.fatal && !isPublishableKey(key)) { + throw new Error("Publishable key not valid."); + } + return null; + } + const instanceType = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) ? "production" : "development"; + let frontendApi = isomorphicAtob(key.split("_")[2]); + frontendApi = frontendApi.slice(0, -1); + if (options.proxyUrl) { + frontendApi = options.proxyUrl; + } else if (instanceType !== "development" && options.domain) { + frontendApi = `clerk.${options.domain}`; + } + return { + instanceType, + frontendApi + }; +} +function isPublishableKey(key = "") { + try { + const hasValidPrefix = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) || key.startsWith(PUBLISHABLE_KEY_TEST_PREFIX); + const hasValidFrontendApiPostfix = isomorphicAtob(key.split("_")[2] || "").endsWith("$"); + return hasValidPrefix && hasValidFrontendApiPostfix; + } catch { + return false; + } +} + +// src/underscore.ts +function snakeToCamel(str) { + return str ? str.replace(/([-_][a-z])/g, (match) => match.toUpperCase().replace(/-|_/, "")) : ""; +} +function camelToSnake(str) { + return str ? str.replace(/[A-Z]/g, (letter) => `_${letter.toLowerCase()}`) : ""; +} +var createDeepObjectTransformer = (transform) => { + const deepTransform = (obj) => { + if (!obj) { + return obj; + } + if (Array.isArray(obj)) { + return obj.map((el) => { + if (typeof el === "object" || Array.isArray(el)) { + return deepTransform(el); + } + return el; + }); + } + const copy = { ...obj }; + const keys = Object.keys(copy); + for (const oldName of keys) { + const newName = transform(oldName.toString()); + if (newName !== oldName) { + copy[newName] = copy[oldName]; + delete copy[oldName]; + } + if (typeof copy[newName] === "object") { + copy[newName] = deepTransform(copy[newName]); + } + } + return copy; + }; + return deepTransform; +}; +var deepCamelToSnake = createDeepObjectTransformer(camelToSnake); +var deepSnakeToCamel = createDeepObjectTransformer(snakeToCamel); +function isTruthy(value) { + if (typeof value === `boolean`) { + return value; + } + if (value === void 0 || value === null) { + return false; + } + if (typeof value === `string`) { + if (value.toLowerCase() === `true`) { + return true; + } + if (value.toLowerCase() === `false`) { + return false; + } + } + const number = parseInt(value, 10); + if (isNaN(number)) { + return false; + } + if (number > 0) { + return true; + } + return false; +} + +// src/telemetry/throttler.ts +var DEFAULT_CACHE_TTL_MS = 864e5; +var _storageKey, _cacheTtl, _TelemetryEventThrottler_instances, generateKey_fn, cache_get, isValidBrowser_get; +var TelemetryEventThrottler = class { + constructor() { + __privateAdd(this, _TelemetryEventThrottler_instances); + __privateAdd(this, _storageKey, "clerk_telemetry_throttler"); + __privateAdd(this, _cacheTtl, DEFAULT_CACHE_TTL_MS); + } + isEventThrottled(payload) { + if (!__privateGet(this, _TelemetryEventThrottler_instances, isValidBrowser_get)) { + return false; + } + const now = Date.now(); + const key = __privateMethod(this, _TelemetryEventThrottler_instances, generateKey_fn).call(this, payload); + const entry = __privateGet(this, _TelemetryEventThrottler_instances, cache_get)?.[key]; + if (!entry) { + const updatedCache = { + ...__privateGet(this, _TelemetryEventThrottler_instances, cache_get), + [key]: now + }; + localStorage.setItem(__privateGet(this, _storageKey), JSON.stringify(updatedCache)); + } + const shouldInvalidate = entry && now - entry > __privateGet(this, _cacheTtl); + if (shouldInvalidate) { + const updatedCache = __privateGet(this, _TelemetryEventThrottler_instances, cache_get); + delete updatedCache[key]; + localStorage.setItem(__privateGet(this, _storageKey), JSON.stringify(updatedCache)); + } + return !!entry; + } +}; +_storageKey = new WeakMap(); +_cacheTtl = new WeakMap(); +_TelemetryEventThrottler_instances = new WeakSet(); +/** + * Generates a consistent unique key for telemetry events by sorting payload properties. + * This ensures that payloads with identical content in different orders produce the same key. + */ +generateKey_fn = function(event) { + const { sk: _sk, pk: _pk, payload, ...rest } = event; + const sanitizedEvent = { + ...payload, + ...rest + }; + return JSON.stringify( + Object.keys({ + ...payload, + ...rest + }).sort().map((key) => sanitizedEvent[key]) + ); +}; +cache_get = function() { + const cacheString = localStorage.getItem(__privateGet(this, _storageKey)); + if (!cacheString) { + return {}; + } + return JSON.parse(cacheString); +}; +isValidBrowser_get = function() { + if (typeof window === "undefined") { + return false; + } + const storage = window.localStorage; + if (!storage) { + return false; + } + try { + const testKey = "test"; + storage.setItem(testKey, testKey); + storage.removeItem(testKey); + return true; + } catch (err) { + const isQuotaExceededError = err instanceof DOMException && // Check error names for different browsers + (err.name === "QuotaExceededError" || err.name === "NS_ERROR_DOM_QUOTA_REACHED"); + if (isQuotaExceededError && storage.length > 0) { + storage.removeItem(__privateGet(this, _storageKey)); + } + return false; + } +}; + +// src/telemetry/collector.ts +var DEFAULT_CONFIG = { + samplingRate: 1, + maxBufferSize: 5, + // Production endpoint: https://clerk-telemetry.com + // Staging endpoint: https://staging.clerk-telemetry.com + // Local: http://localhost:8787 + endpoint: "https://clerk-telemetry.com" +}; +var _config, _eventThrottler, _metadata, _buffer, _pendingFlush, _TelemetryCollector_instances, shouldRecord_fn, shouldBeSampled_fn, scheduleFlush_fn, flush_fn, logEvent_fn, getSDKMetadata_fn, preparePayload_fn; +var TelemetryCollector = class { + constructor(options) { + __privateAdd(this, _TelemetryCollector_instances); + __privateAdd(this, _config); + __privateAdd(this, _eventThrottler); + __privateAdd(this, _metadata, {}); + __privateAdd(this, _buffer, []); + __privateAdd(this, _pendingFlush); + __privateSet(this, _config, { + maxBufferSize: options.maxBufferSize ?? DEFAULT_CONFIG.maxBufferSize, + samplingRate: options.samplingRate ?? DEFAULT_CONFIG.samplingRate, + disabled: options.disabled ?? false, + debug: options.debug ?? false, + endpoint: DEFAULT_CONFIG.endpoint + }); + if (!options.clerkVersion && typeof window === "undefined") { + __privateGet(this, _metadata).clerkVersion = ""; + } else { + __privateGet(this, _metadata).clerkVersion = options.clerkVersion ?? ""; + } + __privateGet(this, _metadata).sdk = options.sdk; + __privateGet(this, _metadata).sdkVersion = options.sdkVersion; + __privateGet(this, _metadata).publishableKey = options.publishableKey ?? ""; + const parsedKey = parsePublishableKey(options.publishableKey); + if (parsedKey) { + __privateGet(this, _metadata).instanceType = parsedKey.instanceType; + } + if (options.secretKey) { + __privateGet(this, _metadata).secretKey = options.secretKey.substring(0, 16); + } + __privateSet(this, _eventThrottler, new TelemetryEventThrottler()); + } + get isEnabled() { + if (__privateGet(this, _metadata).instanceType !== "development") { + return false; + } + if (__privateGet(this, _config).disabled || typeof process !== "undefined" && isTruthy(process.env.CLERK_TELEMETRY_DISABLED)) { + return false; + } + if (typeof window !== "undefined" && !!window?.navigator?.webdriver) { + return false; + } + return true; + } + get isDebug() { + return __privateGet(this, _config).debug || typeof process !== "undefined" && isTruthy(process.env.CLERK_TELEMETRY_DEBUG); + } + record(event) { + const preparedPayload = __privateMethod(this, _TelemetryCollector_instances, preparePayload_fn).call(this, event.event, event.payload); + __privateMethod(this, _TelemetryCollector_instances, logEvent_fn).call(this, preparedPayload.event, preparedPayload); + if (!__privateMethod(this, _TelemetryCollector_instances, shouldRecord_fn).call(this, preparedPayload, event.eventSamplingRate)) { + return; + } + __privateGet(this, _buffer).push(preparedPayload); + __privateMethod(this, _TelemetryCollector_instances, scheduleFlush_fn).call(this); + } +}; +_config = new WeakMap(); +_eventThrottler = new WeakMap(); +_metadata = new WeakMap(); +_buffer = new WeakMap(); +_pendingFlush = new WeakMap(); +_TelemetryCollector_instances = new WeakSet(); +shouldRecord_fn = function(preparedPayload, eventSamplingRate) { + return this.isEnabled && !this.isDebug && __privateMethod(this, _TelemetryCollector_instances, shouldBeSampled_fn).call(this, preparedPayload, eventSamplingRate); +}; +shouldBeSampled_fn = function(preparedPayload, eventSamplingRate) { + const randomSeed = Math.random(); + const toBeSampled = randomSeed <= __privateGet(this, _config).samplingRate && (typeof eventSamplingRate === "undefined" || randomSeed <= eventSamplingRate); + if (!toBeSampled) { + return false; + } + return !__privateGet(this, _eventThrottler).isEventThrottled(preparedPayload); +}; +scheduleFlush_fn = function() { + if (typeof window === "undefined") { + __privateMethod(this, _TelemetryCollector_instances, flush_fn).call(this); + return; + } + const isBufferFull = __privateGet(this, _buffer).length >= __privateGet(this, _config).maxBufferSize; + if (isBufferFull) { + if (__privateGet(this, _pendingFlush)) { + const cancel = typeof cancelIdleCallback !== "undefined" ? cancelIdleCallback : clearTimeout; + cancel(__privateGet(this, _pendingFlush)); + } + __privateMethod(this, _TelemetryCollector_instances, flush_fn).call(this); + return; + } + if (__privateGet(this, _pendingFlush)) { + return; + } + if ("requestIdleCallback" in window) { + __privateSet(this, _pendingFlush, requestIdleCallback(() => { + __privateMethod(this, _TelemetryCollector_instances, flush_fn).call(this); + })); + } else { + __privateSet(this, _pendingFlush, setTimeout(() => { + __privateMethod(this, _TelemetryCollector_instances, flush_fn).call(this); + }, 0)); + } +}; +flush_fn = function() { + fetch(new URL("/v1/event", __privateGet(this, _config).endpoint), { + method: "POST", + // TODO: We send an array here with that idea that we can eventually send multiple events. + body: JSON.stringify({ + events: __privateGet(this, _buffer) + }), + headers: { + "Content-Type": "application/json" + } + }).catch(() => void 0).then(() => { + __privateSet(this, _buffer, []); + }).catch(() => void 0); +}; +/** + * If running in debug mode, log the event and its payload to the console. + */ +logEvent_fn = function(event, payload) { + if (!this.isDebug) { + return; + } + if (typeof console.groupCollapsed !== "undefined") { + console.groupCollapsed("[clerk/telemetry]", event); + console.log(payload); + console.groupEnd(); + } else { + console.log("[clerk/telemetry]", event, payload); + } +}; +/** + * If in browser, attempt to lazily grab the SDK metadata from the Clerk singleton, otherwise fallback to the initially passed in values. + * + * This is necessary because the sdkMetadata can be set by the host SDK after the TelemetryCollector is instantiated. + */ +getSDKMetadata_fn = function() { + let sdkMetadata = { + name: __privateGet(this, _metadata).sdk, + version: __privateGet(this, _metadata).sdkVersion + }; + if (typeof window !== "undefined" && window.Clerk) { + sdkMetadata = { ...sdkMetadata, ...window.Clerk.constructor.sdkMetadata }; + } + return sdkMetadata; +}; +/** + * Append relevant metadata from the Clerk singleton to the event payload. + */ +preparePayload_fn = function(event, payload) { + const sdkMetadata = __privateMethod(this, _TelemetryCollector_instances, getSDKMetadata_fn).call(this); + return { + event, + cv: __privateGet(this, _metadata).clerkVersion ?? "", + it: __privateGet(this, _metadata).instanceType ?? "", + sdk: sdkMetadata.name, + sdkv: sdkMetadata.version, + ...__privateGet(this, _metadata).publishableKey ? { pk: __privateGet(this, _metadata).publishableKey } : {}, + ...__privateGet(this, _metadata).secretKey ? { sk: __privateGet(this, _metadata).secretKey } : {}, + payload + }; +}; + +// src/telemetry/events/component-mounted.ts +var EVENT_COMPONENT_MOUNTED = "COMPONENT_MOUNTED"; +var EVENT_COMPONENT_OPENED = "COMPONENT_OPENED"; +var EVENT_SAMPLING_RATE = 0.1; +function createPrebuiltComponentEvent(event) { + return function(component, props, additionalPayload) { + return { + event, + eventSamplingRate: EVENT_SAMPLING_RATE, + payload: { + component, + appearanceProp: Boolean(props?.appearance), + baseTheme: Boolean(props?.appearance?.baseTheme), + elements: Boolean(props?.appearance?.elements), + variables: Boolean(props?.appearance?.variables), + ...additionalPayload + } + }; + }; +} +function eventPrebuiltComponentMounted(component, props, additionalPayload) { + return createPrebuiltComponentEvent(EVENT_COMPONENT_MOUNTED)(component, props, additionalPayload); +} +function eventPrebuiltComponentOpened(component, props, additionalPayload) { + return createPrebuiltComponentEvent(EVENT_COMPONENT_OPENED)(component, props, additionalPayload); +} +function eventComponentMounted(component, props = {}) { + return { + event: EVENT_COMPONENT_MOUNTED, + eventSamplingRate: EVENT_SAMPLING_RATE, + payload: { + component, + ...props + } + }; +} + +// src/telemetry/events/method-called.ts +var EVENT_METHOD_CALLED = "METHOD_CALLED"; +function eventMethodCalled(method, payload) { + return { + event: EVENT_METHOD_CALLED, + payload: { + method, + ...payload + } + }; +} + +// src/telemetry/events/framework-metadata.ts +var EVENT_FRAMEWORK_METADATA = "FRAMEWORK_METADATA"; +var EVENT_SAMPLING_RATE2 = 0.1; +function eventFrameworkMetadata(payload) { + return { + event: EVENT_FRAMEWORK_METADATA, + eventSamplingRate: EVENT_SAMPLING_RATE2, + payload + }; +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + TelemetryCollector, + eventComponentMounted, + eventFrameworkMetadata, + eventMethodCalled, + eventPrebuiltComponentMounted, + eventPrebuiltComponentOpened +}); +//# sourceMappingURL=telemetry.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.js.map new file mode 100644 index 000000000..ec65d86cd --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/telemetry.ts","../src/isomorphicAtob.ts","../src/keys.ts","../src/underscore.ts","../src/telemetry/throttler.ts","../src/telemetry/collector.ts","../src/telemetry/events/component-mounted.ts","../src/telemetry/events/method-called.ts","../src/telemetry/events/framework-metadata.ts"],"sourcesContent":["export { TelemetryCollector } from './telemetry/collector';\nexport type { TelemetryCollectorOptions } from './telemetry/types';\n\nexport * from './telemetry/events';\n","/**\n * A function that decodes a string of data which has been encoded using base-64 encoding.\n * Uses `atob` if available, otherwise uses `Buffer` from `global`. If neither are available, returns the data as-is.\n */\nexport const isomorphicAtob = (data: string) => {\n if (typeof atob !== 'undefined' && typeof atob === 'function') {\n return atob(data);\n } else if (typeof global !== 'undefined' && global.Buffer) {\n return new global.Buffer(data, 'base64').toString();\n }\n return data;\n};\n","import type { PublishableKey } from '@clerk/types';\n\nimport { DEV_OR_STAGING_SUFFIXES, LEGACY_DEV_INSTANCE_SUFFIXES } from './constants';\nimport { isomorphicAtob } from './isomorphicAtob';\nimport { isomorphicBtoa } from './isomorphicBtoa';\n\ntype ParsePublishableKeyOptions = {\n fatal?: boolean;\n domain?: string;\n proxyUrl?: string;\n};\n\nconst PUBLISHABLE_KEY_LIVE_PREFIX = 'pk_live_';\nconst PUBLISHABLE_KEY_TEST_PREFIX = 'pk_test_';\n\n// This regex matches the publishable like frontend API keys (e.g. foo-bar-13.clerk.accounts.dev)\nconst PUBLISHABLE_FRONTEND_API_DEV_REGEX = /^(([a-z]+)-){2}([0-9]{1,2})\\.clerk\\.accounts([a-z.]*)(dev|com)$/i;\n\nexport function buildPublishableKey(frontendApi: string): string {\n const isDevKey =\n PUBLISHABLE_FRONTEND_API_DEV_REGEX.test(frontendApi) ||\n (frontendApi.startsWith('clerk.') && LEGACY_DEV_INSTANCE_SUFFIXES.some(s => frontendApi.endsWith(s)));\n const keyPrefix = isDevKey ? PUBLISHABLE_KEY_TEST_PREFIX : PUBLISHABLE_KEY_LIVE_PREFIX;\n return `${keyPrefix}${isomorphicBtoa(`${frontendApi}$`)}`;\n}\n\nexport function parsePublishableKey(\n key: string | undefined,\n options: ParsePublishableKeyOptions & { fatal: true },\n): PublishableKey;\nexport function parsePublishableKey(\n key: string | undefined,\n options?: ParsePublishableKeyOptions,\n): PublishableKey | null;\nexport function parsePublishableKey(\n key: string | undefined,\n options: { fatal?: boolean; domain?: string; proxyUrl?: string } = {},\n): PublishableKey | null {\n key = key || '';\n\n if (!key || !isPublishableKey(key)) {\n if (options.fatal && !key) {\n throw new Error(\n 'Publishable key is missing. Ensure that your publishable key is correctly configured. Double-check your environment configuration for your keys, or access them here: https://dashboard.clerk.com/last-active?path=api-keys',\n );\n }\n if (options.fatal && !isPublishableKey(key)) {\n throw new Error('Publishable key not valid.');\n }\n return null;\n }\n\n const instanceType = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) ? 'production' : 'development';\n\n let frontendApi = isomorphicAtob(key.split('_')[2]);\n\n // TODO(@dimkl): validate packages/clerk-js/src/utils/instance.ts\n frontendApi = frontendApi.slice(0, -1);\n\n if (options.proxyUrl) {\n frontendApi = options.proxyUrl;\n } else if (instanceType !== 'development' && options.domain) {\n frontendApi = `clerk.${options.domain}`;\n }\n\n return {\n instanceType,\n frontendApi,\n };\n}\n\n/**\n * Checks if the provided key is a valid publishable key.\n *\n * @param key - The key to be checked. Defaults to an empty string if not provided.\n * @returns `true` if 'key' is a valid publishable key, `false` otherwise.\n */\nexport function isPublishableKey(key: string = '') {\n try {\n const hasValidPrefix = key.startsWith(PUBLISHABLE_KEY_LIVE_PREFIX) || key.startsWith(PUBLISHABLE_KEY_TEST_PREFIX);\n\n const hasValidFrontendApiPostfix = isomorphicAtob(key.split('_')[2] || '').endsWith('$');\n\n return hasValidPrefix && hasValidFrontendApiPostfix;\n } catch {\n return false;\n }\n}\n\nexport function createDevOrStagingUrlCache() {\n const devOrStagingUrlCache = new Map();\n\n return {\n isDevOrStagingUrl: (url: string | URL): boolean => {\n if (!url) {\n return false;\n }\n\n const hostname = typeof url === 'string' ? url : url.hostname;\n let res = devOrStagingUrlCache.get(hostname);\n if (res === undefined) {\n res = DEV_OR_STAGING_SUFFIXES.some(s => hostname.endsWith(s));\n devOrStagingUrlCache.set(hostname, res);\n }\n return res;\n },\n };\n}\n\nexport function isDevelopmentFromPublishableKey(apiKey: string): boolean {\n return apiKey.startsWith('test_') || apiKey.startsWith('pk_test_');\n}\n\nexport function isProductionFromPublishableKey(apiKey: string): boolean {\n return apiKey.startsWith('live_') || apiKey.startsWith('pk_live_');\n}\n\nexport function isDevelopmentFromSecretKey(apiKey: string): boolean {\n return apiKey.startsWith('test_') || apiKey.startsWith('sk_test_');\n}\n\nexport function isProductionFromSecretKey(apiKey: string): boolean {\n return apiKey.startsWith('live_') || apiKey.startsWith('sk_live_');\n}\n\nexport async function getCookieSuffix(\n publishableKey: string,\n subtle: SubtleCrypto = globalThis.crypto.subtle,\n): Promise {\n const data = new TextEncoder().encode(publishableKey);\n const digest = await subtle.digest('sha-1', data);\n const stringDigest = String.fromCharCode(...new Uint8Array(digest));\n // Base 64 Encoding with URL and Filename Safe Alphabet: https://datatracker.ietf.org/doc/html/rfc4648#section-5\n return isomorphicBtoa(stringDigest).replace(/\\+/gi, '-').replace(/\\//gi, '_').substring(0, 8);\n}\n\nexport const getSuffixedCookieName = (cookieName: string, cookieSuffix: string): string => {\n return `${cookieName}_${cookieSuffix}`;\n};\n","/**\n * Converts an array of strings to a comma-separated sentence\n * @param items {Array}\n * @returns {string} Returns a string with the items joined by a comma and the last item joined by \", or\"\n */\nexport const toSentence = (items: string[]): string => {\n // TODO: Once Safari supports it, use Intl.ListFormat\n if (items.length == 0) {\n return '';\n }\n if (items.length == 1) {\n return items[0];\n }\n let sentence = items.slice(0, -1).join(', ');\n sentence += `, or ${items.slice(-1)}`;\n return sentence;\n};\n\nconst IP_V4_ADDRESS_REGEX =\n /^(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$/;\n\nexport function isIPV4Address(str: string | undefined | null): boolean {\n return IP_V4_ADDRESS_REGEX.test(str || '');\n}\n\nexport function titleize(str: string | undefined | null): string {\n const s = str || '';\n return s.charAt(0).toUpperCase() + s.slice(1);\n}\n\nexport function snakeToCamel(str: string | undefined): string {\n return str ? str.replace(/([-_][a-z])/g, match => match.toUpperCase().replace(/-|_/, '')) : '';\n}\n\nexport function camelToSnake(str: string | undefined): string {\n return str ? str.replace(/[A-Z]/g, letter => `_${letter.toLowerCase()}`) : '';\n}\n\nconst createDeepObjectTransformer = (transform: any) => {\n const deepTransform = (obj: any): any => {\n if (!obj) {\n return obj;\n }\n\n if (Array.isArray(obj)) {\n return obj.map(el => {\n if (typeof el === 'object' || Array.isArray(el)) {\n return deepTransform(el);\n }\n return el;\n });\n }\n\n const copy = { ...obj };\n const keys = Object.keys(copy);\n for (const oldName of keys) {\n const newName = transform(oldName.toString());\n if (newName !== oldName) {\n copy[newName] = copy[oldName];\n delete copy[oldName];\n }\n if (typeof copy[newName] === 'object') {\n copy[newName] = deepTransform(copy[newName]);\n }\n }\n return copy;\n };\n\n return deepTransform;\n};\n\n/**\n * Transforms camelCased objects/ arrays to snake_cased.\n * This function recursively traverses all objects and arrays of the passed value\n * camelCased keys are removed.\n */\nexport const deepCamelToSnake = createDeepObjectTransformer(camelToSnake);\n\n/**\n * Transforms snake_cased objects/ arrays to camelCased.\n * This function recursively traverses all objects and arrays of the passed value\n * camelCased keys are removed.\n */\nexport const deepSnakeToCamel = createDeepObjectTransformer(snakeToCamel);\n\n/**\n * Returns true for `true`, true, positive numbers.\n * Returns false for `false`, false, 0, negative integers and anything else.\n */\nexport function isTruthy(value: unknown): boolean {\n // Return if Boolean\n if (typeof value === `boolean`) {\n return value;\n }\n\n // Return false if null or undefined\n if (value === undefined || value === null) {\n return false;\n }\n\n // If the String is true or false\n if (typeof value === `string`) {\n if (value.toLowerCase() === `true`) {\n return true;\n }\n\n if (value.toLowerCase() === `false`) {\n return false;\n }\n }\n\n // Now check if it's a number\n const number = parseInt(value as string, 10);\n if (isNaN(number)) {\n return false;\n }\n\n if (number > 0) {\n return true;\n }\n\n // Default to false\n return false;\n}\n\nexport function getNonUndefinedValues(obj: T): Partial {\n return Object.entries(obj).reduce((acc, [key, value]) => {\n if (value !== undefined) {\n acc[key as keyof T] = value;\n }\n return acc;\n }, {} as Partial);\n}\n","import type { TelemetryEvent } from '@clerk/types';\n\ntype TtlInMilliseconds = number;\n\nconst DEFAULT_CACHE_TTL_MS = 86400000; // 24 hours\n\n/**\n * Manages throttling for telemetry events using the browser's localStorage to\n * mitigate event flooding in frequently executed code paths.\n */\nexport class TelemetryEventThrottler {\n #storageKey = 'clerk_telemetry_throttler';\n #cacheTtl = DEFAULT_CACHE_TTL_MS;\n\n isEventThrottled(payload: TelemetryEvent): boolean {\n if (!this.#isValidBrowser) {\n return false;\n }\n\n const now = Date.now();\n const key = this.#generateKey(payload);\n const entry = this.#cache?.[key];\n\n if (!entry) {\n const updatedCache = {\n ...this.#cache,\n [key]: now,\n };\n\n localStorage.setItem(this.#storageKey, JSON.stringify(updatedCache));\n }\n\n const shouldInvalidate = entry && now - entry > this.#cacheTtl;\n if (shouldInvalidate) {\n const updatedCache = this.#cache;\n delete updatedCache[key];\n\n localStorage.setItem(this.#storageKey, JSON.stringify(updatedCache));\n }\n\n return !!entry;\n }\n\n /**\n * Generates a consistent unique key for telemetry events by sorting payload properties.\n * This ensures that payloads with identical content in different orders produce the same key.\n */\n #generateKey(event: TelemetryEvent): string {\n const { sk: _sk, pk: _pk, payload, ...rest } = event;\n\n const sanitizedEvent: Omit & TelemetryEvent['payload'] = {\n ...payload,\n ...rest,\n };\n\n return JSON.stringify(\n Object.keys({\n ...payload,\n ...rest,\n })\n .sort()\n .map(key => sanitizedEvent[key]),\n );\n }\n\n get #cache(): Record | undefined {\n const cacheString = localStorage.getItem(this.#storageKey);\n\n if (!cacheString) {\n return {};\n }\n\n return JSON.parse(cacheString);\n }\n\n /**\n * Checks if the browser's localStorage is supported and writable.\n *\n * If any of these operations fail, it indicates that localStorage is either\n * not supported or not writable (e.g., in cases where the storage is full or\n * the browser is in a privacy mode that restricts localStorage usage).\n */\n get #isValidBrowser(): boolean {\n if (typeof window === 'undefined') {\n return false;\n }\n\n const storage = window.localStorage;\n if (!storage) {\n return false;\n }\n\n try {\n const testKey = 'test';\n storage.setItem(testKey, testKey);\n storage.removeItem(testKey);\n\n return true;\n } catch (err: unknown) {\n const isQuotaExceededError =\n err instanceof DOMException &&\n // Check error names for different browsers\n (err.name === 'QuotaExceededError' || err.name === 'NS_ERROR_DOM_QUOTA_REACHED');\n\n if (isQuotaExceededError && storage.length > 0) {\n storage.removeItem(this.#storageKey);\n }\n\n return false;\n }\n }\n}\n","/**\n * The `TelemetryCollector` class handles collection of telemetry events from Clerk SDKs. Telemetry is opt-out and can be disabled by setting a CLERK_TELEMETRY_DISABLED environment variable.\n * The `ClerkProvider` also accepts a `telemetry` prop that will be passed to the collector during initialization:\n *\n * ```jsx\n * \n * ...\n * \n * ```\n *\n * For more information, please see the telemetry documentation page: https://clerk.com/docs/telemetry\n */\nimport type {\n InstanceType,\n TelemetryCollector as TelemetryCollectorInterface,\n TelemetryEvent,\n TelemetryEventRaw,\n} from '@clerk/types';\n\nimport { parsePublishableKey } from '../keys';\nimport { isTruthy } from '../underscore';\nimport { TelemetryEventThrottler } from './throttler';\nimport type { TelemetryCollectorOptions } from './types';\n\ntype TelemetryCollectorConfig = Pick<\n TelemetryCollectorOptions,\n 'samplingRate' | 'disabled' | 'debug' | 'maxBufferSize'\n> & {\n endpoint: string;\n};\n\ntype TelemetryMetadata = Required<\n Pick\n> & {\n /**\n * The instance type, derived from the provided publishableKey.\n */\n instanceType: InstanceType;\n};\n\nconst DEFAULT_CONFIG: Partial = {\n samplingRate: 1,\n maxBufferSize: 5,\n // Production endpoint: https://clerk-telemetry.com\n // Staging endpoint: https://staging.clerk-telemetry.com\n // Local: http://localhost:8787\n endpoint: 'https://clerk-telemetry.com',\n};\n\nexport class TelemetryCollector implements TelemetryCollectorInterface {\n #config: Required;\n #eventThrottler: TelemetryEventThrottler;\n #metadata: TelemetryMetadata = {} as TelemetryMetadata;\n #buffer: TelemetryEvent[] = [];\n #pendingFlush: any;\n\n constructor(options: TelemetryCollectorOptions) {\n this.#config = {\n maxBufferSize: options.maxBufferSize ?? DEFAULT_CONFIG.maxBufferSize,\n samplingRate: options.samplingRate ?? DEFAULT_CONFIG.samplingRate,\n disabled: options.disabled ?? false,\n debug: options.debug ?? false,\n endpoint: DEFAULT_CONFIG.endpoint,\n } as Required;\n\n if (!options.clerkVersion && typeof window === 'undefined') {\n // N/A in a server environment\n this.#metadata.clerkVersion = '';\n } else {\n this.#metadata.clerkVersion = options.clerkVersion ?? '';\n }\n\n // We will try to grab the SDK data lazily when an event is triggered, so it should always be defined once the event is sent.\n this.#metadata.sdk = options.sdk!;\n this.#metadata.sdkVersion = options.sdkVersion!;\n\n this.#metadata.publishableKey = options.publishableKey ?? '';\n\n const parsedKey = parsePublishableKey(options.publishableKey);\n if (parsedKey) {\n this.#metadata.instanceType = parsedKey.instanceType;\n }\n\n if (options.secretKey) {\n // Only send the first 16 characters of the secret key to to avoid sending the full key. We can still query against the partial key.\n this.#metadata.secretKey = options.secretKey.substring(0, 16);\n }\n\n this.#eventThrottler = new TelemetryEventThrottler();\n }\n\n get isEnabled(): boolean {\n if (this.#metadata.instanceType !== 'development') {\n return false;\n }\n\n // In browser or client environments, we most likely pass the disabled option to the collector, but in environments\n // where environment variables are available we also check for `CLERK_TELEMETRY_DISABLED`.\n if (this.#config.disabled || (typeof process !== 'undefined' && isTruthy(process.env.CLERK_TELEMETRY_DISABLED))) {\n return false;\n }\n\n // navigator.webdriver is a property generally set by headless browsers that are running in an automated testing environment.\n // Data from these environments is not meaningful for us and has the potential to produce a large volume of events, so we disable\n // collection in this case. (ref: https://developer.mozilla.org/en-US/docs/Web/API/Navigator/webdriver)\n if (typeof window !== 'undefined' && !!window?.navigator?.webdriver) {\n return false;\n }\n\n return true;\n }\n\n get isDebug(): boolean {\n return this.#config.debug || (typeof process !== 'undefined' && isTruthy(process.env.CLERK_TELEMETRY_DEBUG));\n }\n\n record(event: TelemetryEventRaw): void {\n const preparedPayload = this.#preparePayload(event.event, event.payload);\n\n this.#logEvent(preparedPayload.event, preparedPayload);\n\n if (!this.#shouldRecord(preparedPayload, event.eventSamplingRate)) {\n return;\n }\n\n this.#buffer.push(preparedPayload);\n\n this.#scheduleFlush();\n }\n\n #shouldRecord(preparedPayload: TelemetryEvent, eventSamplingRate?: number) {\n return this.isEnabled && !this.isDebug && this.#shouldBeSampled(preparedPayload, eventSamplingRate);\n }\n\n #shouldBeSampled(preparedPayload: TelemetryEvent, eventSamplingRate?: number) {\n const randomSeed = Math.random();\n\n const toBeSampled =\n randomSeed <= this.#config.samplingRate &&\n (typeof eventSamplingRate === 'undefined' || randomSeed <= eventSamplingRate);\n\n if (!toBeSampled) {\n return false;\n }\n\n return !this.#eventThrottler.isEventThrottled(preparedPayload);\n }\n\n #scheduleFlush(): void {\n // On the server, we want to flush immediately as we have less guarantees about the lifecycle of the process\n if (typeof window === 'undefined') {\n this.#flush();\n return;\n }\n\n const isBufferFull = this.#buffer.length >= this.#config.maxBufferSize;\n if (isBufferFull) {\n // If the buffer is full, flush immediately to make sure we minimize the chance of event loss.\n // Cancel any pending flushes as we're going to flush immediately\n if (this.#pendingFlush) {\n const cancel = typeof cancelIdleCallback !== 'undefined' ? cancelIdleCallback : clearTimeout;\n cancel(this.#pendingFlush);\n }\n this.#flush();\n return;\n }\n\n // If we have a pending flush, do nothing\n if (this.#pendingFlush) {\n return;\n }\n\n if ('requestIdleCallback' in window) {\n this.#pendingFlush = requestIdleCallback(() => {\n this.#flush();\n });\n } else {\n // This is not an ideal solution, but it at least waits until the next tick\n this.#pendingFlush = setTimeout(() => {\n this.#flush();\n }, 0);\n }\n }\n\n #flush(): void {\n fetch(new URL('/v1/event', this.#config.endpoint), {\n method: 'POST',\n // TODO: We send an array here with that idea that we can eventually send multiple events.\n body: JSON.stringify({\n events: this.#buffer,\n }),\n headers: {\n 'Content-Type': 'application/json',\n },\n })\n .catch(() => void 0)\n .then(() => {\n this.#buffer = [];\n })\n .catch(() => void 0);\n }\n\n /**\n * If running in debug mode, log the event and its payload to the console.\n */\n #logEvent(event: TelemetryEvent['event'], payload: Record) {\n if (!this.isDebug) {\n return;\n }\n\n if (typeof console.groupCollapsed !== 'undefined') {\n console.groupCollapsed('[clerk/telemetry]', event);\n console.log(payload);\n console.groupEnd();\n } else {\n console.log('[clerk/telemetry]', event, payload);\n }\n }\n\n /**\n * If in browser, attempt to lazily grab the SDK metadata from the Clerk singleton, otherwise fallback to the initially passed in values.\n *\n * This is necessary because the sdkMetadata can be set by the host SDK after the TelemetryCollector is instantiated.\n */\n #getSDKMetadata() {\n let sdkMetadata = {\n name: this.#metadata.sdk,\n version: this.#metadata.sdkVersion,\n };\n\n // @ts-expect-error -- The global window.Clerk type is declared in clerk-js, but we can't rely on that here\n if (typeof window !== 'undefined' && window.Clerk) {\n // @ts-expect-error -- The global window.Clerk type is declared in clerk-js, but we can't rely on that here\n sdkMetadata = { ...sdkMetadata, ...window.Clerk.constructor.sdkMetadata };\n }\n\n return sdkMetadata;\n }\n\n /**\n * Append relevant metadata from the Clerk singleton to the event payload.\n */\n #preparePayload(event: TelemetryEvent['event'], payload: TelemetryEvent['payload']): TelemetryEvent {\n const sdkMetadata = this.#getSDKMetadata();\n\n return {\n event,\n cv: this.#metadata.clerkVersion ?? '',\n it: this.#metadata.instanceType ?? '',\n sdk: sdkMetadata.name,\n sdkv: sdkMetadata.version,\n ...(this.#metadata.publishableKey ? { pk: this.#metadata.publishableKey } : {}),\n ...(this.#metadata.secretKey ? { sk: this.#metadata.secretKey } : {}),\n payload,\n };\n }\n}\n","import type { TelemetryEventRaw } from '@clerk/types';\n\nconst EVENT_COMPONENT_MOUNTED = 'COMPONENT_MOUNTED';\nconst EVENT_COMPONENT_OPENED = 'COMPONENT_OPENED';\nconst EVENT_SAMPLING_RATE = 0.1;\n\ntype ComponentMountedBase = {\n component: string;\n};\n\ntype EventPrebuiltComponent = ComponentMountedBase & {\n appearanceProp: boolean;\n elements: boolean;\n variables: boolean;\n baseTheme: boolean;\n};\n\ntype EventComponentMounted = ComponentMountedBase & TelemetryEventRaw['payload'];\n\nfunction createPrebuiltComponentEvent(event: typeof EVENT_COMPONENT_MOUNTED | typeof EVENT_COMPONENT_OPENED) {\n return function (\n component: string,\n props?: Record,\n additionalPayload?: TelemetryEventRaw['payload'],\n ): TelemetryEventRaw {\n return {\n event,\n eventSamplingRate: EVENT_SAMPLING_RATE,\n payload: {\n component,\n appearanceProp: Boolean(props?.appearance),\n baseTheme: Boolean(props?.appearance?.baseTheme),\n elements: Boolean(props?.appearance?.elements),\n variables: Boolean(props?.appearance?.variables),\n ...additionalPayload,\n },\n };\n };\n}\n\n/**\n * Helper function for `telemetry.record()`. Create a consistent event object for when a prebuilt (AIO) component is mounted.\n *\n * @param component - The name of the component.\n * @param props - The props passed to the component. Will be filtered to a known list of props.\n * @param additionalPayload - Additional data to send with the event.\n *\n * @example\n * telemetry.record(eventPrebuiltComponentMounted('SignUp', props));\n */\nexport function eventPrebuiltComponentMounted(\n component: string,\n props?: Record,\n additionalPayload?: TelemetryEventRaw['payload'],\n): TelemetryEventRaw {\n return createPrebuiltComponentEvent(EVENT_COMPONENT_MOUNTED)(component, props, additionalPayload);\n}\n\n/**\n * Helper function for `telemetry.record()`. Create a consistent event object for when a prebuilt (AIO) component is opened as a modal.\n *\n * @param component - The name of the component.\n * @param props - The props passed to the component. Will be filtered to a known list of props.\n * @param additionalPayload - Additional data to send with the event.\n *\n * @example\n * telemetry.record(eventPrebuiltComponentOpened('GoogleOneTap', props));\n */\nexport function eventPrebuiltComponentOpened(\n component: string,\n props?: Record,\n additionalPayload?: TelemetryEventRaw['payload'],\n): TelemetryEventRaw {\n return createPrebuiltComponentEvent(EVENT_COMPONENT_OPENED)(component, props, additionalPayload);\n}\n\n/**\n * Helper function for `telemetry.record()`. Create a consistent event object for when a component is mounted. Use `eventPrebuiltComponentMounted` for prebuilt components.\n *\n * **Caution:** Filter the `props` you pass to this function to avoid sending too much data.\n *\n * @param component - The name of the component.\n * @param props - The props passed to the component. Ideally you only pass a handful of props here.\n *\n * @example\n * telemetry.record(eventComponentMounted('SignUp', props));\n */\nexport function eventComponentMounted(\n component: string,\n props: TelemetryEventRaw['payload'] = {},\n): TelemetryEventRaw {\n return {\n event: EVENT_COMPONENT_MOUNTED,\n eventSamplingRate: EVENT_SAMPLING_RATE,\n payload: {\n component,\n ...props,\n },\n };\n}\n","import type { TelemetryEventRaw } from '@clerk/types';\n\nconst EVENT_METHOD_CALLED = 'METHOD_CALLED';\n\ntype EventMethodCalled = {\n method: string;\n} & Record;\n\n/**\n * Fired when a helper method is called from a Clerk SDK.\n */\nexport function eventMethodCalled(\n method: string,\n payload?: Record,\n): TelemetryEventRaw {\n return {\n event: EVENT_METHOD_CALLED,\n payload: {\n method,\n ...payload,\n },\n };\n}\n","import type { TelemetryEventRaw } from '@clerk/types';\n\nconst EVENT_FRAMEWORK_METADATA = 'FRAMEWORK_METADATA';\nconst EVENT_SAMPLING_RATE = 0.1;\n\ntype EventFrameworkMetadata = Record;\n\n/**\n * Fired when a helper method is called from a Clerk SDK.\n */\nexport function eventFrameworkMetadata(payload: EventFrameworkMetadata): TelemetryEventRaw {\n return {\n event: EVENT_FRAMEWORK_METADATA,\n eventSamplingRate: EVENT_SAMPLING_RATE,\n payload,\n };\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACIO,IAAM,iBAAiB,CAAC,SAAiB;AAC9C,MAAI,OAAO,SAAS,eAAe,OAAO,SAAS,YAAY;AAC7D,WAAO,KAAK,IAAI;AAAA,EAClB,WAAW,OAAO,WAAW,eAAe,OAAO,QAAQ;AACzD,WAAO,IAAI,OAAO,OAAO,MAAM,QAAQ,EAAE,SAAS;AAAA,EACpD;AACA,SAAO;AACT;;;ACCA,IAAM,8BAA8B;AACpC,IAAM,8BAA8B;AAqB7B,SAAS,oBACd,KACA,UAAmE,CAAC,GAC7C;AACvB,QAAM,OAAO;AAEb,MAAI,CAAC,OAAO,CAAC,iBAAiB,GAAG,GAAG;AAClC,QAAI,QAAQ,SAAS,CAAC,KAAK;AACzB,YAAM,IAAI;AAAA,QACR;AAAA,MACF;AAAA,IACF;AACA,QAAI,QAAQ,SAAS,CAAC,iBAAiB,GAAG,GAAG;AAC3C,YAAM,IAAI,MAAM,4BAA4B;AAAA,IAC9C;AACA,WAAO;AAAA,EACT;AAEA,QAAM,eAAe,IAAI,WAAW,2BAA2B,IAAI,eAAe;AAElF,MAAI,cAAc,eAAe,IAAI,MAAM,GAAG,EAAE,CAAC,CAAC;AAGlD,gBAAc,YAAY,MAAM,GAAG,EAAE;AAErC,MAAI,QAAQ,UAAU;AACpB,kBAAc,QAAQ;AAAA,EACxB,WAAW,iBAAiB,iBAAiB,QAAQ,QAAQ;AAC3D,kBAAc,SAAS,QAAQ,MAAM;AAAA,EACvC;AAEA,SAAO;AAAA,IACL;AAAA,IACA;AAAA,EACF;AACF;AAQO,SAAS,iBAAiB,MAAc,IAAI;AACjD,MAAI;AACF,UAAM,iBAAiB,IAAI,WAAW,2BAA2B,KAAK,IAAI,WAAW,2BAA2B;AAEhH,UAAM,6BAA6B,eAAe,IAAI,MAAM,GAAG,EAAE,CAAC,KAAK,EAAE,EAAE,SAAS,GAAG;AAEvF,WAAO,kBAAkB;AAAA,EAC3B,QAAQ;AACN,WAAO;AAAA,EACT;AACF;;;ACzDO,SAAS,aAAa,KAAiC;AAC5D,SAAO,MAAM,IAAI,QAAQ,gBAAgB,WAAS,MAAM,YAAY,EAAE,QAAQ,OAAO,EAAE,CAAC,IAAI;AAC9F;AAEO,SAAS,aAAa,KAAiC;AAC5D,SAAO,MAAM,IAAI,QAAQ,UAAU,YAAU,IAAI,OAAO,YAAY,CAAC,EAAE,IAAI;AAC7E;AAEA,IAAM,8BAA8B,CAAC,cAAmB;AACtD,QAAM,gBAAgB,CAAC,QAAkB;AACvC,QAAI,CAAC,KAAK;AACR,aAAO;AAAA,IACT;AAEA,QAAI,MAAM,QAAQ,GAAG,GAAG;AACtB,aAAO,IAAI,IAAI,QAAM;AACnB,YAAI,OAAO,OAAO,YAAY,MAAM,QAAQ,EAAE,GAAG;AAC/C,iBAAO,cAAc,EAAE;AAAA,QACzB;AACA,eAAO;AAAA,MACT,CAAC;AAAA,IACH;AAEA,UAAM,OAAO,EAAE,GAAG,IAAI;AACtB,UAAM,OAAO,OAAO,KAAK,IAAI;AAC7B,eAAW,WAAW,MAAM;AAC1B,YAAM,UAAU,UAAU,QAAQ,SAAS,CAAC;AAC5C,UAAI,YAAY,SAAS;AACvB,aAAK,OAAO,IAAI,KAAK,OAAO;AAC5B,eAAO,KAAK,OAAO;AAAA,MACrB;AACA,UAAI,OAAO,KAAK,OAAO,MAAM,UAAU;AACrC,aAAK,OAAO,IAAI,cAAc,KAAK,OAAO,CAAC;AAAA,MAC7C;AAAA,IACF;AACA,WAAO;AAAA,EACT;AAEA,SAAO;AACT;AAOO,IAAM,mBAAmB,4BAA4B,YAAY;AAOjE,IAAM,mBAAmB,4BAA4B,YAAY;AAMjE,SAAS,SAAS,OAAyB;AAEhD,MAAI,OAAO,UAAU,WAAW;AAC9B,WAAO;AAAA,EACT;AAGA,MAAI,UAAU,UAAa,UAAU,MAAM;AACzC,WAAO;AAAA,EACT;AAGA,MAAI,OAAO,UAAU,UAAU;AAC7B,QAAI,MAAM,YAAY,MAAM,QAAQ;AAClC,aAAO;AAAA,IACT;AAEA,QAAI,MAAM,YAAY,MAAM,SAAS;AACnC,aAAO;AAAA,IACT;AAAA,EACF;AAGA,QAAM,SAAS,SAAS,OAAiB,EAAE;AAC3C,MAAI,MAAM,MAAM,GAAG;AACjB,WAAO;AAAA,EACT;AAEA,MAAI,SAAS,GAAG;AACd,WAAO;AAAA,EACT;AAGA,SAAO;AACT;;;ACvHA,IAAM,uBAAuB;AAJ7B;AAUO,IAAM,0BAAN,MAA8B;AAAA,EAA9B;AAAA;AACL,oCAAc;AACd,kCAAY;AAAA;AAAA,EAEZ,iBAAiB,SAAkC;AACjD,QAAI,CAAC,mBAAK,yDAAiB;AACzB,aAAO;AAAA,IACT;AAEA,UAAM,MAAM,KAAK,IAAI;AACrB,UAAM,MAAM,sBAAK,oDAAL,WAAkB;AAC9B,UAAM,QAAQ,mBAAK,iDAAS,GAAG;AAE/B,QAAI,CAAC,OAAO;AACV,YAAM,eAAe;AAAA,QACnB,GAAG,mBAAK;AAAA,QACR,CAAC,GAAG,GAAG;AAAA,MACT;AAEA,mBAAa,QAAQ,mBAAK,cAAa,KAAK,UAAU,YAAY,CAAC;AAAA,IACrE;AAEA,UAAM,mBAAmB,SAAS,MAAM,QAAQ,mBAAK;AACrD,QAAI,kBAAkB;AACpB,YAAM,eAAe,mBAAK;AAC1B,aAAO,aAAa,GAAG;AAEvB,mBAAa,QAAQ,mBAAK,cAAa,KAAK,UAAU,YAAY,CAAC;AAAA,IACrE;AAEA,WAAO,CAAC,CAAC;AAAA,EACX;AAsEF;AApGE;AACA;AAFK;AAAA;AAAA;AAAA;AAAA;AAqCL,iBAAY,SAAC,OAA+B;AAC1C,QAAM,EAAE,IAAI,KAAK,IAAI,KAAK,SAAS,GAAG,KAAK,IAAI;AAE/C,QAAM,iBAA4F;AAAA,IAChG,GAAG;AAAA,IACH,GAAG;AAAA,EACL;AAEA,SAAO,KAAK;AAAA,IACV,OAAO,KAAK;AAAA,MACV,GAAG;AAAA,MACH,GAAG;AAAA,IACL,CAAC,EACE,KAAK,EACL,IAAI,SAAO,eAAe,GAAG,CAAC;AAAA,EACnC;AACF;AAEI,YAAM,WAAkD;AAC1D,QAAM,cAAc,aAAa,QAAQ,mBAAK,YAAW;AAEzD,MAAI,CAAC,aAAa;AAChB,WAAO,CAAC;AAAA,EACV;AAEA,SAAO,KAAK,MAAM,WAAW;AAC/B;AASI,qBAAe,WAAY;AAC7B,MAAI,OAAO,WAAW,aAAa;AACjC,WAAO;AAAA,EACT;AAEA,QAAM,UAAU,OAAO;AACvB,MAAI,CAAC,SAAS;AACZ,WAAO;AAAA,EACT;AAEA,MAAI;AACF,UAAM,UAAU;AAChB,YAAQ,QAAQ,SAAS,OAAO;AAChC,YAAQ,WAAW,OAAO;AAE1B,WAAO;AAAA,EACT,SAAS,KAAc;AACrB,UAAM,uBACJ,eAAe;AAAA,KAEd,IAAI,SAAS,wBAAwB,IAAI,SAAS;AAErD,QAAI,wBAAwB,QAAQ,SAAS,GAAG;AAC9C,cAAQ,WAAW,mBAAK,YAAW;AAAA,IACrC;AAEA,WAAO;AAAA,EACT;AACF;;;ACtEF,IAAM,iBAAoD;AAAA,EACxD,cAAc;AAAA,EACd,eAAe;AAAA;AAAA;AAAA;AAAA,EAIf,UAAU;AACZ;AA/CA;AAiDO,IAAM,qBAAN,MAAgE;AAAA,EAOrE,YAAY,SAAoC;AAP3C;AACL;AACA;AACA,kCAA+B,CAAC;AAChC,gCAA4B,CAAC;AAC7B;AAGE,uBAAK,SAAU;AAAA,MACb,eAAe,QAAQ,iBAAiB,eAAe;AAAA,MACvD,cAAc,QAAQ,gBAAgB,eAAe;AAAA,MACrD,UAAU,QAAQ,YAAY;AAAA,MAC9B,OAAO,QAAQ,SAAS;AAAA,MACxB,UAAU,eAAe;AAAA,IAC3B;AAEA,QAAI,CAAC,QAAQ,gBAAgB,OAAO,WAAW,aAAa;AAE1D,yBAAK,WAAU,eAAe;AAAA,IAChC,OAAO;AACL,yBAAK,WAAU,eAAe,QAAQ,gBAAgB;AAAA,IACxD;AAGA,uBAAK,WAAU,MAAM,QAAQ;AAC7B,uBAAK,WAAU,aAAa,QAAQ;AAEpC,uBAAK,WAAU,iBAAiB,QAAQ,kBAAkB;AAE1D,UAAM,YAAY,oBAAoB,QAAQ,cAAc;AAC5D,QAAI,WAAW;AACb,yBAAK,WAAU,eAAe,UAAU;AAAA,IAC1C;AAEA,QAAI,QAAQ,WAAW;AAErB,yBAAK,WAAU,YAAY,QAAQ,UAAU,UAAU,GAAG,EAAE;AAAA,IAC9D;AAEA,uBAAK,iBAAkB,IAAI,wBAAwB;AAAA,EACrD;AAAA,EAEA,IAAI,YAAqB;AACvB,QAAI,mBAAK,WAAU,iBAAiB,eAAe;AACjD,aAAO;AAAA,IACT;AAIA,QAAI,mBAAK,SAAQ,YAAa,OAAO,YAAY,eAAe,SAAS,QAAQ,IAAI,wBAAwB,GAAI;AAC/G,aAAO;AAAA,IACT;AAKA,QAAI,OAAO,WAAW,eAAe,CAAC,CAAC,QAAQ,WAAW,WAAW;AACnE,aAAO;AAAA,IACT;AAEA,WAAO;AAAA,EACT;AAAA,EAEA,IAAI,UAAmB;AACrB,WAAO,mBAAK,SAAQ,SAAU,OAAO,YAAY,eAAe,SAAS,QAAQ,IAAI,qBAAqB;AAAA,EAC5G;AAAA,EAEA,OAAO,OAAgC;AACrC,UAAM,kBAAkB,sBAAK,kDAAL,WAAqB,MAAM,OAAO,MAAM;AAEhE,0BAAK,4CAAL,WAAe,gBAAgB,OAAO;AAEtC,QAAI,CAAC,sBAAK,gDAAL,WAAmB,iBAAiB,MAAM,oBAAoB;AACjE;AAAA,IACF;AAEA,uBAAK,SAAQ,KAAK,eAAe;AAEjC,0BAAK,iDAAL;AAAA,EACF;AAgIF;AA9ME;AACA;AACA;AACA;AACA;AALK;AAiFL,kBAAa,SAAC,iBAAiC,mBAA4B;AACzE,SAAO,KAAK,aAAa,CAAC,KAAK,WAAW,sBAAK,mDAAL,WAAsB,iBAAiB;AACnF;AAEA,qBAAgB,SAAC,iBAAiC,mBAA4B;AAC5E,QAAM,aAAa,KAAK,OAAO;AAE/B,QAAM,cACJ,cAAc,mBAAK,SAAQ,iBAC1B,OAAO,sBAAsB,eAAe,cAAc;AAE7D,MAAI,CAAC,aAAa;AAChB,WAAO;AAAA,EACT;AAEA,SAAO,CAAC,mBAAK,iBAAgB,iBAAiB,eAAe;AAC/D;AAEA,mBAAc,WAAS;AAErB,MAAI,OAAO,WAAW,aAAa;AACjC,0BAAK,yCAAL;AACA;AAAA,EACF;AAEA,QAAM,eAAe,mBAAK,SAAQ,UAAU,mBAAK,SAAQ;AACzD,MAAI,cAAc;AAGhB,QAAI,mBAAK,gBAAe;AACtB,YAAM,SAAS,OAAO,uBAAuB,cAAc,qBAAqB;AAChF,aAAO,mBAAK,cAAa;AAAA,IAC3B;AACA,0BAAK,yCAAL;AACA;AAAA,EACF;AAGA,MAAI,mBAAK,gBAAe;AACtB;AAAA,EACF;AAEA,MAAI,yBAAyB,QAAQ;AACnC,uBAAK,eAAgB,oBAAoB,MAAM;AAC7C,4BAAK,yCAAL;AAAA,IACF,CAAC;AAAA,EACH,OAAO;AAEL,uBAAK,eAAgB,WAAW,MAAM;AACpC,4BAAK,yCAAL;AAAA,IACF,GAAG,CAAC;AAAA,EACN;AACF;AAEA,WAAM,WAAS;AACb,QAAM,IAAI,IAAI,aAAa,mBAAK,SAAQ,QAAQ,GAAG;AAAA,IACjD,QAAQ;AAAA;AAAA,IAER,MAAM,KAAK,UAAU;AAAA,MACnB,QAAQ,mBAAK;AAAA,IACf,CAAC;AAAA,IACD,SAAS;AAAA,MACP,gBAAgB;AAAA,IAClB;AAAA,EACF,CAAC,EACE,MAAM,MAAM,MAAM,EAClB,KAAK,MAAM;AACV,uBAAK,SAAU,CAAC;AAAA,EAClB,CAAC,EACA,MAAM,MAAM,MAAM;AACvB;AAAA;AAAA;AAAA;AAKA,cAAS,SAAC,OAAgC,SAA8B;AACtE,MAAI,CAAC,KAAK,SAAS;AACjB;AAAA,EACF;AAEA,MAAI,OAAO,QAAQ,mBAAmB,aAAa;AACjD,YAAQ,eAAe,qBAAqB,KAAK;AACjD,YAAQ,IAAI,OAAO;AACnB,YAAQ,SAAS;AAAA,EACnB,OAAO;AACL,YAAQ,IAAI,qBAAqB,OAAO,OAAO;AAAA,EACjD;AACF;AAAA;AAAA;AAAA;AAAA;AAAA;AAOA,oBAAe,WAAG;AAChB,MAAI,cAAc;AAAA,IAChB,MAAM,mBAAK,WAAU;AAAA,IACrB,SAAS,mBAAK,WAAU;AAAA,EAC1B;AAGA,MAAI,OAAO,WAAW,eAAe,OAAO,OAAO;AAEjD,kBAAc,EAAE,GAAG,aAAa,GAAG,OAAO,MAAM,YAAY,YAAY;AAAA,EAC1E;AAEA,SAAO;AACT;AAAA;AAAA;AAAA;AAKA,oBAAe,SAAC,OAAgC,SAAoD;AAClG,QAAM,cAAc,sBAAK,kDAAL;AAEpB,SAAO;AAAA,IACL;AAAA,IACA,IAAI,mBAAK,WAAU,gBAAgB;AAAA,IACnC,IAAI,mBAAK,WAAU,gBAAgB;AAAA,IACnC,KAAK,YAAY;AAAA,IACjB,MAAM,YAAY;AAAA,IAClB,GAAI,mBAAK,WAAU,iBAAiB,EAAE,IAAI,mBAAK,WAAU,eAAe,IAAI,CAAC;AAAA,IAC7E,GAAI,mBAAK,WAAU,YAAY,EAAE,IAAI,mBAAK,WAAU,UAAU,IAAI,CAAC;AAAA,IACnE;AAAA,EACF;AACF;;;AC7PF,IAAM,0BAA0B;AAChC,IAAM,yBAAyB;AAC/B,IAAM,sBAAsB;AAe5B,SAAS,6BAA6B,OAAuE;AAC3G,SAAO,SACL,WACA,OACA,mBAC2C;AAC3C,WAAO;AAAA,MACL;AAAA,MACA,mBAAmB;AAAA,MACnB,SAAS;AAAA,QACP;AAAA,QACA,gBAAgB,QAAQ,OAAO,UAAU;AAAA,QACzC,WAAW,QAAQ,OAAO,YAAY,SAAS;AAAA,QAC/C,UAAU,QAAQ,OAAO,YAAY,QAAQ;AAAA,QAC7C,WAAW,QAAQ,OAAO,YAAY,SAAS;AAAA,QAC/C,GAAG;AAAA,MACL;AAAA,IACF;AAAA,EACF;AACF;AAYO,SAAS,8BACd,WACA,OACA,mBAC2C;AAC3C,SAAO,6BAA6B,uBAAuB,EAAE,WAAW,OAAO,iBAAiB;AAClG;AAYO,SAAS,6BACd,WACA,OACA,mBAC2C;AAC3C,SAAO,6BAA6B,sBAAsB,EAAE,WAAW,OAAO,iBAAiB;AACjG;AAaO,SAAS,sBACd,WACA,QAAsC,CAAC,GACG;AAC1C,SAAO;AAAA,IACL,OAAO;AAAA,IACP,mBAAmB;AAAA,IACnB,SAAS;AAAA,MACP;AAAA,MACA,GAAG;AAAA,IACL;AAAA,EACF;AACF;;;ACjGA,IAAM,sBAAsB;AASrB,SAAS,kBACd,QACA,SACsC;AACtC,SAAO;AAAA,IACL,OAAO;AAAA,IACP,SAAS;AAAA,MACP;AAAA,MACA,GAAG;AAAA,IACL;AAAA,EACF;AACF;;;ACpBA,IAAM,2BAA2B;AACjC,IAAMA,uBAAsB;AAOrB,SAAS,uBAAuB,SAA4E;AACjH,SAAO;AAAA,IACL,OAAO;AAAA,IACP,mBAAmBA;AAAA,IACnB;AAAA,EACF;AACF;","names":["EVENT_SAMPLING_RATE"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.mjs new file mode 100644 index 000000000..bf86a38be --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.mjs @@ -0,0 +1,329 @@ +import { + eventMethodCalled +} from "./chunk-WWQWD4PM.mjs"; +import { + isTruthy +} from "./chunk-QE2A7CJI.mjs"; +import { + parsePublishableKey +} from "./chunk-G3VP5PJE.mjs"; +import "./chunk-TETGTEI2.mjs"; +import "./chunk-KOH7GTJO.mjs"; +import "./chunk-I6MTSTOF.mjs"; +import { + __privateAdd, + __privateGet, + __privateMethod, + __privateSet +} from "./chunk-7ELT755Q.mjs"; + +// src/telemetry/throttler.ts +var DEFAULT_CACHE_TTL_MS = 864e5; +var _storageKey, _cacheTtl, _TelemetryEventThrottler_instances, generateKey_fn, cache_get, isValidBrowser_get; +var TelemetryEventThrottler = class { + constructor() { + __privateAdd(this, _TelemetryEventThrottler_instances); + __privateAdd(this, _storageKey, "clerk_telemetry_throttler"); + __privateAdd(this, _cacheTtl, DEFAULT_CACHE_TTL_MS); + } + isEventThrottled(payload) { + if (!__privateGet(this, _TelemetryEventThrottler_instances, isValidBrowser_get)) { + return false; + } + const now = Date.now(); + const key = __privateMethod(this, _TelemetryEventThrottler_instances, generateKey_fn).call(this, payload); + const entry = __privateGet(this, _TelemetryEventThrottler_instances, cache_get)?.[key]; + if (!entry) { + const updatedCache = { + ...__privateGet(this, _TelemetryEventThrottler_instances, cache_get), + [key]: now + }; + localStorage.setItem(__privateGet(this, _storageKey), JSON.stringify(updatedCache)); + } + const shouldInvalidate = entry && now - entry > __privateGet(this, _cacheTtl); + if (shouldInvalidate) { + const updatedCache = __privateGet(this, _TelemetryEventThrottler_instances, cache_get); + delete updatedCache[key]; + localStorage.setItem(__privateGet(this, _storageKey), JSON.stringify(updatedCache)); + } + return !!entry; + } +}; +_storageKey = new WeakMap(); +_cacheTtl = new WeakMap(); +_TelemetryEventThrottler_instances = new WeakSet(); +/** + * Generates a consistent unique key for telemetry events by sorting payload properties. + * This ensures that payloads with identical content in different orders produce the same key. + */ +generateKey_fn = function(event) { + const { sk: _sk, pk: _pk, payload, ...rest } = event; + const sanitizedEvent = { + ...payload, + ...rest + }; + return JSON.stringify( + Object.keys({ + ...payload, + ...rest + }).sort().map((key) => sanitizedEvent[key]) + ); +}; +cache_get = function() { + const cacheString = localStorage.getItem(__privateGet(this, _storageKey)); + if (!cacheString) { + return {}; + } + return JSON.parse(cacheString); +}; +isValidBrowser_get = function() { + if (typeof window === "undefined") { + return false; + } + const storage = window.localStorage; + if (!storage) { + return false; + } + try { + const testKey = "test"; + storage.setItem(testKey, testKey); + storage.removeItem(testKey); + return true; + } catch (err) { + const isQuotaExceededError = err instanceof DOMException && // Check error names for different browsers + (err.name === "QuotaExceededError" || err.name === "NS_ERROR_DOM_QUOTA_REACHED"); + if (isQuotaExceededError && storage.length > 0) { + storage.removeItem(__privateGet(this, _storageKey)); + } + return false; + } +}; + +// src/telemetry/collector.ts +var DEFAULT_CONFIG = { + samplingRate: 1, + maxBufferSize: 5, + // Production endpoint: https://clerk-telemetry.com + // Staging endpoint: https://staging.clerk-telemetry.com + // Local: http://localhost:8787 + endpoint: "https://clerk-telemetry.com" +}; +var _config, _eventThrottler, _metadata, _buffer, _pendingFlush, _TelemetryCollector_instances, shouldRecord_fn, shouldBeSampled_fn, scheduleFlush_fn, flush_fn, logEvent_fn, getSDKMetadata_fn, preparePayload_fn; +var TelemetryCollector = class { + constructor(options) { + __privateAdd(this, _TelemetryCollector_instances); + __privateAdd(this, _config); + __privateAdd(this, _eventThrottler); + __privateAdd(this, _metadata, {}); + __privateAdd(this, _buffer, []); + __privateAdd(this, _pendingFlush); + __privateSet(this, _config, { + maxBufferSize: options.maxBufferSize ?? DEFAULT_CONFIG.maxBufferSize, + samplingRate: options.samplingRate ?? DEFAULT_CONFIG.samplingRate, + disabled: options.disabled ?? false, + debug: options.debug ?? false, + endpoint: DEFAULT_CONFIG.endpoint + }); + if (!options.clerkVersion && typeof window === "undefined") { + __privateGet(this, _metadata).clerkVersion = ""; + } else { + __privateGet(this, _metadata).clerkVersion = options.clerkVersion ?? ""; + } + __privateGet(this, _metadata).sdk = options.sdk; + __privateGet(this, _metadata).sdkVersion = options.sdkVersion; + __privateGet(this, _metadata).publishableKey = options.publishableKey ?? ""; + const parsedKey = parsePublishableKey(options.publishableKey); + if (parsedKey) { + __privateGet(this, _metadata).instanceType = parsedKey.instanceType; + } + if (options.secretKey) { + __privateGet(this, _metadata).secretKey = options.secretKey.substring(0, 16); + } + __privateSet(this, _eventThrottler, new TelemetryEventThrottler()); + } + get isEnabled() { + if (__privateGet(this, _metadata).instanceType !== "development") { + return false; + } + if (__privateGet(this, _config).disabled || typeof process !== "undefined" && isTruthy(process.env.CLERK_TELEMETRY_DISABLED)) { + return false; + } + if (typeof window !== "undefined" && !!window?.navigator?.webdriver) { + return false; + } + return true; + } + get isDebug() { + return __privateGet(this, _config).debug || typeof process !== "undefined" && isTruthy(process.env.CLERK_TELEMETRY_DEBUG); + } + record(event) { + const preparedPayload = __privateMethod(this, _TelemetryCollector_instances, preparePayload_fn).call(this, event.event, event.payload); + __privateMethod(this, _TelemetryCollector_instances, logEvent_fn).call(this, preparedPayload.event, preparedPayload); + if (!__privateMethod(this, _TelemetryCollector_instances, shouldRecord_fn).call(this, preparedPayload, event.eventSamplingRate)) { + return; + } + __privateGet(this, _buffer).push(preparedPayload); + __privateMethod(this, _TelemetryCollector_instances, scheduleFlush_fn).call(this); + } +}; +_config = new WeakMap(); +_eventThrottler = new WeakMap(); +_metadata = new WeakMap(); +_buffer = new WeakMap(); +_pendingFlush = new WeakMap(); +_TelemetryCollector_instances = new WeakSet(); +shouldRecord_fn = function(preparedPayload, eventSamplingRate) { + return this.isEnabled && !this.isDebug && __privateMethod(this, _TelemetryCollector_instances, shouldBeSampled_fn).call(this, preparedPayload, eventSamplingRate); +}; +shouldBeSampled_fn = function(preparedPayload, eventSamplingRate) { + const randomSeed = Math.random(); + const toBeSampled = randomSeed <= __privateGet(this, _config).samplingRate && (typeof eventSamplingRate === "undefined" || randomSeed <= eventSamplingRate); + if (!toBeSampled) { + return false; + } + return !__privateGet(this, _eventThrottler).isEventThrottled(preparedPayload); +}; +scheduleFlush_fn = function() { + if (typeof window === "undefined") { + __privateMethod(this, _TelemetryCollector_instances, flush_fn).call(this); + return; + } + const isBufferFull = __privateGet(this, _buffer).length >= __privateGet(this, _config).maxBufferSize; + if (isBufferFull) { + if (__privateGet(this, _pendingFlush)) { + const cancel = typeof cancelIdleCallback !== "undefined" ? cancelIdleCallback : clearTimeout; + cancel(__privateGet(this, _pendingFlush)); + } + __privateMethod(this, _TelemetryCollector_instances, flush_fn).call(this); + return; + } + if (__privateGet(this, _pendingFlush)) { + return; + } + if ("requestIdleCallback" in window) { + __privateSet(this, _pendingFlush, requestIdleCallback(() => { + __privateMethod(this, _TelemetryCollector_instances, flush_fn).call(this); + })); + } else { + __privateSet(this, _pendingFlush, setTimeout(() => { + __privateMethod(this, _TelemetryCollector_instances, flush_fn).call(this); + }, 0)); + } +}; +flush_fn = function() { + fetch(new URL("/v1/event", __privateGet(this, _config).endpoint), { + method: "POST", + // TODO: We send an array here with that idea that we can eventually send multiple events. + body: JSON.stringify({ + events: __privateGet(this, _buffer) + }), + headers: { + "Content-Type": "application/json" + } + }).catch(() => void 0).then(() => { + __privateSet(this, _buffer, []); + }).catch(() => void 0); +}; +/** + * If running in debug mode, log the event and its payload to the console. + */ +logEvent_fn = function(event, payload) { + if (!this.isDebug) { + return; + } + if (typeof console.groupCollapsed !== "undefined") { + console.groupCollapsed("[clerk/telemetry]", event); + console.log(payload); + console.groupEnd(); + } else { + console.log("[clerk/telemetry]", event, payload); + } +}; +/** + * If in browser, attempt to lazily grab the SDK metadata from the Clerk singleton, otherwise fallback to the initially passed in values. + * + * This is necessary because the sdkMetadata can be set by the host SDK after the TelemetryCollector is instantiated. + */ +getSDKMetadata_fn = function() { + let sdkMetadata = { + name: __privateGet(this, _metadata).sdk, + version: __privateGet(this, _metadata).sdkVersion + }; + if (typeof window !== "undefined" && window.Clerk) { + sdkMetadata = { ...sdkMetadata, ...window.Clerk.constructor.sdkMetadata }; + } + return sdkMetadata; +}; +/** + * Append relevant metadata from the Clerk singleton to the event payload. + */ +preparePayload_fn = function(event, payload) { + const sdkMetadata = __privateMethod(this, _TelemetryCollector_instances, getSDKMetadata_fn).call(this); + return { + event, + cv: __privateGet(this, _metadata).clerkVersion ?? "", + it: __privateGet(this, _metadata).instanceType ?? "", + sdk: sdkMetadata.name, + sdkv: sdkMetadata.version, + ...__privateGet(this, _metadata).publishableKey ? { pk: __privateGet(this, _metadata).publishableKey } : {}, + ...__privateGet(this, _metadata).secretKey ? { sk: __privateGet(this, _metadata).secretKey } : {}, + payload + }; +}; + +// src/telemetry/events/component-mounted.ts +var EVENT_COMPONENT_MOUNTED = "COMPONENT_MOUNTED"; +var EVENT_COMPONENT_OPENED = "COMPONENT_OPENED"; +var EVENT_SAMPLING_RATE = 0.1; +function createPrebuiltComponentEvent(event) { + return function(component, props, additionalPayload) { + return { + event, + eventSamplingRate: EVENT_SAMPLING_RATE, + payload: { + component, + appearanceProp: Boolean(props?.appearance), + baseTheme: Boolean(props?.appearance?.baseTheme), + elements: Boolean(props?.appearance?.elements), + variables: Boolean(props?.appearance?.variables), + ...additionalPayload + } + }; + }; +} +function eventPrebuiltComponentMounted(component, props, additionalPayload) { + return createPrebuiltComponentEvent(EVENT_COMPONENT_MOUNTED)(component, props, additionalPayload); +} +function eventPrebuiltComponentOpened(component, props, additionalPayload) { + return createPrebuiltComponentEvent(EVENT_COMPONENT_OPENED)(component, props, additionalPayload); +} +function eventComponentMounted(component, props = {}) { + return { + event: EVENT_COMPONENT_MOUNTED, + eventSamplingRate: EVENT_SAMPLING_RATE, + payload: { + component, + ...props + } + }; +} + +// src/telemetry/events/framework-metadata.ts +var EVENT_FRAMEWORK_METADATA = "FRAMEWORK_METADATA"; +var EVENT_SAMPLING_RATE2 = 0.1; +function eventFrameworkMetadata(payload) { + return { + event: EVENT_FRAMEWORK_METADATA, + eventSamplingRate: EVENT_SAMPLING_RATE2, + payload + }; +} +export { + TelemetryCollector, + eventComponentMounted, + eventFrameworkMetadata, + eventMethodCalled, + eventPrebuiltComponentMounted, + eventPrebuiltComponentOpened +}; +//# sourceMappingURL=telemetry.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.mjs.map new file mode 100644 index 000000000..4d08a03b0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/telemetry.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/telemetry/throttler.ts","../src/telemetry/collector.ts","../src/telemetry/events/component-mounted.ts","../src/telemetry/events/framework-metadata.ts"],"sourcesContent":["import type { TelemetryEvent } from '@clerk/types';\n\ntype TtlInMilliseconds = number;\n\nconst DEFAULT_CACHE_TTL_MS = 86400000; // 24 hours\n\n/**\n * Manages throttling for telemetry events using the browser's localStorage to\n * mitigate event flooding in frequently executed code paths.\n */\nexport class TelemetryEventThrottler {\n #storageKey = 'clerk_telemetry_throttler';\n #cacheTtl = DEFAULT_CACHE_TTL_MS;\n\n isEventThrottled(payload: TelemetryEvent): boolean {\n if (!this.#isValidBrowser) {\n return false;\n }\n\n const now = Date.now();\n const key = this.#generateKey(payload);\n const entry = this.#cache?.[key];\n\n if (!entry) {\n const updatedCache = {\n ...this.#cache,\n [key]: now,\n };\n\n localStorage.setItem(this.#storageKey, JSON.stringify(updatedCache));\n }\n\n const shouldInvalidate = entry && now - entry > this.#cacheTtl;\n if (shouldInvalidate) {\n const updatedCache = this.#cache;\n delete updatedCache[key];\n\n localStorage.setItem(this.#storageKey, JSON.stringify(updatedCache));\n }\n\n return !!entry;\n }\n\n /**\n * Generates a consistent unique key for telemetry events by sorting payload properties.\n * This ensures that payloads with identical content in different orders produce the same key.\n */\n #generateKey(event: TelemetryEvent): string {\n const { sk: _sk, pk: _pk, payload, ...rest } = event;\n\n const sanitizedEvent: Omit & TelemetryEvent['payload'] = {\n ...payload,\n ...rest,\n };\n\n return JSON.stringify(\n Object.keys({\n ...payload,\n ...rest,\n })\n .sort()\n .map(key => sanitizedEvent[key]),\n );\n }\n\n get #cache(): Record | undefined {\n const cacheString = localStorage.getItem(this.#storageKey);\n\n if (!cacheString) {\n return {};\n }\n\n return JSON.parse(cacheString);\n }\n\n /**\n * Checks if the browser's localStorage is supported and writable.\n *\n * If any of these operations fail, it indicates that localStorage is either\n * not supported or not writable (e.g., in cases where the storage is full or\n * the browser is in a privacy mode that restricts localStorage usage).\n */\n get #isValidBrowser(): boolean {\n if (typeof window === 'undefined') {\n return false;\n }\n\n const storage = window.localStorage;\n if (!storage) {\n return false;\n }\n\n try {\n const testKey = 'test';\n storage.setItem(testKey, testKey);\n storage.removeItem(testKey);\n\n return true;\n } catch (err: unknown) {\n const isQuotaExceededError =\n err instanceof DOMException &&\n // Check error names for different browsers\n (err.name === 'QuotaExceededError' || err.name === 'NS_ERROR_DOM_QUOTA_REACHED');\n\n if (isQuotaExceededError && storage.length > 0) {\n storage.removeItem(this.#storageKey);\n }\n\n return false;\n }\n }\n}\n","/**\n * The `TelemetryCollector` class handles collection of telemetry events from Clerk SDKs. Telemetry is opt-out and can be disabled by setting a CLERK_TELEMETRY_DISABLED environment variable.\n * The `ClerkProvider` also accepts a `telemetry` prop that will be passed to the collector during initialization:\n *\n * ```jsx\n * \n * ...\n * \n * ```\n *\n * For more information, please see the telemetry documentation page: https://clerk.com/docs/telemetry\n */\nimport type {\n InstanceType,\n TelemetryCollector as TelemetryCollectorInterface,\n TelemetryEvent,\n TelemetryEventRaw,\n} from '@clerk/types';\n\nimport { parsePublishableKey } from '../keys';\nimport { isTruthy } from '../underscore';\nimport { TelemetryEventThrottler } from './throttler';\nimport type { TelemetryCollectorOptions } from './types';\n\ntype TelemetryCollectorConfig = Pick<\n TelemetryCollectorOptions,\n 'samplingRate' | 'disabled' | 'debug' | 'maxBufferSize'\n> & {\n endpoint: string;\n};\n\ntype TelemetryMetadata = Required<\n Pick\n> & {\n /**\n * The instance type, derived from the provided publishableKey.\n */\n instanceType: InstanceType;\n};\n\nconst DEFAULT_CONFIG: Partial = {\n samplingRate: 1,\n maxBufferSize: 5,\n // Production endpoint: https://clerk-telemetry.com\n // Staging endpoint: https://staging.clerk-telemetry.com\n // Local: http://localhost:8787\n endpoint: 'https://clerk-telemetry.com',\n};\n\nexport class TelemetryCollector implements TelemetryCollectorInterface {\n #config: Required;\n #eventThrottler: TelemetryEventThrottler;\n #metadata: TelemetryMetadata = {} as TelemetryMetadata;\n #buffer: TelemetryEvent[] = [];\n #pendingFlush: any;\n\n constructor(options: TelemetryCollectorOptions) {\n this.#config = {\n maxBufferSize: options.maxBufferSize ?? DEFAULT_CONFIG.maxBufferSize,\n samplingRate: options.samplingRate ?? DEFAULT_CONFIG.samplingRate,\n disabled: options.disabled ?? false,\n debug: options.debug ?? false,\n endpoint: DEFAULT_CONFIG.endpoint,\n } as Required;\n\n if (!options.clerkVersion && typeof window === 'undefined') {\n // N/A in a server environment\n this.#metadata.clerkVersion = '';\n } else {\n this.#metadata.clerkVersion = options.clerkVersion ?? '';\n }\n\n // We will try to grab the SDK data lazily when an event is triggered, so it should always be defined once the event is sent.\n this.#metadata.sdk = options.sdk!;\n this.#metadata.sdkVersion = options.sdkVersion!;\n\n this.#metadata.publishableKey = options.publishableKey ?? '';\n\n const parsedKey = parsePublishableKey(options.publishableKey);\n if (parsedKey) {\n this.#metadata.instanceType = parsedKey.instanceType;\n }\n\n if (options.secretKey) {\n // Only send the first 16 characters of the secret key to to avoid sending the full key. We can still query against the partial key.\n this.#metadata.secretKey = options.secretKey.substring(0, 16);\n }\n\n this.#eventThrottler = new TelemetryEventThrottler();\n }\n\n get isEnabled(): boolean {\n if (this.#metadata.instanceType !== 'development') {\n return false;\n }\n\n // In browser or client environments, we most likely pass the disabled option to the collector, but in environments\n // where environment variables are available we also check for `CLERK_TELEMETRY_DISABLED`.\n if (this.#config.disabled || (typeof process !== 'undefined' && isTruthy(process.env.CLERK_TELEMETRY_DISABLED))) {\n return false;\n }\n\n // navigator.webdriver is a property generally set by headless browsers that are running in an automated testing environment.\n // Data from these environments is not meaningful for us and has the potential to produce a large volume of events, so we disable\n // collection in this case. (ref: https://developer.mozilla.org/en-US/docs/Web/API/Navigator/webdriver)\n if (typeof window !== 'undefined' && !!window?.navigator?.webdriver) {\n return false;\n }\n\n return true;\n }\n\n get isDebug(): boolean {\n return this.#config.debug || (typeof process !== 'undefined' && isTruthy(process.env.CLERK_TELEMETRY_DEBUG));\n }\n\n record(event: TelemetryEventRaw): void {\n const preparedPayload = this.#preparePayload(event.event, event.payload);\n\n this.#logEvent(preparedPayload.event, preparedPayload);\n\n if (!this.#shouldRecord(preparedPayload, event.eventSamplingRate)) {\n return;\n }\n\n this.#buffer.push(preparedPayload);\n\n this.#scheduleFlush();\n }\n\n #shouldRecord(preparedPayload: TelemetryEvent, eventSamplingRate?: number) {\n return this.isEnabled && !this.isDebug && this.#shouldBeSampled(preparedPayload, eventSamplingRate);\n }\n\n #shouldBeSampled(preparedPayload: TelemetryEvent, eventSamplingRate?: number) {\n const randomSeed = Math.random();\n\n const toBeSampled =\n randomSeed <= this.#config.samplingRate &&\n (typeof eventSamplingRate === 'undefined' || randomSeed <= eventSamplingRate);\n\n if (!toBeSampled) {\n return false;\n }\n\n return !this.#eventThrottler.isEventThrottled(preparedPayload);\n }\n\n #scheduleFlush(): void {\n // On the server, we want to flush immediately as we have less guarantees about the lifecycle of the process\n if (typeof window === 'undefined') {\n this.#flush();\n return;\n }\n\n const isBufferFull = this.#buffer.length >= this.#config.maxBufferSize;\n if (isBufferFull) {\n // If the buffer is full, flush immediately to make sure we minimize the chance of event loss.\n // Cancel any pending flushes as we're going to flush immediately\n if (this.#pendingFlush) {\n const cancel = typeof cancelIdleCallback !== 'undefined' ? cancelIdleCallback : clearTimeout;\n cancel(this.#pendingFlush);\n }\n this.#flush();\n return;\n }\n\n // If we have a pending flush, do nothing\n if (this.#pendingFlush) {\n return;\n }\n\n if ('requestIdleCallback' in window) {\n this.#pendingFlush = requestIdleCallback(() => {\n this.#flush();\n });\n } else {\n // This is not an ideal solution, but it at least waits until the next tick\n this.#pendingFlush = setTimeout(() => {\n this.#flush();\n }, 0);\n }\n }\n\n #flush(): void {\n fetch(new URL('/v1/event', this.#config.endpoint), {\n method: 'POST',\n // TODO: We send an array here with that idea that we can eventually send multiple events.\n body: JSON.stringify({\n events: this.#buffer,\n }),\n headers: {\n 'Content-Type': 'application/json',\n },\n })\n .catch(() => void 0)\n .then(() => {\n this.#buffer = [];\n })\n .catch(() => void 0);\n }\n\n /**\n * If running in debug mode, log the event and its payload to the console.\n */\n #logEvent(event: TelemetryEvent['event'], payload: Record) {\n if (!this.isDebug) {\n return;\n }\n\n if (typeof console.groupCollapsed !== 'undefined') {\n console.groupCollapsed('[clerk/telemetry]', event);\n console.log(payload);\n console.groupEnd();\n } else {\n console.log('[clerk/telemetry]', event, payload);\n }\n }\n\n /**\n * If in browser, attempt to lazily grab the SDK metadata from the Clerk singleton, otherwise fallback to the initially passed in values.\n *\n * This is necessary because the sdkMetadata can be set by the host SDK after the TelemetryCollector is instantiated.\n */\n #getSDKMetadata() {\n let sdkMetadata = {\n name: this.#metadata.sdk,\n version: this.#metadata.sdkVersion,\n };\n\n // @ts-expect-error -- The global window.Clerk type is declared in clerk-js, but we can't rely on that here\n if (typeof window !== 'undefined' && window.Clerk) {\n // @ts-expect-error -- The global window.Clerk type is declared in clerk-js, but we can't rely on that here\n sdkMetadata = { ...sdkMetadata, ...window.Clerk.constructor.sdkMetadata };\n }\n\n return sdkMetadata;\n }\n\n /**\n * Append relevant metadata from the Clerk singleton to the event payload.\n */\n #preparePayload(event: TelemetryEvent['event'], payload: TelemetryEvent['payload']): TelemetryEvent {\n const sdkMetadata = this.#getSDKMetadata();\n\n return {\n event,\n cv: this.#metadata.clerkVersion ?? '',\n it: this.#metadata.instanceType ?? '',\n sdk: sdkMetadata.name,\n sdkv: sdkMetadata.version,\n ...(this.#metadata.publishableKey ? { pk: this.#metadata.publishableKey } : {}),\n ...(this.#metadata.secretKey ? { sk: this.#metadata.secretKey } : {}),\n payload,\n };\n }\n}\n","import type { TelemetryEventRaw } from '@clerk/types';\n\nconst EVENT_COMPONENT_MOUNTED = 'COMPONENT_MOUNTED';\nconst EVENT_COMPONENT_OPENED = 'COMPONENT_OPENED';\nconst EVENT_SAMPLING_RATE = 0.1;\n\ntype ComponentMountedBase = {\n component: string;\n};\n\ntype EventPrebuiltComponent = ComponentMountedBase & {\n appearanceProp: boolean;\n elements: boolean;\n variables: boolean;\n baseTheme: boolean;\n};\n\ntype EventComponentMounted = ComponentMountedBase & TelemetryEventRaw['payload'];\n\nfunction createPrebuiltComponentEvent(event: typeof EVENT_COMPONENT_MOUNTED | typeof EVENT_COMPONENT_OPENED) {\n return function (\n component: string,\n props?: Record,\n additionalPayload?: TelemetryEventRaw['payload'],\n ): TelemetryEventRaw {\n return {\n event,\n eventSamplingRate: EVENT_SAMPLING_RATE,\n payload: {\n component,\n appearanceProp: Boolean(props?.appearance),\n baseTheme: Boolean(props?.appearance?.baseTheme),\n elements: Boolean(props?.appearance?.elements),\n variables: Boolean(props?.appearance?.variables),\n ...additionalPayload,\n },\n };\n };\n}\n\n/**\n * Helper function for `telemetry.record()`. Create a consistent event object for when a prebuilt (AIO) component is mounted.\n *\n * @param component - The name of the component.\n * @param props - The props passed to the component. Will be filtered to a known list of props.\n * @param additionalPayload - Additional data to send with the event.\n *\n * @example\n * telemetry.record(eventPrebuiltComponentMounted('SignUp', props));\n */\nexport function eventPrebuiltComponentMounted(\n component: string,\n props?: Record,\n additionalPayload?: TelemetryEventRaw['payload'],\n): TelemetryEventRaw {\n return createPrebuiltComponentEvent(EVENT_COMPONENT_MOUNTED)(component, props, additionalPayload);\n}\n\n/**\n * Helper function for `telemetry.record()`. Create a consistent event object for when a prebuilt (AIO) component is opened as a modal.\n *\n * @param component - The name of the component.\n * @param props - The props passed to the component. Will be filtered to a known list of props.\n * @param additionalPayload - Additional data to send with the event.\n *\n * @example\n * telemetry.record(eventPrebuiltComponentOpened('GoogleOneTap', props));\n */\nexport function eventPrebuiltComponentOpened(\n component: string,\n props?: Record,\n additionalPayload?: TelemetryEventRaw['payload'],\n): TelemetryEventRaw {\n return createPrebuiltComponentEvent(EVENT_COMPONENT_OPENED)(component, props, additionalPayload);\n}\n\n/**\n * Helper function for `telemetry.record()`. Create a consistent event object for when a component is mounted. Use `eventPrebuiltComponentMounted` for prebuilt components.\n *\n * **Caution:** Filter the `props` you pass to this function to avoid sending too much data.\n *\n * @param component - The name of the component.\n * @param props - The props passed to the component. Ideally you only pass a handful of props here.\n *\n * @example\n * telemetry.record(eventComponentMounted('SignUp', props));\n */\nexport function eventComponentMounted(\n component: string,\n props: TelemetryEventRaw['payload'] = {},\n): TelemetryEventRaw {\n return {\n event: EVENT_COMPONENT_MOUNTED,\n eventSamplingRate: EVENT_SAMPLING_RATE,\n payload: {\n component,\n ...props,\n },\n };\n}\n","import type { TelemetryEventRaw } from '@clerk/types';\n\nconst EVENT_FRAMEWORK_METADATA = 'FRAMEWORK_METADATA';\nconst EVENT_SAMPLING_RATE = 0.1;\n\ntype EventFrameworkMetadata = Record;\n\n/**\n * Fired when a helper method is called from a Clerk SDK.\n */\nexport function eventFrameworkMetadata(payload: EventFrameworkMetadata): TelemetryEventRaw {\n return {\n event: EVENT_FRAMEWORK_METADATA,\n eventSamplingRate: EVENT_SAMPLING_RATE,\n payload,\n };\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAIA,IAAM,uBAAuB;AAJ7B;AAUO,IAAM,0BAAN,MAA8B;AAAA,EAA9B;AAAA;AACL,oCAAc;AACd,kCAAY;AAAA;AAAA,EAEZ,iBAAiB,SAAkC;AACjD,QAAI,CAAC,mBAAK,yDAAiB;AACzB,aAAO;AAAA,IACT;AAEA,UAAM,MAAM,KAAK,IAAI;AACrB,UAAM,MAAM,sBAAK,oDAAL,WAAkB;AAC9B,UAAM,QAAQ,mBAAK,iDAAS,GAAG;AAE/B,QAAI,CAAC,OAAO;AACV,YAAM,eAAe;AAAA,QACnB,GAAG,mBAAK;AAAA,QACR,CAAC,GAAG,GAAG;AAAA,MACT;AAEA,mBAAa,QAAQ,mBAAK,cAAa,KAAK,UAAU,YAAY,CAAC;AAAA,IACrE;AAEA,UAAM,mBAAmB,SAAS,MAAM,QAAQ,mBAAK;AACrD,QAAI,kBAAkB;AACpB,YAAM,eAAe,mBAAK;AAC1B,aAAO,aAAa,GAAG;AAEvB,mBAAa,QAAQ,mBAAK,cAAa,KAAK,UAAU,YAAY,CAAC;AAAA,IACrE;AAEA,WAAO,CAAC,CAAC;AAAA,EACX;AAsEF;AApGE;AACA;AAFK;AAAA;AAAA;AAAA;AAAA;AAqCL,iBAAY,SAAC,OAA+B;AAC1C,QAAM,EAAE,IAAI,KAAK,IAAI,KAAK,SAAS,GAAG,KAAK,IAAI;AAE/C,QAAM,iBAA4F;AAAA,IAChG,GAAG;AAAA,IACH,GAAG;AAAA,EACL;AAEA,SAAO,KAAK;AAAA,IACV,OAAO,KAAK;AAAA,MACV,GAAG;AAAA,MACH,GAAG;AAAA,IACL,CAAC,EACE,KAAK,EACL,IAAI,SAAO,eAAe,GAAG,CAAC;AAAA,EACnC;AACF;AAEI,YAAM,WAAkD;AAC1D,QAAM,cAAc,aAAa,QAAQ,mBAAK,YAAW;AAEzD,MAAI,CAAC,aAAa;AAChB,WAAO,CAAC;AAAA,EACV;AAEA,SAAO,KAAK,MAAM,WAAW;AAC/B;AASI,qBAAe,WAAY;AAC7B,MAAI,OAAO,WAAW,aAAa;AACjC,WAAO;AAAA,EACT;AAEA,QAAM,UAAU,OAAO;AACvB,MAAI,CAAC,SAAS;AACZ,WAAO;AAAA,EACT;AAEA,MAAI;AACF,UAAM,UAAU;AAChB,YAAQ,QAAQ,SAAS,OAAO;AAChC,YAAQ,WAAW,OAAO;AAE1B,WAAO;AAAA,EACT,SAAS,KAAc;AACrB,UAAM,uBACJ,eAAe;AAAA,KAEd,IAAI,SAAS,wBAAwB,IAAI,SAAS;AAErD,QAAI,wBAAwB,QAAQ,SAAS,GAAG;AAC9C,cAAQ,WAAW,mBAAK,YAAW;AAAA,IACrC;AAEA,WAAO;AAAA,EACT;AACF;;;ACtEF,IAAM,iBAAoD;AAAA,EACxD,cAAc;AAAA,EACd,eAAe;AAAA;AAAA;AAAA;AAAA,EAIf,UAAU;AACZ;AA/CA;AAiDO,IAAM,qBAAN,MAAgE;AAAA,EAOrE,YAAY,SAAoC;AAP3C;AACL;AACA;AACA,kCAA+B,CAAC;AAChC,gCAA4B,CAAC;AAC7B;AAGE,uBAAK,SAAU;AAAA,MACb,eAAe,QAAQ,iBAAiB,eAAe;AAAA,MACvD,cAAc,QAAQ,gBAAgB,eAAe;AAAA,MACrD,UAAU,QAAQ,YAAY;AAAA,MAC9B,OAAO,QAAQ,SAAS;AAAA,MACxB,UAAU,eAAe;AAAA,IAC3B;AAEA,QAAI,CAAC,QAAQ,gBAAgB,OAAO,WAAW,aAAa;AAE1D,yBAAK,WAAU,eAAe;AAAA,IAChC,OAAO;AACL,yBAAK,WAAU,eAAe,QAAQ,gBAAgB;AAAA,IACxD;AAGA,uBAAK,WAAU,MAAM,QAAQ;AAC7B,uBAAK,WAAU,aAAa,QAAQ;AAEpC,uBAAK,WAAU,iBAAiB,QAAQ,kBAAkB;AAE1D,UAAM,YAAY,oBAAoB,QAAQ,cAAc;AAC5D,QAAI,WAAW;AACb,yBAAK,WAAU,eAAe,UAAU;AAAA,IAC1C;AAEA,QAAI,QAAQ,WAAW;AAErB,yBAAK,WAAU,YAAY,QAAQ,UAAU,UAAU,GAAG,EAAE;AAAA,IAC9D;AAEA,uBAAK,iBAAkB,IAAI,wBAAwB;AAAA,EACrD;AAAA,EAEA,IAAI,YAAqB;AACvB,QAAI,mBAAK,WAAU,iBAAiB,eAAe;AACjD,aAAO;AAAA,IACT;AAIA,QAAI,mBAAK,SAAQ,YAAa,OAAO,YAAY,eAAe,SAAS,QAAQ,IAAI,wBAAwB,GAAI;AAC/G,aAAO;AAAA,IACT;AAKA,QAAI,OAAO,WAAW,eAAe,CAAC,CAAC,QAAQ,WAAW,WAAW;AACnE,aAAO;AAAA,IACT;AAEA,WAAO;AAAA,EACT;AAAA,EAEA,IAAI,UAAmB;AACrB,WAAO,mBAAK,SAAQ,SAAU,OAAO,YAAY,eAAe,SAAS,QAAQ,IAAI,qBAAqB;AAAA,EAC5G;AAAA,EAEA,OAAO,OAAgC;AACrC,UAAM,kBAAkB,sBAAK,kDAAL,WAAqB,MAAM,OAAO,MAAM;AAEhE,0BAAK,4CAAL,WAAe,gBAAgB,OAAO;AAEtC,QAAI,CAAC,sBAAK,gDAAL,WAAmB,iBAAiB,MAAM,oBAAoB;AACjE;AAAA,IACF;AAEA,uBAAK,SAAQ,KAAK,eAAe;AAEjC,0BAAK,iDAAL;AAAA,EACF;AAgIF;AA9ME;AACA;AACA;AACA;AACA;AALK;AAiFL,kBAAa,SAAC,iBAAiC,mBAA4B;AACzE,SAAO,KAAK,aAAa,CAAC,KAAK,WAAW,sBAAK,mDAAL,WAAsB,iBAAiB;AACnF;AAEA,qBAAgB,SAAC,iBAAiC,mBAA4B;AAC5E,QAAM,aAAa,KAAK,OAAO;AAE/B,QAAM,cACJ,cAAc,mBAAK,SAAQ,iBAC1B,OAAO,sBAAsB,eAAe,cAAc;AAE7D,MAAI,CAAC,aAAa;AAChB,WAAO;AAAA,EACT;AAEA,SAAO,CAAC,mBAAK,iBAAgB,iBAAiB,eAAe;AAC/D;AAEA,mBAAc,WAAS;AAErB,MAAI,OAAO,WAAW,aAAa;AACjC,0BAAK,yCAAL;AACA;AAAA,EACF;AAEA,QAAM,eAAe,mBAAK,SAAQ,UAAU,mBAAK,SAAQ;AACzD,MAAI,cAAc;AAGhB,QAAI,mBAAK,gBAAe;AACtB,YAAM,SAAS,OAAO,uBAAuB,cAAc,qBAAqB;AAChF,aAAO,mBAAK,cAAa;AAAA,IAC3B;AACA,0BAAK,yCAAL;AACA;AAAA,EACF;AAGA,MAAI,mBAAK,gBAAe;AACtB;AAAA,EACF;AAEA,MAAI,yBAAyB,QAAQ;AACnC,uBAAK,eAAgB,oBAAoB,MAAM;AAC7C,4BAAK,yCAAL;AAAA,IACF,CAAC;AAAA,EACH,OAAO;AAEL,uBAAK,eAAgB,WAAW,MAAM;AACpC,4BAAK,yCAAL;AAAA,IACF,GAAG,CAAC;AAAA,EACN;AACF;AAEA,WAAM,WAAS;AACb,QAAM,IAAI,IAAI,aAAa,mBAAK,SAAQ,QAAQ,GAAG;AAAA,IACjD,QAAQ;AAAA;AAAA,IAER,MAAM,KAAK,UAAU;AAAA,MACnB,QAAQ,mBAAK;AAAA,IACf,CAAC;AAAA,IACD,SAAS;AAAA,MACP,gBAAgB;AAAA,IAClB;AAAA,EACF,CAAC,EACE,MAAM,MAAM,MAAM,EAClB,KAAK,MAAM;AACV,uBAAK,SAAU,CAAC;AAAA,EAClB,CAAC,EACA,MAAM,MAAM,MAAM;AACvB;AAAA;AAAA;AAAA;AAKA,cAAS,SAAC,OAAgC,SAA8B;AACtE,MAAI,CAAC,KAAK,SAAS;AACjB;AAAA,EACF;AAEA,MAAI,OAAO,QAAQ,mBAAmB,aAAa;AACjD,YAAQ,eAAe,qBAAqB,KAAK;AACjD,YAAQ,IAAI,OAAO;AACnB,YAAQ,SAAS;AAAA,EACnB,OAAO;AACL,YAAQ,IAAI,qBAAqB,OAAO,OAAO;AAAA,EACjD;AACF;AAAA;AAAA;AAAA;AAAA;AAAA;AAOA,oBAAe,WAAG;AAChB,MAAI,cAAc;AAAA,IAChB,MAAM,mBAAK,WAAU;AAAA,IACrB,SAAS,mBAAK,WAAU;AAAA,EAC1B;AAGA,MAAI,OAAO,WAAW,eAAe,OAAO,OAAO;AAEjD,kBAAc,EAAE,GAAG,aAAa,GAAG,OAAO,MAAM,YAAY,YAAY;AAAA,EAC1E;AAEA,SAAO;AACT;AAAA;AAAA;AAAA;AAKA,oBAAe,SAAC,OAAgC,SAAoD;AAClG,QAAM,cAAc,sBAAK,kDAAL;AAEpB,SAAO;AAAA,IACL;AAAA,IACA,IAAI,mBAAK,WAAU,gBAAgB;AAAA,IACnC,IAAI,mBAAK,WAAU,gBAAgB;AAAA,IACnC,KAAK,YAAY;AAAA,IACjB,MAAM,YAAY;AAAA,IAClB,GAAI,mBAAK,WAAU,iBAAiB,EAAE,IAAI,mBAAK,WAAU,eAAe,IAAI,CAAC;AAAA,IAC7E,GAAI,mBAAK,WAAU,YAAY,EAAE,IAAI,mBAAK,WAAU,UAAU,IAAI,CAAC;AAAA,IACnE;AAAA,EACF;AACF;;;AC7PF,IAAM,0BAA0B;AAChC,IAAM,yBAAyB;AAC/B,IAAM,sBAAsB;AAe5B,SAAS,6BAA6B,OAAuE;AAC3G,SAAO,SACL,WACA,OACA,mBAC2C;AAC3C,WAAO;AAAA,MACL;AAAA,MACA,mBAAmB;AAAA,MACnB,SAAS;AAAA,QACP;AAAA,QACA,gBAAgB,QAAQ,OAAO,UAAU;AAAA,QACzC,WAAW,QAAQ,OAAO,YAAY,SAAS;AAAA,QAC/C,UAAU,QAAQ,OAAO,YAAY,QAAQ;AAAA,QAC7C,WAAW,QAAQ,OAAO,YAAY,SAAS;AAAA,QAC/C,GAAG;AAAA,MACL;AAAA,IACF;AAAA,EACF;AACF;AAYO,SAAS,8BACd,WACA,OACA,mBAC2C;AAC3C,SAAO,6BAA6B,uBAAuB,EAAE,WAAW,OAAO,iBAAiB;AAClG;AAYO,SAAS,6BACd,WACA,OACA,mBAC2C;AAC3C,SAAO,6BAA6B,sBAAsB,EAAE,WAAW,OAAO,iBAAiB;AACjG;AAaO,SAAS,sBACd,WACA,QAAsC,CAAC,GACG;AAC1C,SAAO;AAAA,IACL,OAAO;AAAA,IACP,mBAAmB;AAAA,IACnB,SAAS;AAAA,MACP;AAAA,MACA,GAAG;AAAA,IACL;AAAA,EACF;AACF;;;ACjGA,IAAM,2BAA2B;AACjC,IAAMA,uBAAsB;AAOrB,SAAS,uBAAuB,SAA4E;AACjH,SAAO;AAAA,IACL,OAAO;AAAA,IACP,mBAAmBA;AAAA,IACnB;AAAA,EACF;AACF;","names":["EVENT_SAMPLING_RATE"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.d.mts new file mode 100644 index 000000000..6870b93ff --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.d.mts @@ -0,0 +1,30 @@ +/** + * Converts an array of strings to a comma-separated sentence + * @param items {Array} + * @returns {string} Returns a string with the items joined by a comma and the last item joined by ", or" + */ +declare const toSentence: (items: string[]) => string; +declare function isIPV4Address(str: string | undefined | null): boolean; +declare function titleize(str: string | undefined | null): string; +declare function snakeToCamel(str: string | undefined): string; +declare function camelToSnake(str: string | undefined): string; +/** + * Transforms camelCased objects/ arrays to snake_cased. + * This function recursively traverses all objects and arrays of the passed value + * camelCased keys are removed. + */ +declare const deepCamelToSnake: (obj: any) => any; +/** + * Transforms snake_cased objects/ arrays to camelCased. + * This function recursively traverses all objects and arrays of the passed value + * camelCased keys are removed. + */ +declare const deepSnakeToCamel: (obj: any) => any; +/** + * Returns true for `true`, true, positive numbers. + * Returns false for `false`, false, 0, negative integers and anything else. + */ +declare function isTruthy(value: unknown): boolean; +declare function getNonUndefinedValues(obj: T): Partial; + +export { camelToSnake, deepCamelToSnake, deepSnakeToCamel, getNonUndefinedValues, isIPV4Address, isTruthy, snakeToCamel, titleize, toSentence }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.d.ts new file mode 100644 index 000000000..6870b93ff --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.d.ts @@ -0,0 +1,30 @@ +/** + * Converts an array of strings to a comma-separated sentence + * @param items {Array} + * @returns {string} Returns a string with the items joined by a comma and the last item joined by ", or" + */ +declare const toSentence: (items: string[]) => string; +declare function isIPV4Address(str: string | undefined | null): boolean; +declare function titleize(str: string | undefined | null): string; +declare function snakeToCamel(str: string | undefined): string; +declare function camelToSnake(str: string | undefined): string; +/** + * Transforms camelCased objects/ arrays to snake_cased. + * This function recursively traverses all objects and arrays of the passed value + * camelCased keys are removed. + */ +declare const deepCamelToSnake: (obj: any) => any; +/** + * Transforms snake_cased objects/ arrays to camelCased. + * This function recursively traverses all objects and arrays of the passed value + * camelCased keys are removed. + */ +declare const deepSnakeToCamel: (obj: any) => any; +/** + * Returns true for `true`, true, positive numbers. + * Returns false for `false`, false, 0, negative integers and anything else. + */ +declare function isTruthy(value: unknown): boolean; +declare function getNonUndefinedValues(obj: T): Partial; + +export { camelToSnake, deepCamelToSnake, deepSnakeToCamel, getNonUndefinedValues, isIPV4Address, isTruthy, snakeToCamel, titleize, toSentence }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.js new file mode 100644 index 000000000..d5aacde41 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.js @@ -0,0 +1,134 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/underscore.ts +var underscore_exports = {}; +__export(underscore_exports, { + camelToSnake: () => camelToSnake, + deepCamelToSnake: () => deepCamelToSnake, + deepSnakeToCamel: () => deepSnakeToCamel, + getNonUndefinedValues: () => getNonUndefinedValues, + isIPV4Address: () => isIPV4Address, + isTruthy: () => isTruthy, + snakeToCamel: () => snakeToCamel, + titleize: () => titleize, + toSentence: () => toSentence +}); +module.exports = __toCommonJS(underscore_exports); +var toSentence = (items) => { + if (items.length == 0) { + return ""; + } + if (items.length == 1) { + return items[0]; + } + let sentence = items.slice(0, -1).join(", "); + sentence += `, or ${items.slice(-1)}`; + return sentence; +}; +var IP_V4_ADDRESS_REGEX = /^(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$/; +function isIPV4Address(str) { + return IP_V4_ADDRESS_REGEX.test(str || ""); +} +function titleize(str) { + const s = str || ""; + return s.charAt(0).toUpperCase() + s.slice(1); +} +function snakeToCamel(str) { + return str ? str.replace(/([-_][a-z])/g, (match) => match.toUpperCase().replace(/-|_/, "")) : ""; +} +function camelToSnake(str) { + return str ? str.replace(/[A-Z]/g, (letter) => `_${letter.toLowerCase()}`) : ""; +} +var createDeepObjectTransformer = (transform) => { + const deepTransform = (obj) => { + if (!obj) { + return obj; + } + if (Array.isArray(obj)) { + return obj.map((el) => { + if (typeof el === "object" || Array.isArray(el)) { + return deepTransform(el); + } + return el; + }); + } + const copy = { ...obj }; + const keys = Object.keys(copy); + for (const oldName of keys) { + const newName = transform(oldName.toString()); + if (newName !== oldName) { + copy[newName] = copy[oldName]; + delete copy[oldName]; + } + if (typeof copy[newName] === "object") { + copy[newName] = deepTransform(copy[newName]); + } + } + return copy; + }; + return deepTransform; +}; +var deepCamelToSnake = createDeepObjectTransformer(camelToSnake); +var deepSnakeToCamel = createDeepObjectTransformer(snakeToCamel); +function isTruthy(value) { + if (typeof value === `boolean`) { + return value; + } + if (value === void 0 || value === null) { + return false; + } + if (typeof value === `string`) { + if (value.toLowerCase() === `true`) { + return true; + } + if (value.toLowerCase() === `false`) { + return false; + } + } + const number = parseInt(value, 10); + if (isNaN(number)) { + return false; + } + if (number > 0) { + return true; + } + return false; +} +function getNonUndefinedValues(obj) { + return Object.entries(obj).reduce((acc, [key, value]) => { + if (value !== void 0) { + acc[key] = value; + } + return acc; + }, {}); +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + camelToSnake, + deepCamelToSnake, + deepSnakeToCamel, + getNonUndefinedValues, + isIPV4Address, + isTruthy, + snakeToCamel, + titleize, + toSentence +}); +//# sourceMappingURL=underscore.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.js.map new file mode 100644 index 000000000..c1699ac8d --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/underscore.ts"],"sourcesContent":["/**\n * Converts an array of strings to a comma-separated sentence\n * @param items {Array}\n * @returns {string} Returns a string with the items joined by a comma and the last item joined by \", or\"\n */\nexport const toSentence = (items: string[]): string => {\n // TODO: Once Safari supports it, use Intl.ListFormat\n if (items.length == 0) {\n return '';\n }\n if (items.length == 1) {\n return items[0];\n }\n let sentence = items.slice(0, -1).join(', ');\n sentence += `, or ${items.slice(-1)}`;\n return sentence;\n};\n\nconst IP_V4_ADDRESS_REGEX =\n /^(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$/;\n\nexport function isIPV4Address(str: string | undefined | null): boolean {\n return IP_V4_ADDRESS_REGEX.test(str || '');\n}\n\nexport function titleize(str: string | undefined | null): string {\n const s = str || '';\n return s.charAt(0).toUpperCase() + s.slice(1);\n}\n\nexport function snakeToCamel(str: string | undefined): string {\n return str ? str.replace(/([-_][a-z])/g, match => match.toUpperCase().replace(/-|_/, '')) : '';\n}\n\nexport function camelToSnake(str: string | undefined): string {\n return str ? str.replace(/[A-Z]/g, letter => `_${letter.toLowerCase()}`) : '';\n}\n\nconst createDeepObjectTransformer = (transform: any) => {\n const deepTransform = (obj: any): any => {\n if (!obj) {\n return obj;\n }\n\n if (Array.isArray(obj)) {\n return obj.map(el => {\n if (typeof el === 'object' || Array.isArray(el)) {\n return deepTransform(el);\n }\n return el;\n });\n }\n\n const copy = { ...obj };\n const keys = Object.keys(copy);\n for (const oldName of keys) {\n const newName = transform(oldName.toString());\n if (newName !== oldName) {\n copy[newName] = copy[oldName];\n delete copy[oldName];\n }\n if (typeof copy[newName] === 'object') {\n copy[newName] = deepTransform(copy[newName]);\n }\n }\n return copy;\n };\n\n return deepTransform;\n};\n\n/**\n * Transforms camelCased objects/ arrays to snake_cased.\n * This function recursively traverses all objects and arrays of the passed value\n * camelCased keys are removed.\n */\nexport const deepCamelToSnake = createDeepObjectTransformer(camelToSnake);\n\n/**\n * Transforms snake_cased objects/ arrays to camelCased.\n * This function recursively traverses all objects and arrays of the passed value\n * camelCased keys are removed.\n */\nexport const deepSnakeToCamel = createDeepObjectTransformer(snakeToCamel);\n\n/**\n * Returns true for `true`, true, positive numbers.\n * Returns false for `false`, false, 0, negative integers and anything else.\n */\nexport function isTruthy(value: unknown): boolean {\n // Return if Boolean\n if (typeof value === `boolean`) {\n return value;\n }\n\n // Return false if null or undefined\n if (value === undefined || value === null) {\n return false;\n }\n\n // If the String is true or false\n if (typeof value === `string`) {\n if (value.toLowerCase() === `true`) {\n return true;\n }\n\n if (value.toLowerCase() === `false`) {\n return false;\n }\n }\n\n // Now check if it's a number\n const number = parseInt(value as string, 10);\n if (isNaN(number)) {\n return false;\n }\n\n if (number > 0) {\n return true;\n }\n\n // Default to false\n return false;\n}\n\nexport function getNonUndefinedValues(obj: T): Partial {\n return Object.entries(obj).reduce((acc, [key, value]) => {\n if (value !== undefined) {\n acc[key as keyof T] = value;\n }\n return acc;\n }, {} as Partial);\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAKO,IAAM,aAAa,CAAC,UAA4B;AAErD,MAAI,MAAM,UAAU,GAAG;AACrB,WAAO;AAAA,EACT;AACA,MAAI,MAAM,UAAU,GAAG;AACrB,WAAO,MAAM,CAAC;AAAA,EAChB;AACA,MAAI,WAAW,MAAM,MAAM,GAAG,EAAE,EAAE,KAAK,IAAI;AAC3C,cAAY,QAAQ,MAAM,MAAM,EAAE,CAAC;AACnC,SAAO;AACT;AAEA,IAAM,sBACJ;AAEK,SAAS,cAAc,KAAyC;AACrE,SAAO,oBAAoB,KAAK,OAAO,EAAE;AAC3C;AAEO,SAAS,SAAS,KAAwC;AAC/D,QAAM,IAAI,OAAO;AACjB,SAAO,EAAE,OAAO,CAAC,EAAE,YAAY,IAAI,EAAE,MAAM,CAAC;AAC9C;AAEO,SAAS,aAAa,KAAiC;AAC5D,SAAO,MAAM,IAAI,QAAQ,gBAAgB,WAAS,MAAM,YAAY,EAAE,QAAQ,OAAO,EAAE,CAAC,IAAI;AAC9F;AAEO,SAAS,aAAa,KAAiC;AAC5D,SAAO,MAAM,IAAI,QAAQ,UAAU,YAAU,IAAI,OAAO,YAAY,CAAC,EAAE,IAAI;AAC7E;AAEA,IAAM,8BAA8B,CAAC,cAAmB;AACtD,QAAM,gBAAgB,CAAC,QAAkB;AACvC,QAAI,CAAC,KAAK;AACR,aAAO;AAAA,IACT;AAEA,QAAI,MAAM,QAAQ,GAAG,GAAG;AACtB,aAAO,IAAI,IAAI,QAAM;AACnB,YAAI,OAAO,OAAO,YAAY,MAAM,QAAQ,EAAE,GAAG;AAC/C,iBAAO,cAAc,EAAE;AAAA,QACzB;AACA,eAAO;AAAA,MACT,CAAC;AAAA,IACH;AAEA,UAAM,OAAO,EAAE,GAAG,IAAI;AACtB,UAAM,OAAO,OAAO,KAAK,IAAI;AAC7B,eAAW,WAAW,MAAM;AAC1B,YAAM,UAAU,UAAU,QAAQ,SAAS,CAAC;AAC5C,UAAI,YAAY,SAAS;AACvB,aAAK,OAAO,IAAI,KAAK,OAAO;AAC5B,eAAO,KAAK,OAAO;AAAA,MACrB;AACA,UAAI,OAAO,KAAK,OAAO,MAAM,UAAU;AACrC,aAAK,OAAO,IAAI,cAAc,KAAK,OAAO,CAAC;AAAA,MAC7C;AAAA,IACF;AACA,WAAO;AAAA,EACT;AAEA,SAAO;AACT;AAOO,IAAM,mBAAmB,4BAA4B,YAAY;AAOjE,IAAM,mBAAmB,4BAA4B,YAAY;AAMjE,SAAS,SAAS,OAAyB;AAEhD,MAAI,OAAO,UAAU,WAAW;AAC9B,WAAO;AAAA,EACT;AAGA,MAAI,UAAU,UAAa,UAAU,MAAM;AACzC,WAAO;AAAA,EACT;AAGA,MAAI,OAAO,UAAU,UAAU;AAC7B,QAAI,MAAM,YAAY,MAAM,QAAQ;AAClC,aAAO;AAAA,IACT;AAEA,QAAI,MAAM,YAAY,MAAM,SAAS;AACnC,aAAO;AAAA,IACT;AAAA,EACF;AAGA,QAAM,SAAS,SAAS,OAAiB,EAAE;AAC3C,MAAI,MAAM,MAAM,GAAG;AACjB,WAAO;AAAA,EACT;AAEA,MAAI,SAAS,GAAG;AACd,WAAO;AAAA,EACT;AAGA,SAAO;AACT;AAEO,SAAS,sBAAwC,KAAoB;AAC1E,SAAO,OAAO,QAAQ,GAAG,EAAE,OAAO,CAAC,KAAK,CAAC,KAAK,KAAK,MAAM;AACvD,QAAI,UAAU,QAAW;AACvB,UAAI,GAAc,IAAI;AAAA,IACxB;AACA,WAAO;AAAA,EACT,GAAG,CAAC,CAAe;AACrB;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.mjs new file mode 100644 index 000000000..ed4a21a8a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.mjs @@ -0,0 +1,24 @@ +import { + camelToSnake, + deepCamelToSnake, + deepSnakeToCamel, + getNonUndefinedValues, + isIPV4Address, + isTruthy, + snakeToCamel, + titleize, + toSentence +} from "./chunk-QE2A7CJI.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + camelToSnake, + deepCamelToSnake, + deepSnakeToCamel, + getNonUndefinedValues, + isIPV4Address, + isTruthy, + snakeToCamel, + titleize, + toSentence +}; +//# sourceMappingURL=underscore.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/underscore.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.d.mts new file mode 100644 index 000000000..b2caa8a9b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.d.mts @@ -0,0 +1,32 @@ +declare function parseSearchParams(queryString?: string): URLSearchParams; +declare function stripScheme(url?: string): string; +declare function addClerkPrefix(str: string | undefined): string; +/** + * + * Retrieve the clerk-js major tag using the major version from the pkgVersion + * param or use the frontendApi to determine if the canary tag should be used. + * The default tag is `latest`. + */ +declare const getClerkJsMajorVersionOrTag: (frontendApi: string, version?: string) => string; +/** + * + * Retrieve the clerk-js script url from the frontendApi and the major tag + * using the {@link getClerkJsMajorVersionOrTag} or a provided clerkJSVersion tag. + */ +declare const getScriptUrl: (frontendApi: string, { clerkJSVersion }: { + clerkJSVersion?: string; +}) => string; +declare function isLegacyDevAccountPortalOrigin(host: string): boolean; +declare function isCurrentDevAccountPortalOrigin(host: string): boolean; +declare function hasTrailingSlash(input?: string, respectQueryAndFragment?: boolean): boolean; +declare function withTrailingSlash(input?: string, respectQueryAndFragment?: boolean): string; +declare function withoutTrailingSlash(input?: string, respectQueryAndFragment?: boolean): string; +declare function hasLeadingSlash(input?: string): boolean; +declare function withoutLeadingSlash(input?: string): string; +declare function withLeadingSlash(input?: string): string; +declare function cleanDoubleSlashes(input?: string): string; +declare function isNonEmptyURL(url: string): boolean | ""; +declare function joinURL(base: string, ...input: string[]): string; +declare const isAbsoluteUrl: (url: string) => boolean; + +export { addClerkPrefix, cleanDoubleSlashes, getClerkJsMajorVersionOrTag, getScriptUrl, hasLeadingSlash, hasTrailingSlash, isAbsoluteUrl, isCurrentDevAccountPortalOrigin, isLegacyDevAccountPortalOrigin, isNonEmptyURL, joinURL, parseSearchParams, stripScheme, withLeadingSlash, withTrailingSlash, withoutLeadingSlash, withoutTrailingSlash }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.d.ts new file mode 100644 index 000000000..b2caa8a9b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.d.ts @@ -0,0 +1,32 @@ +declare function parseSearchParams(queryString?: string): URLSearchParams; +declare function stripScheme(url?: string): string; +declare function addClerkPrefix(str: string | undefined): string; +/** + * + * Retrieve the clerk-js major tag using the major version from the pkgVersion + * param or use the frontendApi to determine if the canary tag should be used. + * The default tag is `latest`. + */ +declare const getClerkJsMajorVersionOrTag: (frontendApi: string, version?: string) => string; +/** + * + * Retrieve the clerk-js script url from the frontendApi and the major tag + * using the {@link getClerkJsMajorVersionOrTag} or a provided clerkJSVersion tag. + */ +declare const getScriptUrl: (frontendApi: string, { clerkJSVersion }: { + clerkJSVersion?: string; +}) => string; +declare function isLegacyDevAccountPortalOrigin(host: string): boolean; +declare function isCurrentDevAccountPortalOrigin(host: string): boolean; +declare function hasTrailingSlash(input?: string, respectQueryAndFragment?: boolean): boolean; +declare function withTrailingSlash(input?: string, respectQueryAndFragment?: boolean): string; +declare function withoutTrailingSlash(input?: string, respectQueryAndFragment?: boolean): string; +declare function hasLeadingSlash(input?: string): boolean; +declare function withoutLeadingSlash(input?: string): string; +declare function withLeadingSlash(input?: string): string; +declare function cleanDoubleSlashes(input?: string): string; +declare function isNonEmptyURL(url: string): boolean | ""; +declare function joinURL(base: string, ...input: string[]): string; +declare const isAbsoluteUrl: (url: string) => boolean; + +export { addClerkPrefix, cleanDoubleSlashes, getClerkJsMajorVersionOrTag, getScriptUrl, hasLeadingSlash, hasTrailingSlash, isAbsoluteUrl, isCurrentDevAccountPortalOrigin, isLegacyDevAccountPortalOrigin, isNonEmptyURL, joinURL, parseSearchParams, stripScheme, withLeadingSlash, withTrailingSlash, withoutLeadingSlash, withoutTrailingSlash }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.js new file mode 100644 index 000000000..9880f32a7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.js @@ -0,0 +1,195 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/url.ts +var url_exports = {}; +__export(url_exports, { + addClerkPrefix: () => addClerkPrefix, + cleanDoubleSlashes: () => cleanDoubleSlashes, + getClerkJsMajorVersionOrTag: () => getClerkJsMajorVersionOrTag, + getScriptUrl: () => getScriptUrl, + hasLeadingSlash: () => hasLeadingSlash, + hasTrailingSlash: () => hasTrailingSlash, + isAbsoluteUrl: () => isAbsoluteUrl, + isCurrentDevAccountPortalOrigin: () => isCurrentDevAccountPortalOrigin, + isLegacyDevAccountPortalOrigin: () => isLegacyDevAccountPortalOrigin, + isNonEmptyURL: () => isNonEmptyURL, + joinURL: () => joinURL, + parseSearchParams: () => parseSearchParams, + stripScheme: () => stripScheme, + withLeadingSlash: () => withLeadingSlash, + withTrailingSlash: () => withTrailingSlash, + withoutLeadingSlash: () => withoutLeadingSlash, + withoutTrailingSlash: () => withoutTrailingSlash +}); +module.exports = __toCommonJS(url_exports); + +// src/constants.ts +var LEGACY_DEV_INSTANCE_SUFFIXES = [".lcl.dev", ".lclstage.dev", ".lclclerk.com"]; +var CURRENT_DEV_INSTANCE_SUFFIXES = [".accounts.dev", ".accountsstage.dev", ".accounts.lclclerk.com"]; + +// src/utils/instance.ts +function isStaging(frontendApi) { + return frontendApi.endsWith(".lclstage.dev") || frontendApi.endsWith(".stgstage.dev") || frontendApi.endsWith(".clerkstage.dev") || frontendApi.endsWith(".accountsstage.dev"); +} + +// src/url.ts +function parseSearchParams(queryString = "") { + if (queryString.startsWith("?")) { + queryString = queryString.slice(1); + } + return new URLSearchParams(queryString); +} +function stripScheme(url = "") { + return (url || "").replace(/^.+:\/\//, ""); +} +function addClerkPrefix(str) { + if (!str) { + return ""; + } + let regex; + if (str.match(/^(clerk\.)+\w*$/)) { + regex = /(clerk\.)*(?=clerk\.)/; + } else if (str.match(/\.clerk.accounts/)) { + return str; + } else { + regex = /^(clerk\.)*/gi; + } + const stripped = str.replace(regex, ""); + return `clerk.${stripped}`; +} +var getClerkJsMajorVersionOrTag = (frontendApi, version) => { + if (!version && isStaging(frontendApi)) { + return "canary"; + } + if (!version) { + return "latest"; + } + return version.split(".")[0] || "latest"; +}; +var getScriptUrl = (frontendApi, { clerkJSVersion }) => { + const noSchemeFrontendApi = frontendApi.replace(/http(s)?:\/\//, ""); + const major = getClerkJsMajorVersionOrTag(frontendApi, clerkJSVersion); + return `https://${noSchemeFrontendApi}/npm/@clerk/clerk-js@${clerkJSVersion || major}/dist/clerk.browser.js`; +}; +function isLegacyDevAccountPortalOrigin(host) { + return LEGACY_DEV_INSTANCE_SUFFIXES.some((legacyDevSuffix) => { + return host.startsWith("accounts.") && host.endsWith(legacyDevSuffix); + }); +} +function isCurrentDevAccountPortalOrigin(host) { + return CURRENT_DEV_INSTANCE_SUFFIXES.some((currentDevSuffix) => { + return host.endsWith(currentDevSuffix) && !host.endsWith(".clerk" + currentDevSuffix); + }); +} +var TRAILING_SLASH_RE = /\/$|\/\?|\/#/; +function hasTrailingSlash(input = "", respectQueryAndFragment) { + if (!respectQueryAndFragment) { + return input.endsWith("/"); + } + return TRAILING_SLASH_RE.test(input); +} +function withTrailingSlash(input = "", respectQueryAndFragment) { + if (!respectQueryAndFragment) { + return input.endsWith("/") ? input : input + "/"; + } + if (hasTrailingSlash(input, true)) { + return input || "/"; + } + let path = input; + let fragment = ""; + const fragmentIndex = input.indexOf("#"); + if (fragmentIndex >= 0) { + path = input.slice(0, fragmentIndex); + fragment = input.slice(fragmentIndex); + if (!path) { + return fragment; + } + } + const [s0, ...s] = path.split("?"); + return s0 + "/" + (s.length > 0 ? `?${s.join("?")}` : "") + fragment; +} +function withoutTrailingSlash(input = "", respectQueryAndFragment) { + if (!respectQueryAndFragment) { + return (hasTrailingSlash(input) ? input.slice(0, -1) : input) || "/"; + } + if (!hasTrailingSlash(input, true)) { + return input || "/"; + } + let path = input; + let fragment = ""; + const fragmentIndex = input.indexOf("#"); + if (fragmentIndex >= 0) { + path = input.slice(0, fragmentIndex); + fragment = input.slice(fragmentIndex); + } + const [s0, ...s] = path.split("?"); + return (s0.slice(0, -1) || "/") + (s.length > 0 ? `?${s.join("?")}` : "") + fragment; +} +function hasLeadingSlash(input = "") { + return input.startsWith("/"); +} +function withoutLeadingSlash(input = "") { + return (hasLeadingSlash(input) ? input.slice(1) : input) || "/"; +} +function withLeadingSlash(input = "") { + return hasLeadingSlash(input) ? input : "/" + input; +} +function cleanDoubleSlashes(input = "") { + return input.split("://").map((string_) => string_.replace(/\/{2,}/g, "/")).join("://"); +} +function isNonEmptyURL(url) { + return url && url !== "/"; +} +var JOIN_LEADING_SLASH_RE = /^\.?\//; +function joinURL(base, ...input) { + let url = base || ""; + for (const segment of input.filter((url2) => isNonEmptyURL(url2))) { + if (url) { + const _segment = segment.replace(JOIN_LEADING_SLASH_RE, ""); + url = withTrailingSlash(url) + _segment; + } else { + url = segment; + } + } + return url; +} +var ABSOLUTE_URL_REGEX = /^[a-zA-Z][a-zA-Z\d+\-.]*?:/; +var isAbsoluteUrl = (url) => ABSOLUTE_URL_REGEX.test(url); +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + addClerkPrefix, + cleanDoubleSlashes, + getClerkJsMajorVersionOrTag, + getScriptUrl, + hasLeadingSlash, + hasTrailingSlash, + isAbsoluteUrl, + isCurrentDevAccountPortalOrigin, + isLegacyDevAccountPortalOrigin, + isNonEmptyURL, + joinURL, + parseSearchParams, + stripScheme, + withLeadingSlash, + withTrailingSlash, + withoutLeadingSlash, + withoutTrailingSlash +}); +//# sourceMappingURL=url.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.js.map new file mode 100644 index 000000000..dc7d92c2d --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/url.ts","../src/constants.ts","../src/utils/instance.ts"],"sourcesContent":["import { CURRENT_DEV_INSTANCE_SUFFIXES, LEGACY_DEV_INSTANCE_SUFFIXES } from './constants';\nimport { isStaging } from './utils/instance';\n\nexport function parseSearchParams(queryString = ''): URLSearchParams {\n if (queryString.startsWith('?')) {\n queryString = queryString.slice(1);\n }\n return new URLSearchParams(queryString);\n}\n\nexport function stripScheme(url = ''): string {\n return (url || '').replace(/^.+:\\/\\//, '');\n}\n\nexport function addClerkPrefix(str: string | undefined) {\n if (!str) {\n return '';\n }\n let regex;\n if (str.match(/^(clerk\\.)+\\w*$/)) {\n regex = /(clerk\\.)*(?=clerk\\.)/;\n } else if (str.match(/\\.clerk.accounts/)) {\n return str;\n } else {\n regex = /^(clerk\\.)*/gi;\n }\n\n const stripped = str.replace(regex, '');\n return `clerk.${stripped}`;\n}\n\n/**\n *\n * Retrieve the clerk-js major tag using the major version from the pkgVersion\n * param or use the frontendApi to determine if the canary tag should be used.\n * The default tag is `latest`.\n */\nexport const getClerkJsMajorVersionOrTag = (frontendApi: string, version?: string) => {\n if (!version && isStaging(frontendApi)) {\n return 'canary';\n }\n\n if (!version) {\n return 'latest';\n }\n\n return version.split('.')[0] || 'latest';\n};\n\n/**\n *\n * Retrieve the clerk-js script url from the frontendApi and the major tag\n * using the {@link getClerkJsMajorVersionOrTag} or a provided clerkJSVersion tag.\n */\nexport const getScriptUrl = (frontendApi: string, { clerkJSVersion }: { clerkJSVersion?: string }) => {\n const noSchemeFrontendApi = frontendApi.replace(/http(s)?:\\/\\//, '');\n const major = getClerkJsMajorVersionOrTag(frontendApi, clerkJSVersion);\n return `https://${noSchemeFrontendApi}/npm/@clerk/clerk-js@${clerkJSVersion || major}/dist/clerk.browser.js`;\n};\n\n// Returns true for hosts such as:\n// * accounts.foo.bar-13.lcl.dev\n// * accounts.foo.bar-13.lclstage.dev\n// * accounts.foo.bar-13.dev.lclclerk.com\nexport function isLegacyDevAccountPortalOrigin(host: string): boolean {\n return LEGACY_DEV_INSTANCE_SUFFIXES.some(legacyDevSuffix => {\n return host.startsWith('accounts.') && host.endsWith(legacyDevSuffix);\n });\n}\n\n// Returns true for hosts such as:\n// * foo-bar-13.accounts.dev\n// * foo-bar-13.accountsstage.dev\n// * foo-bar-13.accounts.lclclerk.com\n// But false for:\n// * foo-bar-13.clerk.accounts.lclclerk.com\nexport function isCurrentDevAccountPortalOrigin(host: string): boolean {\n return CURRENT_DEV_INSTANCE_SUFFIXES.some(currentDevSuffix => {\n return host.endsWith(currentDevSuffix) && !host.endsWith('.clerk' + currentDevSuffix);\n });\n}\n\n/* Functions below are taken from https://github.com/unjs/ufo/blob/main/src/utils.ts. LICENSE: MIT */\n\nconst TRAILING_SLASH_RE = /\\/$|\\/\\?|\\/#/;\n\nexport function hasTrailingSlash(input = '', respectQueryAndFragment?: boolean): boolean {\n if (!respectQueryAndFragment) {\n return input.endsWith('/');\n }\n return TRAILING_SLASH_RE.test(input);\n}\n\nexport function withTrailingSlash(input = '', respectQueryAndFragment?: boolean): string {\n if (!respectQueryAndFragment) {\n return input.endsWith('/') ? input : input + '/';\n }\n if (hasTrailingSlash(input, true)) {\n return input || '/';\n }\n let path = input;\n let fragment = '';\n const fragmentIndex = input.indexOf('#');\n if (fragmentIndex >= 0) {\n path = input.slice(0, fragmentIndex);\n fragment = input.slice(fragmentIndex);\n if (!path) {\n return fragment;\n }\n }\n const [s0, ...s] = path.split('?');\n return s0 + '/' + (s.length > 0 ? `?${s.join('?')}` : '') + fragment;\n}\n\nexport function withoutTrailingSlash(input = '', respectQueryAndFragment?: boolean): string {\n if (!respectQueryAndFragment) {\n return (hasTrailingSlash(input) ? input.slice(0, -1) : input) || '/';\n }\n if (!hasTrailingSlash(input, true)) {\n return input || '/';\n }\n let path = input;\n let fragment = '';\n const fragmentIndex = input.indexOf('#');\n if (fragmentIndex >= 0) {\n path = input.slice(0, fragmentIndex);\n fragment = input.slice(fragmentIndex);\n }\n const [s0, ...s] = path.split('?');\n return (s0.slice(0, -1) || '/') + (s.length > 0 ? `?${s.join('?')}` : '') + fragment;\n}\n\nexport function hasLeadingSlash(input = ''): boolean {\n return input.startsWith('/');\n}\n\nexport function withoutLeadingSlash(input = ''): string {\n return (hasLeadingSlash(input) ? input.slice(1) : input) || '/';\n}\n\nexport function withLeadingSlash(input = ''): string {\n return hasLeadingSlash(input) ? input : '/' + input;\n}\n\nexport function cleanDoubleSlashes(input = ''): string {\n return input\n .split('://')\n .map(string_ => string_.replace(/\\/{2,}/g, '/'))\n .join('://');\n}\n\nexport function isNonEmptyURL(url: string) {\n return url && url !== '/';\n}\n\nconst JOIN_LEADING_SLASH_RE = /^\\.?\\//;\n\nexport function joinURL(base: string, ...input: string[]): string {\n let url = base || '';\n\n for (const segment of input.filter(url => isNonEmptyURL(url))) {\n if (url) {\n // TODO: Handle .. when joining\n const _segment = segment.replace(JOIN_LEADING_SLASH_RE, '');\n url = withTrailingSlash(url) + _segment;\n } else {\n url = segment;\n }\n }\n\n return url;\n}\n\n/* Code below is taken from https://github.com/vercel/next.js/blob/fe7ff3f468d7651a92865350bfd0f16ceba27db5/packages/next/src/shared/lib/utils.ts. LICENSE: MIT */\n\n// Scheme: https://tools.ietf.org/html/rfc3986#section-3.1\n// Absolute URL: https://tools.ietf.org/html/rfc3986#section-4.3\nconst ABSOLUTE_URL_REGEX = /^[a-zA-Z][a-zA-Z\\d+\\-.]*?:/;\nexport const isAbsoluteUrl = (url: string) => ABSOLUTE_URL_REGEX.test(url);\n","export const LEGACY_DEV_INSTANCE_SUFFIXES = ['.lcl.dev', '.lclstage.dev', '.lclclerk.com'];\nexport const CURRENT_DEV_INSTANCE_SUFFIXES = ['.accounts.dev', '.accountsstage.dev', '.accounts.lclclerk.com'];\nexport const DEV_OR_STAGING_SUFFIXES = [\n '.lcl.dev',\n '.stg.dev',\n '.lclstage.dev',\n '.stgstage.dev',\n '.dev.lclclerk.com',\n '.stg.lclclerk.com',\n '.accounts.lclclerk.com',\n 'accountsstage.dev',\n 'accounts.dev',\n];\nexport const LOCAL_ENV_SUFFIXES = ['.lcl.dev', 'lclstage.dev', '.lclclerk.com', '.accounts.lclclerk.com'];\nexport const STAGING_ENV_SUFFIXES = ['.accountsstage.dev'];\nexport const LOCAL_API_URL = 'https://api.lclclerk.com';\nexport const STAGING_API_URL = 'https://api.clerkstage.dev';\nexport const PROD_API_URL = 'https://api.clerk.com';\n\n/**\n * Returns the URL for a static image\n * using the new img.clerk.com service\n */\nexport function iconImageUrl(id: string, format: 'svg' | 'jpeg' = 'svg'): string {\n return `https://img.clerk.com/static/${id}.${format}`;\n}\n","/**\n * Check if the frontendApi ends with a staging domain\n */\nexport function isStaging(frontendApi: string): boolean {\n return (\n frontendApi.endsWith('.lclstage.dev') ||\n frontendApi.endsWith('.stgstage.dev') ||\n frontendApi.endsWith('.clerkstage.dev') ||\n frontendApi.endsWith('.accountsstage.dev')\n );\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACAO,IAAM,+BAA+B,CAAC,YAAY,iBAAiB,eAAe;AAClF,IAAM,gCAAgC,CAAC,iBAAiB,sBAAsB,wBAAwB;;;ACEtG,SAAS,UAAU,aAA8B;AACtD,SACE,YAAY,SAAS,eAAe,KACpC,YAAY,SAAS,eAAe,KACpC,YAAY,SAAS,iBAAiB,KACtC,YAAY,SAAS,oBAAoB;AAE7C;;;AFPO,SAAS,kBAAkB,cAAc,IAAqB;AACnE,MAAI,YAAY,WAAW,GAAG,GAAG;AAC/B,kBAAc,YAAY,MAAM,CAAC;AAAA,EACnC;AACA,SAAO,IAAI,gBAAgB,WAAW;AACxC;AAEO,SAAS,YAAY,MAAM,IAAY;AAC5C,UAAQ,OAAO,IAAI,QAAQ,YAAY,EAAE;AAC3C;AAEO,SAAS,eAAe,KAAyB;AACtD,MAAI,CAAC,KAAK;AACR,WAAO;AAAA,EACT;AACA,MAAI;AACJ,MAAI,IAAI,MAAM,iBAAiB,GAAG;AAChC,YAAQ;AAAA,EACV,WAAW,IAAI,MAAM,kBAAkB,GAAG;AACxC,WAAO;AAAA,EACT,OAAO;AACL,YAAQ;AAAA,EACV;AAEA,QAAM,WAAW,IAAI,QAAQ,OAAO,EAAE;AACtC,SAAO,SAAS,QAAQ;AAC1B;AAQO,IAAM,8BAA8B,CAAC,aAAqB,YAAqB;AACpF,MAAI,CAAC,WAAW,UAAU,WAAW,GAAG;AACtC,WAAO;AAAA,EACT;AAEA,MAAI,CAAC,SAAS;AACZ,WAAO;AAAA,EACT;AAEA,SAAO,QAAQ,MAAM,GAAG,EAAE,CAAC,KAAK;AAClC;AAOO,IAAM,eAAe,CAAC,aAAqB,EAAE,eAAe,MAAmC;AACpG,QAAM,sBAAsB,YAAY,QAAQ,iBAAiB,EAAE;AACnE,QAAM,QAAQ,4BAA4B,aAAa,cAAc;AACrE,SAAO,WAAW,mBAAmB,wBAAwB,kBAAkB,KAAK;AACtF;AAMO,SAAS,+BAA+B,MAAuB;AACpE,SAAO,6BAA6B,KAAK,qBAAmB;AAC1D,WAAO,KAAK,WAAW,WAAW,KAAK,KAAK,SAAS,eAAe;AAAA,EACtE,CAAC;AACH;AAQO,SAAS,gCAAgC,MAAuB;AACrE,SAAO,8BAA8B,KAAK,sBAAoB;AAC5D,WAAO,KAAK,SAAS,gBAAgB,KAAK,CAAC,KAAK,SAAS,WAAW,gBAAgB;AAAA,EACtF,CAAC;AACH;AAIA,IAAM,oBAAoB;AAEnB,SAAS,iBAAiB,QAAQ,IAAI,yBAA4C;AACvF,MAAI,CAAC,yBAAyB;AAC5B,WAAO,MAAM,SAAS,GAAG;AAAA,EAC3B;AACA,SAAO,kBAAkB,KAAK,KAAK;AACrC;AAEO,SAAS,kBAAkB,QAAQ,IAAI,yBAA2C;AACvF,MAAI,CAAC,yBAAyB;AAC5B,WAAO,MAAM,SAAS,GAAG,IAAI,QAAQ,QAAQ;AAAA,EAC/C;AACA,MAAI,iBAAiB,OAAO,IAAI,GAAG;AACjC,WAAO,SAAS;AAAA,EAClB;AACA,MAAI,OAAO;AACX,MAAI,WAAW;AACf,QAAM,gBAAgB,MAAM,QAAQ,GAAG;AACvC,MAAI,iBAAiB,GAAG;AACtB,WAAO,MAAM,MAAM,GAAG,aAAa;AACnC,eAAW,MAAM,MAAM,aAAa;AACpC,QAAI,CAAC,MAAM;AACT,aAAO;AAAA,IACT;AAAA,EACF;AACA,QAAM,CAAC,IAAI,GAAG,CAAC,IAAI,KAAK,MAAM,GAAG;AACjC,SAAO,KAAK,OAAO,EAAE,SAAS,IAAI,IAAI,EAAE,KAAK,GAAG,CAAC,KAAK,MAAM;AAC9D;AAEO,SAAS,qBAAqB,QAAQ,IAAI,yBAA2C;AAC1F,MAAI,CAAC,yBAAyB;AAC5B,YAAQ,iBAAiB,KAAK,IAAI,MAAM,MAAM,GAAG,EAAE,IAAI,UAAU;AAAA,EACnE;AACA,MAAI,CAAC,iBAAiB,OAAO,IAAI,GAAG;AAClC,WAAO,SAAS;AAAA,EAClB;AACA,MAAI,OAAO;AACX,MAAI,WAAW;AACf,QAAM,gBAAgB,MAAM,QAAQ,GAAG;AACvC,MAAI,iBAAiB,GAAG;AACtB,WAAO,MAAM,MAAM,GAAG,aAAa;AACnC,eAAW,MAAM,MAAM,aAAa;AAAA,EACtC;AACA,QAAM,CAAC,IAAI,GAAG,CAAC,IAAI,KAAK,MAAM,GAAG;AACjC,UAAQ,GAAG,MAAM,GAAG,EAAE,KAAK,QAAQ,EAAE,SAAS,IAAI,IAAI,EAAE,KAAK,GAAG,CAAC,KAAK,MAAM;AAC9E;AAEO,SAAS,gBAAgB,QAAQ,IAAa;AACnD,SAAO,MAAM,WAAW,GAAG;AAC7B;AAEO,SAAS,oBAAoB,QAAQ,IAAY;AACtD,UAAQ,gBAAgB,KAAK,IAAI,MAAM,MAAM,CAAC,IAAI,UAAU;AAC9D;AAEO,SAAS,iBAAiB,QAAQ,IAAY;AACnD,SAAO,gBAAgB,KAAK,IAAI,QAAQ,MAAM;AAChD;AAEO,SAAS,mBAAmB,QAAQ,IAAY;AACrD,SAAO,MACJ,MAAM,KAAK,EACX,IAAI,aAAW,QAAQ,QAAQ,WAAW,GAAG,CAAC,EAC9C,KAAK,KAAK;AACf;AAEO,SAAS,cAAc,KAAa;AACzC,SAAO,OAAO,QAAQ;AACxB;AAEA,IAAM,wBAAwB;AAEvB,SAAS,QAAQ,SAAiB,OAAyB;AAChE,MAAI,MAAM,QAAQ;AAElB,aAAW,WAAW,MAAM,OAAO,CAAAA,SAAO,cAAcA,IAAG,CAAC,GAAG;AAC7D,QAAI,KAAK;AAEP,YAAM,WAAW,QAAQ,QAAQ,uBAAuB,EAAE;AAC1D,YAAM,kBAAkB,GAAG,IAAI;AAAA,IACjC,OAAO;AACL,YAAM;AAAA,IACR;AAAA,EACF;AAEA,SAAO;AACT;AAMA,IAAM,qBAAqB;AACpB,IAAM,gBAAgB,CAAC,QAAgB,mBAAmB,KAAK,GAAG;","names":["url"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.mjs new file mode 100644 index 000000000..7264e7b27 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.mjs @@ -0,0 +1,42 @@ +import { + addClerkPrefix, + cleanDoubleSlashes, + getClerkJsMajorVersionOrTag, + getScriptUrl, + hasLeadingSlash, + hasTrailingSlash, + isAbsoluteUrl, + isCurrentDevAccountPortalOrigin, + isLegacyDevAccountPortalOrigin, + isNonEmptyURL, + joinURL, + parseSearchParams, + stripScheme, + withLeadingSlash, + withTrailingSlash, + withoutLeadingSlash, + withoutTrailingSlash +} from "./chunk-IFTVZ2LQ.mjs"; +import "./chunk-3TMSNP4L.mjs"; +import "./chunk-I6MTSTOF.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + addClerkPrefix, + cleanDoubleSlashes, + getClerkJsMajorVersionOrTag, + getScriptUrl, + hasLeadingSlash, + hasTrailingSlash, + isAbsoluteUrl, + isCurrentDevAccountPortalOrigin, + isLegacyDevAccountPortalOrigin, + isNonEmptyURL, + joinURL, + parseSearchParams, + stripScheme, + withLeadingSlash, + withTrailingSlash, + withoutLeadingSlash, + withoutTrailingSlash +}; +//# sourceMappingURL=url.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/url.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.d.mts new file mode 100644 index 000000000..c922c2af2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.d.mts @@ -0,0 +1,35 @@ +export { h as handleValueOrFn } from '../handleValueOrFn-D2uLOn6s.mjs'; + +type Callback = (val?: any) => void; +/** + * Create a promise that can be resolved or rejected from + * outside the Promise constructor callback + */ +declare const createDeferredPromise: () => { + promise: Promise; + resolve: Callback; + reject: Callback; +}; + +/** + * Check if the frontendApi ends with a staging domain + */ +declare function isStaging(frontendApi: string): boolean; + +declare const logErrorInDevMode: (message: string) => void; + +declare const noop: (..._args: any[]) => void; + +declare const isDevelopmentEnvironment: () => boolean; +declare const isTestEnvironment: () => boolean; +declare const isProductionEnvironment: () => boolean; + +/** + * Merges 2 objects without creating new object references + * The merged props will appear on the `target` object + * If `target` already has a value for a given key it will not be overwritten + */ +declare const fastDeepMergeAndReplace: (source: Record | undefined | null, target: Record | undefined | null) => void; +declare const fastDeepMergeAndKeep: (source: Record | undefined | null, target: Record | undefined | null) => void; + +export { createDeferredPromise, fastDeepMergeAndKeep, fastDeepMergeAndReplace, isDevelopmentEnvironment, isProductionEnvironment, isStaging, isTestEnvironment, logErrorInDevMode, noop }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.d.ts new file mode 100644 index 000000000..78d16c8ae --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.d.ts @@ -0,0 +1,35 @@ +export { h as handleValueOrFn } from '../handleValueOrFn-D2uLOn6s.js'; + +type Callback = (val?: any) => void; +/** + * Create a promise that can be resolved or rejected from + * outside the Promise constructor callback + */ +declare const createDeferredPromise: () => { + promise: Promise; + resolve: Callback; + reject: Callback; +}; + +/** + * Check if the frontendApi ends with a staging domain + */ +declare function isStaging(frontendApi: string): boolean; + +declare const logErrorInDevMode: (message: string) => void; + +declare const noop: (..._args: any[]) => void; + +declare const isDevelopmentEnvironment: () => boolean; +declare const isTestEnvironment: () => boolean; +declare const isProductionEnvironment: () => boolean; + +/** + * Merges 2 objects without creating new object references + * The merged props will appear on the `target` object + * If `target` already has a value for a given key it will not be overwritten + */ +declare const fastDeepMergeAndReplace: (source: Record | undefined | null, target: Record | undefined | null) => void; +declare const fastDeepMergeAndKeep: (source: Record | undefined | null, target: Record | undefined | null) => void; + +export { createDeferredPromise, fastDeepMergeAndKeep, fastDeepMergeAndReplace, isDevelopmentEnvironment, isProductionEnvironment, isStaging, isTestEnvironment, logErrorInDevMode, noop }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.js new file mode 100644 index 000000000..3d216148c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.js @@ -0,0 +1,144 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/utils/index.ts +var utils_exports = {}; +__export(utils_exports, { + createDeferredPromise: () => createDeferredPromise, + fastDeepMergeAndKeep: () => fastDeepMergeAndKeep, + fastDeepMergeAndReplace: () => fastDeepMergeAndReplace, + handleValueOrFn: () => handleValueOrFn, + isDevelopmentEnvironment: () => isDevelopmentEnvironment, + isProductionEnvironment: () => isProductionEnvironment, + isStaging: () => isStaging, + isTestEnvironment: () => isTestEnvironment, + logErrorInDevMode: () => logErrorInDevMode, + noop: () => noop +}); +module.exports = __toCommonJS(utils_exports); + +// src/utils/noop.ts +var noop = (..._args) => { +}; + +// src/utils/createDeferredPromise.ts +var createDeferredPromise = () => { + let resolve = noop; + let reject = noop; + const promise = new Promise((res, rej) => { + resolve = res; + reject = rej; + }); + return { promise, resolve, reject }; +}; + +// src/utils/instance.ts +function isStaging(frontendApi) { + return frontendApi.endsWith(".lclstage.dev") || frontendApi.endsWith(".stgstage.dev") || frontendApi.endsWith(".clerkstage.dev") || frontendApi.endsWith(".accountsstage.dev"); +} + +// src/utils/runtimeEnvironment.ts +var isDevelopmentEnvironment = () => { + try { + return process.env.NODE_ENV === "development"; + } catch { + } + return false; +}; +var isTestEnvironment = () => { + try { + return process.env.NODE_ENV === "test"; + } catch { + } + return false; +}; +var isProductionEnvironment = () => { + try { + return process.env.NODE_ENV === "production"; + } catch { + } + return false; +}; + +// src/utils/logErrorInDevMode.ts +var logErrorInDevMode = (message) => { + if (isDevelopmentEnvironment()) { + console.error(`Clerk: ${message}`); + } +}; + +// src/utils/handleValueOrFn.ts +function handleValueOrFn(value, url, defaultValue) { + if (typeof value === "function") { + return value(url); + } + if (typeof value !== "undefined") { + return value; + } + if (typeof defaultValue !== "undefined") { + return defaultValue; + } + return void 0; +} + +// src/utils/fastDeepMerge.ts +var fastDeepMergeAndReplace = (source, target) => { + if (!source || !target) { + return; + } + for (const key in source) { + if (Object.prototype.hasOwnProperty.call(source, key) && source[key] !== null && typeof source[key] === `object`) { + if (target[key] === void 0) { + target[key] = new (Object.getPrototypeOf(source[key])).constructor(); + } + fastDeepMergeAndReplace(source[key], target[key]); + } else if (Object.prototype.hasOwnProperty.call(source, key)) { + target[key] = source[key]; + } + } +}; +var fastDeepMergeAndKeep = (source, target) => { + if (!source || !target) { + return; + } + for (const key in source) { + if (Object.prototype.hasOwnProperty.call(source, key) && source[key] !== null && typeof source[key] === `object`) { + if (target[key] === void 0) { + target[key] = new (Object.getPrototypeOf(source[key])).constructor(); + } + fastDeepMergeAndKeep(source[key], target[key]); + } else if (Object.prototype.hasOwnProperty.call(source, key) && target[key] === void 0) { + target[key] = source[key]; + } + } +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + createDeferredPromise, + fastDeepMergeAndKeep, + fastDeepMergeAndReplace, + handleValueOrFn, + isDevelopmentEnvironment, + isProductionEnvironment, + isStaging, + isTestEnvironment, + logErrorInDevMode, + noop +}); +//# sourceMappingURL=index.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.js.map new file mode 100644 index 000000000..135d90116 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../../src/utils/index.ts","../../src/utils/noop.ts","../../src/utils/createDeferredPromise.ts","../../src/utils/instance.ts","../../src/utils/runtimeEnvironment.ts","../../src/utils/logErrorInDevMode.ts","../../src/utils/handleValueOrFn.ts","../../src/utils/fastDeepMerge.ts"],"sourcesContent":["export * from './createDeferredPromise';\nexport { isStaging } from './instance';\nexport { logErrorInDevMode } from './logErrorInDevMode';\nexport { noop } from './noop';\nexport * from './runtimeEnvironment';\nexport { handleValueOrFn } from './handleValueOrFn';\nexport { fastDeepMergeAndReplace, fastDeepMergeAndKeep } from './fastDeepMerge';\n","export const noop = (..._args: any[]): void => {\n // do nothing.\n};\n","import { noop } from './noop';\n\ntype Callback = (val?: any) => void;\n\n/**\n * Create a promise that can be resolved or rejected from\n * outside the Promise constructor callback\n */\nexport const createDeferredPromise = () => {\n let resolve: Callback = noop;\n let reject: Callback = noop;\n const promise = new Promise((res, rej) => {\n resolve = res;\n reject = rej;\n });\n return { promise, resolve, reject };\n};\n","/**\n * Check if the frontendApi ends with a staging domain\n */\nexport function isStaging(frontendApi: string): boolean {\n return (\n frontendApi.endsWith('.lclstage.dev') ||\n frontendApi.endsWith('.stgstage.dev') ||\n frontendApi.endsWith('.clerkstage.dev') ||\n frontendApi.endsWith('.accountsstage.dev')\n );\n}\n","export const isDevelopmentEnvironment = (): boolean => {\n try {\n return process.env.NODE_ENV === 'development';\n // eslint-disable-next-line no-empty\n } catch {}\n\n // TODO: add support for import.meta.env.DEV that is being used by vite\n\n return false;\n};\n\nexport const isTestEnvironment = (): boolean => {\n try {\n return process.env.NODE_ENV === 'test';\n // eslint-disable-next-line no-empty\n } catch {}\n\n // TODO: add support for import.meta.env.DEV that is being used by vite\n return false;\n};\n\nexport const isProductionEnvironment = (): boolean => {\n try {\n return process.env.NODE_ENV === 'production';\n // eslint-disable-next-line no-empty\n } catch {}\n\n // TODO: add support for import.meta.env.DEV that is being used by vite\n return false;\n};\n","import { isDevelopmentEnvironment } from './runtimeEnvironment';\n\nexport const logErrorInDevMode = (message: string) => {\n if (isDevelopmentEnvironment()) {\n console.error(`Clerk: ${message}`);\n }\n};\n","type VOrFnReturnsV = T | undefined | ((v: URL) => T);\nexport function handleValueOrFn(value: VOrFnReturnsV, url: URL): T | undefined;\nexport function handleValueOrFn(value: VOrFnReturnsV, url: URL, defaultValue: T): T;\nexport function handleValueOrFn(value: VOrFnReturnsV, url: URL, defaultValue?: unknown): unknown {\n if (typeof value === 'function') {\n return (value as (v: URL) => T)(url);\n }\n\n if (typeof value !== 'undefined') {\n return value;\n }\n\n if (typeof defaultValue !== 'undefined') {\n return defaultValue;\n }\n\n return undefined;\n}\n","/**\n * Merges 2 objects without creating new object references\n * The merged props will appear on the `target` object\n * If `target` already has a value for a given key it will not be overwritten\n */\nexport const fastDeepMergeAndReplace = (\n source: Record | undefined | null,\n target: Record | undefined | null,\n) => {\n if (!source || !target) {\n return;\n }\n\n for (const key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key) && source[key] !== null && typeof source[key] === `object`) {\n if (target[key] === undefined) {\n target[key] = new (Object.getPrototypeOf(source[key]).constructor)();\n }\n fastDeepMergeAndReplace(source[key], target[key]);\n } else if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n};\n\nexport const fastDeepMergeAndKeep = (\n source: Record | undefined | null,\n target: Record | undefined | null,\n) => {\n if (!source || !target) {\n return;\n }\n\n for (const key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key) && source[key] !== null && typeof source[key] === `object`) {\n if (target[key] === undefined) {\n target[key] = new (Object.getPrototypeOf(source[key]).constructor)();\n }\n fastDeepMergeAndKeep(source[key], target[key]);\n } else if (Object.prototype.hasOwnProperty.call(source, key) && target[key] === undefined) {\n target[key] = source[key];\n }\n }\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACAO,IAAM,OAAO,IAAI,UAAuB;AAE/C;;;ACMO,IAAM,wBAAwB,MAAM;AACzC,MAAI,UAAoB;AACxB,MAAI,SAAmB;AACvB,QAAM,UAAU,IAAI,QAAQ,CAAC,KAAK,QAAQ;AACxC,cAAU;AACV,aAAS;AAAA,EACX,CAAC;AACD,SAAO,EAAE,SAAS,SAAS,OAAO;AACpC;;;ACbO,SAAS,UAAU,aAA8B;AACtD,SACE,YAAY,SAAS,eAAe,KACpC,YAAY,SAAS,eAAe,KACpC,YAAY,SAAS,iBAAiB,KACtC,YAAY,SAAS,oBAAoB;AAE7C;;;ACVO,IAAM,2BAA2B,MAAe;AACrD,MAAI;AACF,WAAO,QAAQ,IAAI,aAAa;AAAA,EAElC,QAAQ;AAAA,EAAC;AAIT,SAAO;AACT;AAEO,IAAM,oBAAoB,MAAe;AAC9C,MAAI;AACF,WAAO,QAAQ,IAAI,aAAa;AAAA,EAElC,QAAQ;AAAA,EAAC;AAGT,SAAO;AACT;AAEO,IAAM,0BAA0B,MAAe;AACpD,MAAI;AACF,WAAO,QAAQ,IAAI,aAAa;AAAA,EAElC,QAAQ;AAAA,EAAC;AAGT,SAAO;AACT;;;AC3BO,IAAM,oBAAoB,CAAC,YAAoB;AACpD,MAAI,yBAAyB,GAAG;AAC9B,YAAQ,MAAM,UAAU,OAAO,EAAE;AAAA,EACnC;AACF;;;ACHO,SAAS,gBAAmB,OAAyB,KAAU,cAAiC;AACrG,MAAI,OAAO,UAAU,YAAY;AAC/B,WAAQ,MAAwB,GAAG;AAAA,EACrC;AAEA,MAAI,OAAO,UAAU,aAAa;AAChC,WAAO;AAAA,EACT;AAEA,MAAI,OAAO,iBAAiB,aAAa;AACvC,WAAO;AAAA,EACT;AAEA,SAAO;AACT;;;ACZO,IAAM,0BAA0B,CACrC,QACA,WACG;AACH,MAAI,CAAC,UAAU,CAAC,QAAQ;AACtB;AAAA,EACF;AAEA,aAAW,OAAO,QAAQ;AACxB,QAAI,OAAO,UAAU,eAAe,KAAK,QAAQ,GAAG,KAAK,OAAO,GAAG,MAAM,QAAQ,OAAO,OAAO,GAAG,MAAM,UAAU;AAChH,UAAI,OAAO,GAAG,MAAM,QAAW;AAC7B,eAAO,GAAG,IAAI,KAAK,OAAO,eAAe,OAAO,GAAG,CAAC,GAAE,YAAa;AAAA,MACrE;AACA,8BAAwB,OAAO,GAAG,GAAG,OAAO,GAAG,CAAC;AAAA,IAClD,WAAW,OAAO,UAAU,eAAe,KAAK,QAAQ,GAAG,GAAG;AAC5D,aAAO,GAAG,IAAI,OAAO,GAAG;AAAA,IAC1B;AAAA,EACF;AACF;AAEO,IAAM,uBAAuB,CAClC,QACA,WACG;AACH,MAAI,CAAC,UAAU,CAAC,QAAQ;AACtB;AAAA,EACF;AAEA,aAAW,OAAO,QAAQ;AACxB,QAAI,OAAO,UAAU,eAAe,KAAK,QAAQ,GAAG,KAAK,OAAO,GAAG,MAAM,QAAQ,OAAO,OAAO,GAAG,MAAM,UAAU;AAChH,UAAI,OAAO,GAAG,MAAM,QAAW;AAC7B,eAAO,GAAG,IAAI,KAAK,OAAO,eAAe,OAAO,GAAG,CAAC,GAAE,YAAa;AAAA,MACrE;AACA,2BAAqB,OAAO,GAAG,GAAG,OAAO,GAAG,CAAC;AAAA,IAC/C,WAAW,OAAO,UAAU,eAAe,KAAK,QAAQ,GAAG,KAAK,OAAO,GAAG,MAAM,QAAW;AACzF,aAAO,GAAG,IAAI,OAAO,GAAG;AAAA,IAC1B;AAAA,EACF;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.mjs new file mode 100644 index 000000000..b08c5bd28 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.mjs @@ -0,0 +1,36 @@ +import { + fastDeepMergeAndKeep, + fastDeepMergeAndReplace, + logErrorInDevMode +} from "../chunk-3QKZJFQO.mjs"; +import { + createDeferredPromise +} from "../chunk-BS4QFUKM.mjs"; +import { + noop +} from "../chunk-7FNX7RWY.mjs"; +import { + isStaging +} from "../chunk-3TMSNP4L.mjs"; +import { + isDevelopmentEnvironment, + isProductionEnvironment, + isTestEnvironment +} from "../chunk-7HPDNZ3R.mjs"; +import { + handleValueOrFn +} from "../chunk-O32JQBM6.mjs"; +import "../chunk-7ELT755Q.mjs"; +export { + createDeferredPromise, + fastDeepMergeAndKeep, + fastDeepMergeAndReplace, + handleValueOrFn, + isDevelopmentEnvironment, + isProductionEnvironment, + isStaging, + isTestEnvironment, + logErrorInDevMode, + noop +}; +//# sourceMappingURL=index.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/utils/index.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.d.mts new file mode 100644 index 000000000..3444e6b26 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.d.mts @@ -0,0 +1,14 @@ +/** + * This version selector is a bit complicated, so here is the flow: + * 1. Use the clerkJSVersion prop on the provider + * 2. Use the exact `@clerk/clerk-js` version if it is a `@snapshot` prerelease + * 3. Use the prerelease tag of `@clerk/clerk-js` or the packageVersion provided + * 4. Fallback to the major version of `@clerk/clerk-js` or the packageVersion provided + * @param clerkJSVersion - The optional clerkJSVersion prop on the provider + * @param packageVersion - The version of `@clerk/clerk-js` that will be used if an explicit version is not provided + * @returns The npm tag, version or major version to use + */ +declare const versionSelector: (clerkJSVersion: string | undefined, packageVersion?: string) => string; +declare const getMajorVersion: (packageVersion: string) => string; + +export { getMajorVersion, versionSelector }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.d.ts new file mode 100644 index 000000000..3444e6b26 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.d.ts @@ -0,0 +1,14 @@ +/** + * This version selector is a bit complicated, so here is the flow: + * 1. Use the clerkJSVersion prop on the provider + * 2. Use the exact `@clerk/clerk-js` version if it is a `@snapshot` prerelease + * 3. Use the prerelease tag of `@clerk/clerk-js` or the packageVersion provided + * 4. Fallback to the major version of `@clerk/clerk-js` or the packageVersion provided + * @param clerkJSVersion - The optional clerkJSVersion prop on the provider + * @param packageVersion - The version of `@clerk/clerk-js` that will be used if an explicit version is not provided + * @returns The npm tag, version or major version to use + */ +declare const versionSelector: (clerkJSVersion: string | undefined, packageVersion?: string) => string; +declare const getMajorVersion: (packageVersion: string) => string; + +export { getMajorVersion, versionSelector }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.js new file mode 100644 index 000000000..6b6afdeb5 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.js @@ -0,0 +1,47 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/versionSelector.ts +var versionSelector_exports = {}; +__export(versionSelector_exports, { + getMajorVersion: () => getMajorVersion, + versionSelector: () => versionSelector +}); +module.exports = __toCommonJS(versionSelector_exports); +var versionSelector = (clerkJSVersion, packageVersion = "5.54.0") => { + if (clerkJSVersion) { + return clerkJSVersion; + } + const prereleaseTag = getPrereleaseTag(packageVersion); + if (prereleaseTag) { + if (prereleaseTag === "snapshot") { + return "5.54.0"; + } + return prereleaseTag; + } + return getMajorVersion(packageVersion); +}; +var getPrereleaseTag = (packageVersion) => packageVersion.trim().replace(/^v/, "").match(/-(.+?)(\.|$)/)?.[1]; +var getMajorVersion = (packageVersion) => packageVersion.trim().replace(/^v/, "").split(".")[0]; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + getMajorVersion, + versionSelector +}); +//# sourceMappingURL=versionSelector.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.js.map new file mode 100644 index 000000000..0d9fc495c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/versionSelector.ts"],"sourcesContent":["/**\n * This version selector is a bit complicated, so here is the flow:\n * 1. Use the clerkJSVersion prop on the provider\n * 2. Use the exact `@clerk/clerk-js` version if it is a `@snapshot` prerelease\n * 3. Use the prerelease tag of `@clerk/clerk-js` or the packageVersion provided\n * 4. Fallback to the major version of `@clerk/clerk-js` or the packageVersion provided\n * @param clerkJSVersion - The optional clerkJSVersion prop on the provider\n * @param packageVersion - The version of `@clerk/clerk-js` that will be used if an explicit version is not provided\n * @returns The npm tag, version or major version to use\n */\nexport const versionSelector = (clerkJSVersion: string | undefined, packageVersion = JS_PACKAGE_VERSION) => {\n if (clerkJSVersion) {\n return clerkJSVersion;\n }\n\n const prereleaseTag = getPrereleaseTag(packageVersion);\n if (prereleaseTag) {\n if (prereleaseTag === 'snapshot') {\n return JS_PACKAGE_VERSION;\n }\n\n return prereleaseTag;\n }\n\n return getMajorVersion(packageVersion);\n};\n\nconst getPrereleaseTag = (packageVersion: string) =>\n packageVersion\n .trim()\n .replace(/^v/, '')\n .match(/-(.+?)(\\.|$)/)?.[1];\n\nexport const getMajorVersion = (packageVersion: string) => packageVersion.trim().replace(/^v/, '').split('.')[0];\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAUO,IAAM,kBAAkB,CAAC,gBAAoC,iBAAiB,aAAuB;AAC1G,MAAI,gBAAgB;AAClB,WAAO;AAAA,EACT;AAEA,QAAM,gBAAgB,iBAAiB,cAAc;AACrD,MAAI,eAAe;AACjB,QAAI,kBAAkB,YAAY;AAChC,aAAO;AAAA,IACT;AAEA,WAAO;AAAA,EACT;AAEA,SAAO,gBAAgB,cAAc;AACvC;AAEA,IAAM,mBAAmB,CAAC,mBACxB,eACG,KAAK,EACL,QAAQ,MAAM,EAAE,EAChB,MAAM,cAAc,IAAI,CAAC;AAEvB,IAAM,kBAAkB,CAAC,mBAA2B,eAAe,KAAK,EAAE,QAAQ,MAAM,EAAE,EAAE,MAAM,GAAG,EAAE,CAAC;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.mjs new file mode 100644 index 000000000..228f742a2 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.mjs @@ -0,0 +1,10 @@ +import { + getMajorVersion, + versionSelector +} from "./chunk-QL5NCNJD.mjs"; +import "./chunk-7ELT755Q.mjs"; +export { + getMajorVersion, + versionSelector +}; +//# sourceMappingURL=versionSelector.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/versionSelector.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.d.mts new file mode 100644 index 000000000..79580486c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.d.mts @@ -0,0 +1,5 @@ +import { Web3ProviderData } from '@clerk/types'; + +declare const WEB3_PROVIDERS: Web3ProviderData[]; + +export { WEB3_PROVIDERS }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.d.ts new file mode 100644 index 000000000..79580486c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.d.ts @@ -0,0 +1,5 @@ +import { Web3ProviderData } from '@clerk/types'; + +declare const WEB3_PROVIDERS: Web3ProviderData[]; + +export { WEB3_PROVIDERS }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.js new file mode 100644 index 000000000..d4a41c085 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.js @@ -0,0 +1,47 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/web3.ts +var web3_exports = {}; +__export(web3_exports, { + WEB3_PROVIDERS: () => WEB3_PROVIDERS +}); +module.exports = __toCommonJS(web3_exports); +var WEB3_PROVIDERS = [ + { + provider: "metamask", + strategy: "web3_metamask_signature", + name: "MetaMask" + }, + { + provider: "coinbase_wallet", + strategy: "web3_coinbase_wallet_signature", + name: "Coinbase Wallet" + }, + { + provider: "okx_wallet", + strategy: "web3_okx_wallet_signature", + name: "OKX Wallet" + } +]; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + WEB3_PROVIDERS +}); +//# sourceMappingURL=web3.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.js.map new file mode 100644 index 000000000..86bfcd1bc --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/web3.ts"],"sourcesContent":["import type { Web3ProviderData } from '@clerk/types';\n\nexport const WEB3_PROVIDERS: Web3ProviderData[] = [\n {\n provider: 'metamask',\n strategy: 'web3_metamask_signature',\n name: 'MetaMask',\n },\n {\n provider: 'coinbase_wallet',\n strategy: 'web3_coinbase_wallet_signature',\n name: 'Coinbase Wallet',\n },\n {\n provider: 'okx_wallet',\n strategy: 'web3_okx_wallet_signature',\n name: 'OKX Wallet',\n },\n];\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAEO,IAAM,iBAAqC;AAAA,EAChD;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,EACR;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,EACR;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,EACR;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.mjs new file mode 100644 index 000000000..b7a183eed --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.mjs @@ -0,0 +1,24 @@ +import "./chunk-7ELT755Q.mjs"; + +// src/web3.ts +var WEB3_PROVIDERS = [ + { + provider: "metamask", + strategy: "web3_metamask_signature", + name: "MetaMask" + }, + { + provider: "coinbase_wallet", + strategy: "web3_coinbase_wallet_signature", + name: "Coinbase Wallet" + }, + { + provider: "okx_wallet", + strategy: "web3_okx_wallet_signature", + name: "OKX Wallet" + } +]; +export { + WEB3_PROVIDERS +}; +//# sourceMappingURL=web3.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.mjs.map new file mode 100644 index 000000000..f2fa1b899 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/web3.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/web3.ts"],"sourcesContent":["import type { Web3ProviderData } from '@clerk/types';\n\nexport const WEB3_PROVIDERS: Web3ProviderData[] = [\n {\n provider: 'metamask',\n strategy: 'web3_metamask_signature',\n name: 'MetaMask',\n },\n {\n provider: 'coinbase_wallet',\n strategy: 'web3_coinbase_wallet_signature',\n name: 'Coinbase Wallet',\n },\n {\n provider: 'okx_wallet',\n strategy: 'web3_okx_wallet_signature',\n name: 'OKX Wallet',\n },\n];\n"],"mappings":";;;AAEO,IAAM,iBAAqC;AAAA,EAChD;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,EACR;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,EACR;AAAA,EACA;AAAA,IACE,UAAU;AAAA,IACV,UAAU;AAAA,IACV,MAAM;AAAA,EACR;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.d.mts new file mode 100644 index 000000000..af63fee76 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.d.mts @@ -0,0 +1,5 @@ +declare function isWebAuthnSupported(): boolean; +declare function isWebAuthnAutofillSupported(): Promise; +declare function isWebAuthnPlatformAuthenticatorSupported(): Promise; + +export { isWebAuthnAutofillSupported, isWebAuthnPlatformAuthenticatorSupported, isWebAuthnSupported }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.d.ts new file mode 100644 index 000000000..af63fee76 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.d.ts @@ -0,0 +1,5 @@ +declare function isWebAuthnSupported(): boolean; +declare function isWebAuthnAutofillSupported(): Promise; +declare function isWebAuthnPlatformAuthenticatorSupported(): Promise; + +export { isWebAuthnAutofillSupported, isWebAuthnPlatformAuthenticatorSupported, isWebAuthnSupported }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.js new file mode 100644 index 000000000..da8d7dc07 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.js @@ -0,0 +1,100 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/webauthn.ts +var webauthn_exports = {}; +__export(webauthn_exports, { + isWebAuthnAutofillSupported: () => isWebAuthnAutofillSupported, + isWebAuthnPlatformAuthenticatorSupported: () => isWebAuthnPlatformAuthenticatorSupported, + isWebAuthnSupported: () => isWebAuthnSupported +}); +module.exports = __toCommonJS(webauthn_exports); + +// src/browser.ts +function inBrowser() { + return typeof window !== "undefined"; +} +var botAgents = [ + "bot", + "spider", + "crawl", + "APIs-Google", + "AdsBot", + "Googlebot", + "mediapartners", + "Google Favicon", + "FeedFetcher", + "Google-Read-Aloud", + "DuplexWeb-Google", + "googleweblight", + "bing", + "yandex", + "baidu", + "duckduck", + "yahoo", + "ecosia", + "ia_archiver", + "facebook", + "instagram", + "pinterest", + "reddit", + "slack", + "twitter", + "whatsapp", + "youtube", + "semrush" +]; +var botAgentRegex = new RegExp(botAgents.join("|"), "i"); +function userAgentIsRobot(userAgent) { + return !userAgent ? false : botAgentRegex.test(userAgent); +} +function isValidBrowser() { + const navigator = inBrowser() ? window?.navigator : null; + if (!navigator) { + return false; + } + return !userAgentIsRobot(navigator?.userAgent) && !navigator?.webdriver; +} + +// src/webauthn.ts +function isWebAuthnSupported() { + return isValidBrowser() && // Check if `PublicKeyCredential` is a constructor + typeof window.PublicKeyCredential === "function"; +} +async function isWebAuthnAutofillSupported() { + try { + return isWebAuthnSupported() && await window.PublicKeyCredential.isConditionalMediationAvailable(); + } catch { + return false; + } +} +async function isWebAuthnPlatformAuthenticatorSupported() { + try { + return typeof window !== "undefined" && await window.PublicKeyCredential.isUserVerifyingPlatformAuthenticatorAvailable(); + } catch { + return false; + } +} +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + isWebAuthnAutofillSupported, + isWebAuthnPlatformAuthenticatorSupported, + isWebAuthnSupported +}); +//# sourceMappingURL=webauthn.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.js.map new file mode 100644 index 000000000..f6630a8c1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/webauthn.ts","../src/browser.ts"],"sourcesContent":["import { isValidBrowser } from './browser';\n\nfunction isWebAuthnSupported() {\n return (\n isValidBrowser() &&\n // Check if `PublicKeyCredential` is a constructor\n typeof window.PublicKeyCredential === 'function'\n );\n}\n\nasync function isWebAuthnAutofillSupported(): Promise {\n try {\n return isWebAuthnSupported() && (await window.PublicKeyCredential.isConditionalMediationAvailable());\n } catch {\n return false;\n }\n}\n\nasync function isWebAuthnPlatformAuthenticatorSupported(): Promise {\n try {\n return (\n typeof window !== 'undefined' &&\n (await window.PublicKeyCredential.isUserVerifyingPlatformAuthenticatorAvailable())\n );\n } catch {\n return false;\n }\n}\n\nexport { isWebAuthnPlatformAuthenticatorSupported, isWebAuthnAutofillSupported, isWebAuthnSupported };\n","/**\n * Checks if the window object is defined. You can also use this to check if something is happening on the client side.\n * @returns {boolean}\n */\nexport function inBrowser(): boolean {\n return typeof window !== 'undefined';\n}\n\nconst botAgents = [\n 'bot',\n 'spider',\n 'crawl',\n 'APIs-Google',\n 'AdsBot',\n 'Googlebot',\n 'mediapartners',\n 'Google Favicon',\n 'FeedFetcher',\n 'Google-Read-Aloud',\n 'DuplexWeb-Google',\n 'googleweblight',\n 'bing',\n 'yandex',\n 'baidu',\n 'duckduck',\n 'yahoo',\n 'ecosia',\n 'ia_archiver',\n 'facebook',\n 'instagram',\n 'pinterest',\n 'reddit',\n 'slack',\n 'twitter',\n 'whatsapp',\n 'youtube',\n 'semrush',\n];\nconst botAgentRegex = new RegExp(botAgents.join('|'), 'i');\n\n/**\n * Checks if the user agent is a bot.\n * @param userAgent - Any user agent string\n * @returns {boolean}\n */\nexport function userAgentIsRobot(userAgent: string): boolean {\n return !userAgent ? false : botAgentRegex.test(userAgent);\n}\n\n/**\n * Checks if the current environment is a browser and the user agent is not a bot.\n * @returns {boolean}\n */\nexport function isValidBrowser(): boolean {\n const navigator = inBrowser() ? window?.navigator : null;\n if (!navigator) {\n return false;\n }\n return !userAgentIsRobot(navigator?.userAgent) && !navigator?.webdriver;\n}\n\n/**\n * Checks if the current environment is a browser and if the navigator is online.\n * @returns {boolean}\n */\nexport function isBrowserOnline(): boolean {\n const navigator = inBrowser() ? window?.navigator : null;\n if (!navigator) {\n return false;\n }\n\n const isNavigatorOnline = navigator?.onLine;\n\n // Being extra safe with the experimental `connection` property, as it is not defined in all browsers\n // https://developer.mozilla.org/en-US/docs/Web/API/Navigator/connection#browser_compatibility\n // @ts-ignore\n const isExperimentalConnectionOnline = navigator?.connection?.rtt !== 0 && navigator?.connection?.downlink !== 0;\n return isExperimentalConnectionOnline && isNavigatorOnline;\n}\n\n/**\n * Runs `isBrowserOnline` and `isValidBrowser` to check if the current environment is a valid browser and if the navigator is online.\n * @returns {boolean}\n */\nexport function isValidBrowserOnline(): boolean {\n return isBrowserOnline() && isValidBrowser();\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACIO,SAAS,YAAqB;AACnC,SAAO,OAAO,WAAW;AAC3B;AAEA,IAAM,YAAY;AAAA,EAChB;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AACF;AACA,IAAM,gBAAgB,IAAI,OAAO,UAAU,KAAK,GAAG,GAAG,GAAG;AAOlD,SAAS,iBAAiB,WAA4B;AAC3D,SAAO,CAAC,YAAY,QAAQ,cAAc,KAAK,SAAS;AAC1D;AAMO,SAAS,iBAA0B;AACxC,QAAM,YAAY,UAAU,IAAI,QAAQ,YAAY;AACpD,MAAI,CAAC,WAAW;AACd,WAAO;AAAA,EACT;AACA,SAAO,CAAC,iBAAiB,WAAW,SAAS,KAAK,CAAC,WAAW;AAChE;;;ADzDA,SAAS,sBAAsB;AAC7B,SACE,eAAe;AAAA,EAEf,OAAO,OAAO,wBAAwB;AAE1C;AAEA,eAAe,8BAAgD;AAC7D,MAAI;AACF,WAAO,oBAAoB,KAAM,MAAM,OAAO,oBAAoB,gCAAgC;AAAA,EACpG,QAAQ;AACN,WAAO;AAAA,EACT;AACF;AAEA,eAAe,2CAA6D;AAC1E,MAAI;AACF,WACE,OAAO,WAAW,eACjB,MAAM,OAAO,oBAAoB,8CAA8C;AAAA,EAEpF,QAAQ;AACN,WAAO;AAAA,EACT;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.mjs new file mode 100644 index 000000000..0ef864a53 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.mjs @@ -0,0 +1,30 @@ +import { + isValidBrowser +} from "./chunk-JKSAJ6AV.mjs"; +import "./chunk-7ELT755Q.mjs"; + +// src/webauthn.ts +function isWebAuthnSupported() { + return isValidBrowser() && // Check if `PublicKeyCredential` is a constructor + typeof window.PublicKeyCredential === "function"; +} +async function isWebAuthnAutofillSupported() { + try { + return isWebAuthnSupported() && await window.PublicKeyCredential.isConditionalMediationAvailable(); + } catch { + return false; + } +} +async function isWebAuthnPlatformAuthenticatorSupported() { + try { + return typeof window !== "undefined" && await window.PublicKeyCredential.isUserVerifyingPlatformAuthenticatorAvailable(); + } catch { + return false; + } +} +export { + isWebAuthnAutofillSupported, + isWebAuthnPlatformAuthenticatorSupported, + isWebAuthnSupported +}; +//# sourceMappingURL=webauthn.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.mjs.map new file mode 100644 index 000000000..16a275669 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/webauthn.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":["../src/webauthn.ts"],"sourcesContent":["import { isValidBrowser } from './browser';\n\nfunction isWebAuthnSupported() {\n return (\n isValidBrowser() &&\n // Check if `PublicKeyCredential` is a constructor\n typeof window.PublicKeyCredential === 'function'\n );\n}\n\nasync function isWebAuthnAutofillSupported(): Promise {\n try {\n return isWebAuthnSupported() && (await window.PublicKeyCredential.isConditionalMediationAvailable());\n } catch {\n return false;\n }\n}\n\nasync function isWebAuthnPlatformAuthenticatorSupported(): Promise {\n try {\n return (\n typeof window !== 'undefined' &&\n (await window.PublicKeyCredential.isUserVerifyingPlatformAuthenticatorAvailable())\n );\n } catch {\n return false;\n }\n}\n\nexport { isWebAuthnPlatformAuthenticatorSupported, isWebAuthnAutofillSupported, isWebAuthnSupported };\n"],"mappings":";;;;;;AAEA,SAAS,sBAAsB;AAC7B,SACE,eAAe;AAAA,EAEf,OAAO,OAAO,wBAAwB;AAE1C;AAEA,eAAe,8BAAgD;AAC7D,MAAI;AACF,WAAO,oBAAoB,KAAM,MAAM,OAAO,oBAAoB,gCAAgC;AAAA,EACpG,QAAQ;AACN,WAAO;AAAA,EACT;AACF;AAEA,eAAe,2CAA6D;AAC1E,MAAI;AACF,WACE,OAAO,WAAW,eACjB,MAAM,OAAO,oBAAoB,8CAA8C;AAAA,EAEpF,QAAQ;AACN,WAAO;AAAA,EACT;AACF;","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.d.mts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.d.mts new file mode 100644 index 000000000..245cefd2a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.d.mts @@ -0,0 +1,14 @@ +type WorkerTimerId = number; +type WorkerTimeoutCallback = () => void; +type WorkerSetTimeout = (cb: WorkerTimeoutCallback, ms: number) => WorkerTimerId; +type WorkerClearTimeout = (id: WorkerTimerId) => void; + +declare const createWorkerTimers: () => { + setTimeout: WorkerSetTimeout; + setInterval: WorkerSetTimeout; + clearTimeout: WorkerClearTimeout; + clearInterval: WorkerClearTimeout; + cleanup: (..._args: any[]) => void; +}; + +export { createWorkerTimers }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.d.ts b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.d.ts new file mode 100644 index 000000000..245cefd2a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.d.ts @@ -0,0 +1,14 @@ +type WorkerTimerId = number; +type WorkerTimeoutCallback = () => void; +type WorkerSetTimeout = (cb: WorkerTimeoutCallback, ms: number) => WorkerTimerId; +type WorkerClearTimeout = (id: WorkerTimerId) => void; + +declare const createWorkerTimers: () => { + setTimeout: WorkerSetTimeout; + setInterval: WorkerSetTimeout; + clearTimeout: WorkerClearTimeout; + clearInterval: WorkerClearTimeout; + cleanup: (..._args: any[]) => void; +}; + +export { createWorkerTimers }; diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.js b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.js new file mode 100644 index 000000000..e5acab7c6 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.js @@ -0,0 +1,114 @@ +"use strict"; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __export = (target, all) => { + for (var name in all) + __defProp(target, name, { get: all[name], enumerable: true }); +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); + +// src/workerTimers/index.ts +var workerTimers_exports = {}; +__export(workerTimers_exports, { + createWorkerTimers: () => createWorkerTimers +}); +module.exports = __toCommonJS(workerTimers_exports); + +// src/utils/noop.ts +var noop = (..._args) => { +}; + +// src/workerTimers/workerTimers.worker.ts +var workerTimers_worker_default = 'const respond=r=>{self.postMessage(r)},workerToTabIds={};self.addEventListener("message",r=>{const e=r.data;switch(e.type){case"setTimeout":workerToTabIds[e.id]=setTimeout(()=>{respond({id:e.id}),delete workerToTabIds[e.id]},e.ms);break;case"clearTimeout":workerToTabIds[e.id]&&(clearTimeout(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break;case"setInterval":workerToTabIds[e.id]=setInterval(()=>{respond({id:e.id})},e.ms);break;case"clearInterval":workerToTabIds[e.id]&&(clearInterval(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break}});\n'; + +// src/workerTimers/createWorkerTimers.ts +var createWebWorker = (source, opts = {}) => { + if (typeof Worker === "undefined") { + return null; + } + try { + const blob = new Blob([source], { type: "application/javascript; charset=utf-8" }); + const workerScript = globalThis.URL.createObjectURL(blob); + return new Worker(workerScript, opts); + } catch { + console.warn("Clerk: Cannot create worker from blob. Consider adding worker-src blob:; to your CSP"); + return null; + } +}; +var fallbackTimers = () => { + const setTimeout = globalThis.setTimeout.bind(globalThis); + const setInterval = globalThis.setInterval.bind(globalThis); + const clearTimeout = globalThis.clearTimeout.bind(globalThis); + const clearInterval = globalThis.clearInterval.bind(globalThis); + return { setTimeout, setInterval, clearTimeout, clearInterval, cleanup: noop }; +}; +var createWorkerTimers = () => { + let id = 0; + const generateId = () => id++; + const callbacks = /* @__PURE__ */ new Map(); + const post = (w, p) => w?.postMessage(p); + const handleMessage = (e) => { + callbacks.get(e.data.id)?.(); + }; + let worker = createWebWorker(workerTimers_worker_default, { name: "clerk-timers" }); + worker?.addEventListener("message", handleMessage); + if (!worker) { + return fallbackTimers(); + } + const init = () => { + if (!worker) { + worker = createWebWorker(workerTimers_worker_default, { name: "clerk-timers" }); + worker?.addEventListener("message", handleMessage); + } + }; + const cleanup = () => { + if (worker) { + worker.terminate(); + worker = null; + callbacks.clear(); + } + }; + const setTimeout = (cb, ms) => { + init(); + const id2 = generateId(); + callbacks.set(id2, () => { + cb(); + callbacks.delete(id2); + }); + post(worker, { type: "setTimeout", id: id2, ms }); + return id2; + }; + const setInterval = (cb, ms) => { + init(); + const id2 = generateId(); + callbacks.set(id2, cb); + post(worker, { type: "setInterval", id: id2, ms }); + return id2; + }; + const clearTimeout = (id2) => { + init(); + callbacks.delete(id2); + post(worker, { type: "clearTimeout", id: id2 }); + }; + const clearInterval = (id2) => { + init(); + callbacks.delete(id2); + post(worker, { type: "clearInterval", id: id2 }); + }; + return { setTimeout, setInterval, clearTimeout, clearInterval, cleanup }; +}; +// Annotate the CommonJS export names for ESM import in node: +0 && (module.exports = { + createWorkerTimers +}); +//# sourceMappingURL=index.js.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.js.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.js.map new file mode 100644 index 000000000..409815a13 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../../src/workerTimers/index.ts","../../src/utils/noop.ts","../../src/workerTimers/workerTimers.worker.ts","../../src/workerTimers/createWorkerTimers.ts"],"sourcesContent":["export { createWorkerTimers } from './createWorkerTimers';\n","export const noop = (..._args: any[]): void => {\n // do nothing.\n};\n","const respond=r=>{self.postMessage(r)},workerToTabIds={};self.addEventListener(\"message\",r=>{const e=r.data;switch(e.type){case\"setTimeout\":workerToTabIds[e.id]=setTimeout(()=>{respond({id:e.id}),delete workerToTabIds[e.id]},e.ms);break;case\"clearTimeout\":workerToTabIds[e.id]&&(clearTimeout(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break;case\"setInterval\":workerToTabIds[e.id]=setInterval(()=>{respond({id:e.id})},e.ms);break;case\"clearInterval\":workerToTabIds[e.id]&&(clearInterval(workerToTabIds[e.id]),delete workerToTabIds[e.id]);break}});\n","import { noop } from '../utils/noop';\nimport type {\n WorkerClearTimeout,\n WorkerSetTimeout,\n WorkerTimeoutCallback,\n WorkerTimerEvent,\n WorkerTimerId,\n WorkerTimerResponseEvent,\n} from './workerTimers.types';\n// @ts-ignore\n// eslint-disable-next-line import/default\nimport pollerWorkerSource from './workerTimers.worker';\n\nconst createWebWorker = (source: string, opts: ConstructorParameters[1] = {}): Worker | null => {\n if (typeof Worker === 'undefined') {\n return null;\n }\n\n try {\n const blob = new Blob([source], { type: 'application/javascript; charset=utf-8' });\n const workerScript = globalThis.URL.createObjectURL(blob);\n return new Worker(workerScript, opts);\n } catch {\n console.warn('Clerk: Cannot create worker from blob. Consider adding worker-src blob:; to your CSP');\n return null;\n }\n};\n\nconst fallbackTimers = () => {\n const setTimeout = globalThis.setTimeout.bind(globalThis) as WorkerSetTimeout;\n const setInterval = globalThis.setInterval.bind(globalThis) as WorkerSetTimeout;\n const clearTimeout = globalThis.clearTimeout.bind(globalThis) as WorkerClearTimeout;\n const clearInterval = globalThis.clearInterval.bind(globalThis) as WorkerClearTimeout;\n return { setTimeout, setInterval, clearTimeout, clearInterval, cleanup: noop };\n};\n\nexport const createWorkerTimers = () => {\n let id = 0;\n const generateId = () => id++;\n const callbacks = new Map();\n const post = (w: Worker | null, p: WorkerTimerEvent) => w?.postMessage(p);\n const handleMessage = (e: MessageEvent) => {\n callbacks.get(e.data.id)?.();\n };\n\n let worker = createWebWorker(pollerWorkerSource, { name: 'clerk-timers' });\n worker?.addEventListener('message', handleMessage);\n\n if (!worker) {\n return fallbackTimers();\n }\n\n const init = () => {\n if (!worker) {\n worker = createWebWorker(pollerWorkerSource, { name: 'clerk-timers' });\n worker?.addEventListener('message', handleMessage);\n }\n };\n\n const cleanup = () => {\n if (worker) {\n worker.terminate();\n worker = null;\n callbacks.clear();\n }\n };\n\n const setTimeout: WorkerSetTimeout = (cb, ms) => {\n init();\n const id = generateId();\n callbacks.set(id, () => {\n cb();\n callbacks.delete(id);\n });\n post(worker, { type: 'setTimeout', id, ms });\n return id;\n };\n\n const setInterval: WorkerSetTimeout = (cb, ms) => {\n init();\n const id = generateId();\n callbacks.set(id, cb);\n post(worker, { type: 'setInterval', id, ms });\n return id;\n };\n\n const clearTimeout: WorkerClearTimeout = id => {\n init();\n callbacks.delete(id);\n post(worker, { type: 'clearTimeout', id });\n };\n\n const clearInterval: WorkerClearTimeout = id => {\n init();\n callbacks.delete(id);\n post(worker, { type: 'clearInterval', id });\n };\n\n return { setTimeout, setInterval, clearTimeout, clearInterval, cleanup };\n};\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;;;ACAO,IAAM,OAAO,IAAI,UAAuB;AAE/C;;;ACFA;;;ACaA,IAAM,kBAAkB,CAAC,QAAgB,OAAgD,CAAC,MAAqB;AAC7G,MAAI,OAAO,WAAW,aAAa;AACjC,WAAO;AAAA,EACT;AAEA,MAAI;AACF,UAAM,OAAO,IAAI,KAAK,CAAC,MAAM,GAAG,EAAE,MAAM,wCAAwC,CAAC;AACjF,UAAM,eAAe,WAAW,IAAI,gBAAgB,IAAI;AACxD,WAAO,IAAI,OAAO,cAAc,IAAI;AAAA,EACtC,QAAQ;AACN,YAAQ,KAAK,sFAAsF;AACnG,WAAO;AAAA,EACT;AACF;AAEA,IAAM,iBAAiB,MAAM;AAC3B,QAAM,aAAa,WAAW,WAAW,KAAK,UAAU;AACxD,QAAM,cAAc,WAAW,YAAY,KAAK,UAAU;AAC1D,QAAM,eAAe,WAAW,aAAa,KAAK,UAAU;AAC5D,QAAM,gBAAgB,WAAW,cAAc,KAAK,UAAU;AAC9D,SAAO,EAAE,YAAY,aAAa,cAAc,eAAe,SAAS,KAAK;AAC/E;AAEO,IAAM,qBAAqB,MAAM;AACtC,MAAI,KAAK;AACT,QAAM,aAAa,MAAM;AACzB,QAAM,YAAY,oBAAI,IAA0C;AAChE,QAAM,OAAO,CAAC,GAAkB,MAAwB,GAAG,YAAY,CAAC;AACxE,QAAM,gBAAgB,CAAC,MAA8C;AACnE,cAAU,IAAI,EAAE,KAAK,EAAE,IAAI;AAAA,EAC7B;AAEA,MAAI,SAAS,gBAAgB,6BAAoB,EAAE,MAAM,eAAe,CAAC;AACzE,UAAQ,iBAAiB,WAAW,aAAa;AAEjD,MAAI,CAAC,QAAQ;AACX,WAAO,eAAe;AAAA,EACxB;AAEA,QAAM,OAAO,MAAM;AACjB,QAAI,CAAC,QAAQ;AACX,eAAS,gBAAgB,6BAAoB,EAAE,MAAM,eAAe,CAAC;AACrE,cAAQ,iBAAiB,WAAW,aAAa;AAAA,IACnD;AAAA,EACF;AAEA,QAAM,UAAU,MAAM;AACpB,QAAI,QAAQ;AACV,aAAO,UAAU;AACjB,eAAS;AACT,gBAAU,MAAM;AAAA,IAClB;AAAA,EACF;AAEA,QAAM,aAA+B,CAAC,IAAI,OAAO;AAC/C,SAAK;AACL,UAAMA,MAAK,WAAW;AACtB,cAAU,IAAIA,KAAI,MAAM;AACtB,SAAG;AACH,gBAAU,OAAOA,GAAE;AAAA,IACrB,CAAC;AACD,SAAK,QAAQ,EAAE,MAAM,cAAc,IAAAA,KAAI,GAAG,CAAC;AAC3C,WAAOA;AAAA,EACT;AAEA,QAAM,cAAgC,CAAC,IAAI,OAAO;AAChD,SAAK;AACL,UAAMA,MAAK,WAAW;AACtB,cAAU,IAAIA,KAAI,EAAE;AACpB,SAAK,QAAQ,EAAE,MAAM,eAAe,IAAAA,KAAI,GAAG,CAAC;AAC5C,WAAOA;AAAA,EACT;AAEA,QAAM,eAAmC,CAAAA,QAAM;AAC7C,SAAK;AACL,cAAU,OAAOA,GAAE;AACnB,SAAK,QAAQ,EAAE,MAAM,gBAAgB,IAAAA,IAAG,CAAC;AAAA,EAC3C;AAEA,QAAM,gBAAoC,CAAAA,QAAM;AAC9C,SAAK;AACL,cAAU,OAAOA,GAAE;AACnB,SAAK,QAAQ,EAAE,MAAM,iBAAiB,IAAAA,IAAG,CAAC;AAAA,EAC5C;AAEA,SAAO,EAAE,YAAY,aAAa,cAAc,eAAe,QAAQ;AACzE;","names":["id"]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.mjs new file mode 100644 index 000000000..4103a0ab9 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.mjs @@ -0,0 +1,9 @@ +import { + createWorkerTimers +} from "../chunk-ZHPWRK4R.mjs"; +import "../chunk-7FNX7RWY.mjs"; +import "../chunk-7ELT755Q.mjs"; +export { + createWorkerTimers +}; +//# sourceMappingURL=index.mjs.map \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.mjs.map b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.mjs.map new file mode 100644 index 000000000..84c51b288 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dist/workerTimers/index.mjs.map @@ -0,0 +1 @@ +{"version":3,"sources":[],"sourcesContent":[],"mappings":"","names":[]} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dom/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dom/package.json new file mode 100644 index 000000000..fde34ba60 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/dom/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/dom/index.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/error/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/error/package.json new file mode 100644 index 000000000..b5ac12f6b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/error/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/error.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/file/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/file/package.json new file mode 100644 index 000000000..fa15f0bf7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/file/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/file.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/getEnvVariable/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/getEnvVariable/package.json new file mode 100644 index 000000000..22e373dbb --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/getEnvVariable/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/getEnvVariable.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/globs/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/globs/package.json new file mode 100644 index 000000000..d60905750 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/globs/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/globs.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/handleValueOrFn/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/handleValueOrFn/package.json new file mode 100644 index 000000000..7aa0add7a --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/handleValueOrFn/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/handleValueOrFn.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/isomorphicAtob/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/isomorphicAtob/package.json new file mode 100644 index 000000000..c380a8502 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/isomorphicAtob/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/isomorphicAtob.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/isomorphicBtoa/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/isomorphicBtoa/package.json new file mode 100644 index 000000000..20a5dd45f --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/isomorphicBtoa/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/isomorphicBtoa.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/keys/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/keys/package.json new file mode 100644 index 000000000..e1ea16b03 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/keys/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/keys.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/loadClerkJsScript/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/loadClerkJsScript/package.json new file mode 100644 index 000000000..8a4689de0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/loadClerkJsScript/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/loadClerkJsScript.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/loadScript/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/loadScript/package.json new file mode 100644 index 000000000..41bc4c5c5 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/loadScript/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/loadScript.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/localStorageBroadcastChannel/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/localStorageBroadcastChannel/package.json new file mode 100644 index 000000000..e1ccdf10c --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/localStorageBroadcastChannel/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/localStorageBroadcastChannel.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/logger/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/logger/package.json new file mode 100644 index 000000000..6c1a38e6b --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/logger/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/logger.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/oauth/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/oauth/package.json new file mode 100644 index 000000000..f6f6cdd6f --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/oauth/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/oauth.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/object/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/object/package.json new file mode 100644 index 000000000..a9b8e5727 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/object/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/object.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/organization/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/organization/package.json new file mode 100644 index 000000000..4518b4f60 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/organization/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/organization.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/package.json new file mode 100644 index 000000000..dc086b6d1 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/package.json @@ -0,0 +1,171 @@ +{ + "name": "@clerk/shared", + "version": "3.0.0", + "description": "Internal package utils used by the Clerk SDKs", + "repository": { + "type": "git", + "url": "git+https://github.com/clerk/javascript.git", + "directory": "packages/shared" + }, + "license": "MIT", + "author": "Clerk", + "exports": { + ".": { + "import": { + "types": "./dist/index.d.mts", + "default": "./dist/index.mjs" + }, + "require": { + "types": "./dist/index.d.ts", + "default": "./dist/index.js" + } + }, + "./*": { + "import": { + "types": "./dist/*.d.mts", + "default": "./dist/*.mjs" + }, + "require": { + "types": "./dist/*.d.ts", + "default": "./dist/*.js" + } + }, + "./react": { + "import": { + "types": "./dist/react/index.d.mts", + "default": "./dist/react/index.mjs" + }, + "require": { + "types": "./dist/react/index.d.ts", + "default": "./dist/react/index.js" + } + }, + "./utils": { + "import": { + "types": "./dist/utils/index.d.mts", + "default": "./dist/utils/index.mjs" + }, + "require": { + "types": "./dist/utils/index.d.ts", + "default": "./dist/utils/index.js" + } + }, + "./workerTimers": { + "import": { + "types": "./dist/workerTimers/index.d.mts", + "default": "./dist/workerTimers/index.mjs" + }, + "require": { + "types": "./dist/workerTimers/index.d.ts", + "default": "./dist/workerTimers/index.js" + } + }, + "./dom": { + "import": { + "types": "./dist/dom/index.d.mts", + "default": "./dist/dom/index.mjs" + }, + "require": { + "types": "./dist/dom/index.d.ts", + "default": "./dist/dom/index.js" + } + }, + "./package.json": "./package.json" + }, + "main": "./dist/index.js", + "files": [ + "dist", + "scripts", + "authorization", + "authorization-errors", + "browser", + "retry", + "color", + "cookie", + "date", + "deprecated", + "deriveState", + "dom", + "error", + "file", + "globs", + "handleValueOrFn", + "isomorphicAtob", + "isomorphicBtoa", + "keys", + "loadClerkJsScript", + "loadScript", + "localStorageBroadcastChannel", + "poller", + "proxy", + "underscore", + "url", + "versionSelector", + "react", + "constants", + "apiUrlFromPublishableKey", + "telemetry", + "logger", + "webauthn", + "router", + "pathToRegexp", + "utils", + "workerTimers", + "devBrowser", + "object", + "oauth", + "web3", + "getEnvVariable", + "pathMatcher", + "organization" + ], + "dependencies": { + "dequal": "2.0.3", + "glob-to-regexp": "0.4.1", + "js-cookie": "3.0.5", + "std-env": "^3.7.0", + "swr": "^2.2.0", + "@clerk/types": "^4.47.0" + }, + "devDependencies": { + "@types/glob-to-regexp": "0.4.4", + "@types/js-cookie": "3.0.6", + "cross-fetch": "^4.0.0", + "esbuild": "0.25.0" + }, + "peerDependencies": { + "react": "^18.0.0 || ^19.0.0 || ^19.0.0-0", + "react-dom": "^18.0.0 || ^19.0.0 || ^19.0.0-0" + }, + "peerDependenciesMeta": { + "react": { + "optional": true + }, + "react-dom": { + "optional": true + } + }, + "engines": { + "node": ">=18.17.0" + }, + "publishConfig": { + "access": "public" + }, + "scripts": { + "build": "tsup", + "postbuild": "node ../../scripts/subpath-workaround.mjs shared", + "build:declarations": "tsc -p tsconfig.declarations.json", + "clean": "rimraf ./dist", + "dev": "tsup --watch", + "dev:publish": "pnpm dev -- --env.publish", + "postinstall": "node ./scripts/postinstall.mjs", + "lint": "eslint src", + "lint:attw": "attw --pack . --profile node16", + "lint:publint": "publint", + "publish:local": "pnpm yalc push --replace --sig", + "test": "jest", + "test:cache:clear": "jest --clearCache --useStderr", + "test:ci": "jest --maxWorkers=70%", + "test:coverage": "jest --collectCoverage && open coverage/lcov-report/index.html" + } +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/pathMatcher/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/pathMatcher/package.json new file mode 100644 index 000000000..2ad404da9 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/pathMatcher/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/pathMatcher.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/pathToRegexp/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/pathToRegexp/package.json new file mode 100644 index 000000000..2d72ea443 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/pathToRegexp/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/pathToRegexp.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/poller/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/poller/package.json new file mode 100644 index 000000000..a5842cfaa --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/poller/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/poller.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/proxy/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/proxy/package.json new file mode 100644 index 000000000..6d2241295 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/proxy/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/proxy.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/react/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/react/package.json new file mode 100644 index 000000000..8db9c7300 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/react/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/react/index.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/retry/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/retry/package.json new file mode 100644 index 000000000..454840237 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/retry/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/retry.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/router/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/router/package.json new file mode 100644 index 000000000..8e87fda17 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/router/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/router.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/scripts/postinstall.mjs b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/scripts/postinstall.mjs new file mode 100644 index 000000000..cafc98933 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/scripts/postinstall.mjs @@ -0,0 +1,77 @@ +import fs from 'node:fs/promises'; +import os from 'node:os'; +import path from 'node:path'; + +import { isCI } from 'std-env'; + +// If we make significant changes to how telemetry is collected in the future, bump this version. +const TELEMETRY_NOTICE_VERSION = '1'; + +function telemetryNotice() { + console.log(`Attention: Clerk now collects telemetry data from its SDKs when connected to development instances.`); + console.log(`The data collected is used to inform Clerk's product roadmap.`); + console.log( + `To learn more, including how to opt-out from the telemetry program, visit: https://clerk.com/docs/telemetry.`, + ); + console.log(''); +} + +// Adapted from https://github.com/sindresorhus/env-paths +function getConfigDir(name) { + const homedir = os.homedir(); + const macos = () => path.join(homedir, 'Library', 'Preferences', name); + const win = () => { + // eslint-disable-next-line turbo/no-undeclared-env-vars + const { APPDATA = path.join(homedir, 'AppData', 'Roaming') } = process.env; + return path.join(APPDATA, name, 'Config'); + }; + const linux = () => { + // eslint-disable-next-line turbo/no-undeclared-env-vars + const { XDG_CONFIG_HOME = path.join(homedir, '.config') } = process.env; + return path.join(XDG_CONFIG_HOME, name); + }; + switch (process.platform) { + case 'darwin': + return macos(); + case 'win32': + return win(); + default: + return linux(); + } +} + +async function notifyAboutTelemetry() { + const configDir = getConfigDir('clerk'); + const configFile = path.join(configDir, 'config.json'); + + await fs.mkdir(configDir, { recursive: true }); + + let config = {}; + try { + config = JSON.parse(await fs.readFile(configFile, 'utf8')); + } catch (err) { + // File can't be read and parsed, continue + } + + if (parseInt(config.telemetryNoticeVersion, 10) >= TELEMETRY_NOTICE_VERSION) { + return; + } + + config.telemetryNoticeVersion = TELEMETRY_NOTICE_VERSION; + + if (!isCI) { + telemetryNotice(); + } + + await fs.writeFile(configFile, JSON.stringify(config, null, '\t')); +} + +async function main() { + try { + await notifyAboutTelemetry(); + } catch { + // Do nothing, we _really_ don't want to log errors during install. + } +} + +main(); diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/telemetry/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/telemetry/package.json new file mode 100644 index 000000000..e0342cd75 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/telemetry/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/telemetry.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/underscore/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/underscore/package.json new file mode 100644 index 000000000..458965c72 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/underscore/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/underscore.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/url/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/url/package.json new file mode 100644 index 000000000..4e87e7bd0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/url/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/url.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/utils/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/utils/package.json new file mode 100644 index 000000000..3cdc708ee --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/utils/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/utils/index.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/versionSelector/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/versionSelector/package.json new file mode 100644 index 000000000..a98db2be0 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/versionSelector/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/versionSelector.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/web3/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/web3/package.json new file mode 100644 index 000000000..99c47fc8e --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/web3/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/web3.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/webauthn/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/webauthn/package.json new file mode 100644 index 000000000..2a9db10da --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/webauthn/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/webauthn.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/workerTimers/package.json b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/workerTimers/package.json new file mode 100644 index 000000000..85fe6aa05 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/@clerk/shared/workerTimers/package.json @@ -0,0 +1,3 @@ +{ + "main": "../dist/workerTimers/index.js" +} \ No newline at end of file diff --git a/backend/node_modules/@clerk/backend/node_modules/cookie/LICENSE b/backend/node_modules/@clerk/backend/node_modules/cookie/LICENSE new file mode 100644 index 000000000..058b6b4ef --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/cookie/LICENSE @@ -0,0 +1,24 @@ +(The MIT License) + +Copyright (c) 2012-2014 Roman Shtylman +Copyright (c) 2015 Douglas Christopher Wilson + +Permission is hereby granted, free of charge, to any person obtaining +a copy of this software and associated documentation files (the +'Software'), to deal in the Software without restriction, including +without limitation the rights to use, copy, modify, merge, publish, +distribute, sublicense, and/or sell copies of the Software, and to +permit persons to whom the Software is furnished to do so, subject to +the following conditions: + +The above copyright notice and this permission notice shall be +included in all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. +IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY +CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, +TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE +SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. + diff --git a/backend/node_modules/@clerk/backend/node_modules/cookie/README.md b/backend/node_modules/@clerk/backend/node_modules/cookie/README.md new file mode 100644 index 000000000..54e1cdae9 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/cookie/README.md @@ -0,0 +1,248 @@ +# cookie + +[![NPM Version][npm-version-image]][npm-url] +[![NPM Downloads][npm-downloads-image]][npm-url] +[![Build Status][ci-image]][ci-url] +[![Coverage Status][coverage-image]][coverage-url] + +Basic HTTP cookie parser and serializer for HTTP servers. + +## Installation + +```sh +$ npm install cookie +``` + +## API + +```js +const cookie = require("cookie"); +// import * as cookie from 'cookie'; +``` + +### cookie.parse(str, options) + +Parse a HTTP `Cookie` header string and returning an object of all cookie name-value pairs. +The `str` argument is the string representing a `Cookie` header value and `options` is an +optional object containing additional parsing options. + +```js +const cookies = cookie.parse("foo=bar; equation=E%3Dmc%5E2"); +// { foo: 'bar', equation: 'E=mc^2' } +``` + +#### Options + +`cookie.parse` accepts these properties in the options object. + +##### decode + +Specifies a function that will be used to decode a [cookie-value](https://datatracker.ietf.org/doc/html/rfc6265#section-4.1.1). +Since the value of a cookie has a limited character set (and must be a simple string), this function can be used to decode +a previously-encoded cookie value into a JavaScript string. + +The default function is the global `decodeURIComponent`, wrapped in a `try..catch`. If an error +is thrown it will return the cookie's original value. If you provide your own encode/decode +scheme you must ensure errors are appropriately handled. + +### cookie.serialize(name, value, options) + +Serialize a cookie name-value pair into a `Set-Cookie` header string. The `name` argument is the +name for the cookie, the `value` argument is the value to set the cookie to, and the `options` +argument is an optional object containing additional serialization options. + +```js +const setCookie = cookie.serialize("foo", "bar"); +// foo=bar +``` + +#### Options + +`cookie.serialize` accepts these properties in the options object. + +##### encode + +Specifies a function that will be used to encode a [cookie-value](https://datatracker.ietf.org/doc/html/rfc6265#section-4.1.1). +Since value of a cookie has a limited character set (and must be a simple string), this function can be used to encode +a value into a string suited for a cookie's value, and should mirror `decode` when parsing. + +The default function is the global `encodeURIComponent`. + +##### maxAge + +Specifies the `number` (in seconds) to be the value for the [`Max-Age` `Set-Cookie` attribute](https://tools.ietf.org/html/rfc6265#section-5.2.2). + +The [cookie storage model specification](https://tools.ietf.org/html/rfc6265#section-5.3) states that if both `expires` and +`maxAge` are set, then `maxAge` takes precedence, but it is possible not all clients by obey this, +so if both are set, they should point to the same date and time. + +##### expires + +Specifies the `Date` object to be the value for the [`Expires` `Set-Cookie` attribute](https://tools.ietf.org/html/rfc6265#section-5.2.1). +When no expiration is set clients consider this a "non-persistent cookie" and delete it the current session is over. + +The [cookie storage model specification](https://tools.ietf.org/html/rfc6265#section-5.3) states that if both `expires` and +`maxAge` are set, then `maxAge` takes precedence, but it is possible not all clients by obey this, +so if both are set, they should point to the same date and time. + +##### domain + +Specifies the value for the [`Domain` `Set-Cookie` attribute](https://tools.ietf.org/html/rfc6265#section-5.2.3). +When no domain is set clients consider the cookie to apply to the current domain only. + +##### path + +Specifies the value for the [`Path` `Set-Cookie` attribute](https://tools.ietf.org/html/rfc6265#section-5.2.4). +When no path is set, the path is considered the ["default path"](https://tools.ietf.org/html/rfc6265#section-5.1.4). + +##### httpOnly + +Enables the [`HttpOnly` `Set-Cookie` attribute](https://tools.ietf.org/html/rfc6265#section-5.2.6). +When enabled, clients will not allow client-side JavaScript to see the cookie in `document.cookie`. + +##### secure + +Enables the [`Secure` `Set-Cookie` attribute](https://tools.ietf.org/html/rfc6265#section-5.2.5). +When enabled, clients will only send the cookie back if the browser has a HTTPS connection. + +##### partitioned + +Enables the [`Partitioned` `Set-Cookie` attribute](https://tools.ietf.org/html/draft-cutler-httpbis-partitioned-cookies/). +When enabled, clients will only send the cookie back when the current domain _and_ top-level domain matches. + +This is an attribute that has not yet been fully standardized, and may change in the future. +This also means clients may ignore this attribute until they understand it. More information +about can be found in [the proposal](https://github.com/privacycg/CHIPS). + +##### priority + +Specifies the value for the [`Priority` `Set-Cookie` attribute](https://tools.ietf.org/html/draft-west-cookie-priority-00#section-4.1). + +- `'low'` will set the `Priority` attribute to `Low`. +- `'medium'` will set the `Priority` attribute to `Medium`, the default priority when not set. +- `'high'` will set the `Priority` attribute to `High`. + +More information about priority levels can be found in [the specification](https://tools.ietf.org/html/draft-west-cookie-priority-00#section-4.1). + +##### sameSite + +Specifies the value for the [`SameSite` `Set-Cookie` attribute](https://tools.ietf.org/html/draft-ietf-httpbis-rfc6265bis-09#section-5.4.7). + +- `true` will set the `SameSite` attribute to `Strict` for strict same site enforcement. +- `'lax'` will set the `SameSite` attribute to `Lax` for lax same site enforcement. +- `'none'` will set the `SameSite` attribute to `None` for an explicit cross-site cookie. +- `'strict'` will set the `SameSite` attribute to `Strict` for strict same site enforcement. + +More information about enforcement levels can be found in [the specification](https://tools.ietf.org/html/draft-ietf-httpbis-rfc6265bis-09#section-5.4.7). + +## Example + +The following example uses this module in conjunction with the Node.js core HTTP server +to prompt a user for their name and display it back on future visits. + +```js +var cookie = require("cookie"); +var escapeHtml = require("escape-html"); +var http = require("http"); +var url = require("url"); + +function onRequest(req, res) { + // Parse the query string + var query = url.parse(req.url, true, true).query; + + if (query && query.name) { + // Set a new cookie with the name + res.setHeader( + "Set-Cookie", + cookie.serialize("name", String(query.name), { + httpOnly: true, + maxAge: 60 * 60 * 24 * 7, // 1 week + }), + ); + + // Redirect back after setting cookie + res.statusCode = 302; + res.setHeader("Location", req.headers.referer || "/"); + res.end(); + return; + } + + // Parse the cookies on the request + var cookies = cookie.parse(req.headers.cookie || ""); + + // Get the visitor name set in the cookie + var name = cookies.name; + + res.setHeader("Content-Type", "text/html; charset=UTF-8"); + + if (name) { + res.write("

Welcome back, " + escapeHtml(name) + "!

"); + } else { + res.write("

Hello, new visitor!

"); + } + + res.write('
'); + res.write( + ' ', + ); + res.end("
"); +} + +http.createServer(onRequest).listen(3000); +``` + +## Testing + +```sh +npm test +``` + +## Benchmark + +```sh +npm run bench +``` + +``` + name hz min max mean p75 p99 p995 p999 rme samples + · simple 8,566,313.09 0.0000 0.3694 0.0001 0.0001 0.0002 0.0002 0.0003 ±0.64% 4283157 fastest + · decode 3,834,348.85 0.0001 0.2465 0.0003 0.0003 0.0003 0.0004 0.0006 ±0.38% 1917175 + · unquote 8,315,355.96 0.0000 0.3824 0.0001 0.0001 0.0002 0.0002 0.0003 ±0.72% 4157880 + · duplicates 1,944,765.97 0.0004 0.2959 0.0005 0.0005 0.0006 0.0006 0.0008 ±0.24% 972384 + · 10 cookies 675,345.67 0.0012 0.4328 0.0015 0.0015 0.0019 0.0020 0.0058 ±0.75% 337673 + · 100 cookies 61,040.71 0.0152 0.4092 0.0164 0.0160 0.0196 0.0228 0.2260 ±0.71% 30521 slowest + ✓ parse top-sites (15) 22945ms + name hz min max mean p75 p99 p995 p999 rme samples + · parse accounts.google.com 7,164,349.17 0.0000 0.0929 0.0001 0.0002 0.0002 0.0002 0.0003 ±0.09% 3582184 + · parse apple.com 7,817,686.84 0.0000 0.6048 0.0001 0.0001 0.0002 0.0002 0.0003 ±1.05% 3908844 + · parse cloudflare.com 7,189,841.70 0.0000 0.0390 0.0001 0.0002 0.0002 0.0002 0.0003 ±0.06% 3594921 + · parse docs.google.com 7,051,765.61 0.0000 0.0296 0.0001 0.0002 0.0002 0.0002 0.0003 ±0.06% 3525883 + · parse drive.google.com 7,349,104.77 0.0000 0.0368 0.0001 0.0001 0.0002 0.0002 0.0003 ±0.05% 3674553 + · parse en.wikipedia.org 1,929,909.49 0.0004 0.3598 0.0005 0.0005 0.0007 0.0007 0.0012 ±0.16% 964955 + · parse linkedin.com 2,225,658.01 0.0003 0.0595 0.0004 0.0005 0.0005 0.0005 0.0006 ±0.06% 1112830 + · parse maps.google.com 4,423,511.68 0.0001 0.0942 0.0002 0.0003 0.0003 0.0003 0.0005 ±0.08% 2211756 + · parse microsoft.com 3,387,601.88 0.0002 0.0725 0.0003 0.0003 0.0004 0.0004 0.0005 ±0.09% 1693801 + · parse play.google.com 7,375,980.86 0.0000 0.1994 0.0001 0.0001 0.0002 0.0002 0.0003 ±0.12% 3687991 + · parse support.google.com 4,912,267.94 0.0001 2.8958 0.0002 0.0002 0.0003 0.0003 0.0005 ±1.28% 2456134 + · parse www.google.com 3,443,035.87 0.0002 0.2783 0.0003 0.0003 0.0004 0.0004 0.0007 ±0.51% 1721518 + · parse youtu.be 1,910,492.87 0.0004 0.3490 0.0005 0.0005 0.0007 0.0007 0.0011 ±0.46% 955247 + · parse youtube.com 1,895,082.62 0.0004 0.7454 0.0005 0.0005 0.0006 0.0007 0.0013 ±0.64% 947542 slowest + · parse example.com 21,582,835.27 0.0000 0.1095 0.0000 0.0000 0.0001 0.0001 0.0001 ±0.13% 10791418 +``` + +## References + +- [RFC 6265: HTTP State Management Mechanism](https://tools.ietf.org/html/rfc6265) +- [Same-site Cookies](https://tools.ietf.org/html/draft-ietf-httpbis-rfc6265bis-09#section-5.4.7) + +## License + +[MIT](LICENSE) + +[ci-image]: https://img.shields.io/github/actions/workflow/status/jshttp/cookie/ci.yml +[ci-url]: https://github.com/jshttp/cookie/actions/workflows/ci.yml?query=branch%3Amaster +[coverage-image]: https://img.shields.io/codecov/c/github/jshttp/cookie/master +[coverage-url]: https://app.codecov.io/gh/jshttp/cookie +[npm-downloads-image]: https://img.shields.io/npm/dm/cookie +[npm-url]: https://npmjs.org/package/cookie +[npm-version-image]: https://img.shields.io/npm/v/cookie diff --git a/backend/node_modules/@clerk/backend/node_modules/cookie/dist/index.d.ts b/backend/node_modules/@clerk/backend/node_modules/cookie/dist/index.d.ts new file mode 100644 index 000000000..784b0dbd6 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/cookie/dist/index.d.ts @@ -0,0 +1,114 @@ +/** + * Parse options. + */ +export interface ParseOptions { + /** + * Specifies a function that will be used to decode a [cookie-value](https://datatracker.ietf.org/doc/html/rfc6265#section-4.1.1). + * Since the value of a cookie has a limited character set (and must be a simple string), this function can be used to decode + * a previously-encoded cookie value into a JavaScript string. + * + * The default function is the global `decodeURIComponent`, wrapped in a `try..catch`. If an error + * is thrown it will return the cookie's original value. If you provide your own encode/decode + * scheme you must ensure errors are appropriately handled. + * + * @default decode + */ + decode?: (str: string) => string | undefined; +} +/** + * Parse a cookie header. + * + * Parse the given cookie header string into an object + * The object has the various cookies as keys(names) => values + */ +export declare function parse(str: string, options?: ParseOptions): Record; +/** + * Serialize options. + */ +export interface SerializeOptions { + /** + * Specifies a function that will be used to encode a [cookie-value](https://datatracker.ietf.org/doc/html/rfc6265#section-4.1.1). + * Since value of a cookie has a limited character set (and must be a simple string), this function can be used to encode + * a value into a string suited for a cookie's value, and should mirror `decode` when parsing. + * + * @default encodeURIComponent + */ + encode?: (str: string) => string; + /** + * Specifies the `number` (in seconds) to be the value for the [`Max-Age` `Set-Cookie` attribute](https://tools.ietf.org/html/rfc6265#section-5.2.2). + * + * The [cookie storage model specification](https://tools.ietf.org/html/rfc6265#section-5.3) states that if both `expires` and + * `maxAge` are set, then `maxAge` takes precedence, but it is possible not all clients by obey this, + * so if both are set, they should point to the same date and time. + */ + maxAge?: number; + /** + * Specifies the `Date` object to be the value for the [`Expires` `Set-Cookie` attribute](https://tools.ietf.org/html/rfc6265#section-5.2.1). + * When no expiration is set clients consider this a "non-persistent cookie" and delete it the current session is over. + * + * The [cookie storage model specification](https://tools.ietf.org/html/rfc6265#section-5.3) states that if both `expires` and + * `maxAge` are set, then `maxAge` takes precedence, but it is possible not all clients by obey this, + * so if both are set, they should point to the same date and time. + */ + expires?: Date; + /** + * Specifies the value for the [`Domain` `Set-Cookie` attribute](https://tools.ietf.org/html/rfc6265#section-5.2.3). + * When no domain is set clients consider the cookie to apply to the current domain only. + */ + domain?: string; + /** + * Specifies the value for the [`Path` `Set-Cookie` attribute](https://tools.ietf.org/html/rfc6265#section-5.2.4). + * When no path is set, the path is considered the ["default path"](https://tools.ietf.org/html/rfc6265#section-5.1.4). + */ + path?: string; + /** + * Enables the [`HttpOnly` `Set-Cookie` attribute](https://tools.ietf.org/html/rfc6265#section-5.2.6). + * When enabled, clients will not allow client-side JavaScript to see the cookie in `document.cookie`. + */ + httpOnly?: boolean; + /** + * Enables the [`Secure` `Set-Cookie` attribute](https://tools.ietf.org/html/rfc6265#section-5.2.5). + * When enabled, clients will only send the cookie back if the browser has a HTTPS connection. + */ + secure?: boolean; + /** + * Enables the [`Partitioned` `Set-Cookie` attribute](https://tools.ietf.org/html/draft-cutler-httpbis-partitioned-cookies/). + * When enabled, clients will only send the cookie back when the current domain _and_ top-level domain matches. + * + * This is an attribute that has not yet been fully standardized, and may change in the future. + * This also means clients may ignore this attribute until they understand it. More information + * about can be found in [the proposal](https://github.com/privacycg/CHIPS). + */ + partitioned?: boolean; + /** + * Specifies the value for the [`Priority` `Set-Cookie` attribute](https://tools.ietf.org/html/draft-west-cookie-priority-00#section-4.1). + * + * - `'low'` will set the `Priority` attribute to `Low`. + * - `'medium'` will set the `Priority` attribute to `Medium`, the default priority when not set. + * - `'high'` will set the `Priority` attribute to `High`. + * + * More information about priority levels can be found in [the specification](https://tools.ietf.org/html/draft-west-cookie-priority-00#section-4.1). + */ + priority?: "low" | "medium" | "high"; + /** + * Specifies the value for the [`SameSite` `Set-Cookie` attribute](https://tools.ietf.org/html/draft-ietf-httpbis-rfc6265bis-09#section-5.4.7). + * + * - `true` will set the `SameSite` attribute to `Strict` for strict same site enforcement. + * - `'lax'` will set the `SameSite` attribute to `Lax` for lax same site enforcement. + * - `'none'` will set the `SameSite` attribute to `None` for an explicit cross-site cookie. + * - `'strict'` will set the `SameSite` attribute to `Strict` for strict same site enforcement. + * + * More information about enforcement levels can be found in [the specification](https://tools.ietf.org/html/draft-ietf-httpbis-rfc6265bis-09#section-5.4.7). + */ + sameSite?: boolean | "lax" | "strict" | "none"; +} +/** + * Serialize data into a cookie header. + * + * Serialize a name value pair into a cookie string suitable for + * http headers. An optional options object specifies cookie parameters. + * + * serialize('foo', 'bar', { httpOnly: true }) + * => "foo=bar; httpOnly" + */ +export declare function serialize(name: string, val: string, options?: SerializeOptions): string; diff --git a/backend/node_modules/@clerk/backend/node_modules/cookie/dist/index.js b/backend/node_modules/@clerk/backend/node_modules/cookie/dist/index.js new file mode 100644 index 000000000..423acb4e7 --- /dev/null +++ b/backend/node_modules/@clerk/backend/node_modules/cookie/dist/index.js @@ -0,0 +1,239 @@ +"use strict"; +Object.defineProperty(exports, "__esModule", { value: true }); +exports.parse = parse; +exports.serialize = serialize; +/** + * RegExp to match cookie-name in RFC 6265 sec 4.1.1 + * This refers out to the obsoleted definition of token in RFC 2616 sec 2.2 + * which has been replaced by the token definition in RFC 7230 appendix B. + * + * cookie-name = token + * token = 1*tchar + * tchar = "!" / "#" / "$" / "%" / "&" / "'" / + * "*" / "+" / "-" / "." / "^" / "_" / + * "`" / "|" / "~" / DIGIT / ALPHA + * + * Note: Allowing more characters - https://github.com/jshttp/cookie/issues/191 + * Allow same range as cookie value, except `=`, which delimits end of name. + */ +const cookieNameRegExp = /^[\u0021-\u003A\u003C\u003E-\u007E]+$/; +/** + * RegExp to match cookie-value in RFC 6265 sec 4.1.1 + * + * cookie-value = *cookie-octet / ( DQUOTE *cookie-octet DQUOTE ) + * cookie-octet = %x21 / %x23-2B / %x2D-3A / %x3C-5B / %x5D-7E + * ; US-ASCII characters excluding CTLs, + * ; whitespace DQUOTE, comma, semicolon, + * ; and backslash + * + * Allowing more characters: https://github.com/jshttp/cookie/issues/191 + * Comma, backslash, and DQUOTE are not part of the parsing algorithm. + */ +const cookieValueRegExp = /^[\u0021-\u003A\u003C-\u007E]*$/; +/** + * RegExp to match domain-value in RFC 6265 sec 4.1.1 + * + * domain-value = + * ; defined in [RFC1034], Section 3.5, as + * ; enhanced by [RFC1123], Section 2.1 + * =