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
+
+
+
+
+[](https://clerk.com/discord)
+[](https://clerk.com/docs?utm_source=github&utm_medium=clerk_backend)
+[](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 =