diff --git a/.gitattributes b/.gitattributes new file mode 100644 index 0000000..1114e2c --- /dev/null +++ b/.gitattributes @@ -0,0 +1,8 @@ +* text=auto +*.sh text eol=lf +*.js text eol=lf +*.ts text eol=lf +*.json text eol=lf +*.md text eol=lf +*.html text eol=lf +*.css text eol=lf diff --git a/.prettierrc b/.prettierrc new file mode 100644 index 0000000..f67506d --- /dev/null +++ b/.prettierrc @@ -0,0 +1,8 @@ +{ + "semi": true, + "singleQuote": true, + "trailingComma": "es5", + "endOfLine": "lf", + "experimentalTernaries": true, + "bracketSameLine": true +} diff --git a/README.md b/README.md index 6211869..3924e00 100644 --- a/README.md +++ b/README.md @@ -24,9 +24,11 @@ COD Tracker provides a clean interface to fetch, display, and export Call of Dut - Call of Duty account with API security settings set to "ALL" ## Authentication Setup + + ### Changing Account API Privacy Settings To use this application, you need to update your Call of Duty profile settings: @@ -41,14 +43,14 @@ To use this application, you need to update your Call of Duty profile settings: ### Obtaining Your SSO Token - +
The application requires an authentication token to access the Call of Duty API: 1. Log in to [Call of Duty](https://profile.callofduty.com/cod/profile) 2. Open developer tools (F12 or right-click → Inspect) -3. Navigate to: **Application** → **Storage** → **Cookies** → **https://profile.callofduty.com** +3. Navigate to: **Application** → **Storage** → **Cookies** → **** 4. Find and copy the value of `ACT_SSO_COOKIE` 5. Paste this token into the "SSO Token" field @@ -57,10 +59,10 @@ The application requires an authentication token to access the Call of Duty API: -``` +```plaintext Application └─ Storage - └─ Cookies + └─ Cookies └─ ACT_SSO_COOKIE ``` @@ -75,17 +77,20 @@ The SSO token typically expires after 24 hours. If you encounter authentication ## Installation 1. Clone the repository: + ```bash git clone https://git.rimmyscorner.com/Rim/codtracker-js.git && cd codtracker-js ``` 2. Start the application: + ```bash npm run start ``` 3. Open your browser and navigate to: - ``` + + ```bash http://127.0.0.1:3513 ``` diff --git a/app.js b/app.js index e062eab..753abeb 100644 --- a/app.js +++ b/app.js @@ -1,7 +1,7 @@ -const express = require("express"); -const path = require("path"); -const bodyParser = require("body-parser"); -const API = require("./src/js/index.js"); +const express = require('express'); +const path = require('path'); +const bodyParser = require('body-parser'); +const API = require('./src/js/index.js'); const { logger } = require('./src/js/logger'); const favicon = require('serve-favicon'); const app = express(); @@ -10,15 +10,20 @@ const port = process.env.PORT || 3512; app.set('trust proxy', true); // Middleware -app.use(bodyParser.json({ limit: "10mb" })); -app.use(bodyParser.urlencoded({ extended: true, limit: "10mb" })); +app.use(bodyParser.json({ limit: '10mb' })); +app.use(bodyParser.urlencoded({ extended: true, limit: '10mb' })); app.use(express.static(__dirname)); app.use(express.static(path.join(__dirname, 'public'))); app.use('/images', express.static(path.join(__dirname, 'src/images'))); app.use(favicon(path.join(__dirname, 'src', 'images', 'favicon.ico'))); -app.use(bodyParser.json({ limit: "10mb", verify: (req, res, buf) => { - req.rawBody = buf.toString(); -}})); +app.use( + bodyParser.json({ + limit: '10mb', + verify: (req, res, buf) => { + req.rawBody = buf.toString(); + }, + }) +); // app.use(express.raw({ type: 'application/json', limit: '10mb' })); const fs = require('fs'); @@ -27,104 +32,113 @@ const fs = require('fs'); let keyReplacements = {}; try { - const replacementsPath = path.join(__dirname, "src", "data", "replacements.json"); + const replacementsPath = path.join( + __dirname, + 'src', + 'data', + 'replacements.json' + ); if (fs.existsSync(replacementsPath)) { const replacementsContent = fs.readFileSync(replacementsPath, 'utf8'); keyReplacements = JSON.parse(replacementsContent); // logger.debug("Replacements loaded successfully"); } else { - logger.warn("replacements.json not found, key replacement disabled"); + logger.warn('replacements.json not found, key replacement disabled'); } } catch (error) { - logger.error("Error loading replacements file:", { error: error.message }); + logger.error('Error loading replacements file:', { error: error.message }); } const replaceJsonKeys = (obj) => { - if (!obj || typeof obj !== 'object') return obj; + if (!obj || typeof obj !== 'object') return obj; - if (Array.isArray(obj)) { - return obj.map(item => replaceJsonKeys(item)); + if (Array.isArray(obj)) { + return obj.map((item) => replaceJsonKeys(item)); + } + + const newObj = {}; + Object.keys(obj).forEach((key) => { + // Replace key if it exists in replacements + const newKey = keyReplacements[key] || key; + + // DEBUG: Log replacements when they happen + // if (newKey !== key) { + // logger.debug(`Replacing key "${key}" with "${newKey}"`); + // } + + // Also check if the value should be replaced (if it's a string) + let value = obj[key]; + if (typeof value === 'string' && keyReplacements[value]) { + value = keyReplacements[value]; + // logger.debug(`Replacing value "${obj[key]}" with "${value}"`); } - const newObj = {}; - Object.keys(obj).forEach(key => { - // Replace key if it exists in replacements - const newKey = keyReplacements[key] || key; + // Process value recursively if it's an object or array + newObj[newKey] = replaceJsonKeys(value); + }); - // DEBUG: Log replacements when they happen - // if (newKey !== key) { - // logger.debug(`Replacing key "${key}" with "${newKey}"`); - // } - - // Also check if the value should be replaced (if it's a string) - let value = obj[key]; - if (typeof value === 'string' && keyReplacements[value]) { - value = keyReplacements[value]; - // logger.debug(`Replacing value "${obj[key]}" with "${value}"`); - } - - // Process value recursively if it's an object or array - newObj[newKey] = replaceJsonKeys(value); - }); - - return newObj; - }; + return newObj; +}; // Utility regex function const sanitizeJsonOutput = (data) => { - if (!data) return data; + if (!data) return data; - // Convert to string to perform regex operations - const jsonString = JSON.stringify(data); + // Convert to string to perform regex operations + const jsonString = JSON.stringify(data); - // Define regex pattern that matches HTML entities - const regexPattern = /<span class=".*?">|<\/span>|">/g; + // Define regex pattern that matches HTML entities + const regexPattern = + /<span class=".*?">|<\/span>|">/g; - // Replace unwanted patterns - const sanitizedString = jsonString.replace(regexPattern, ''); + // Replace unwanted patterns + const sanitizedString = jsonString.replace(regexPattern, ''); - // Parse back to object - try { - return JSON.parse(sanitizedString); - } catch (e) { - console.error("Error parsing sanitized JSON:", e); - return data; // Return original data if parsing fails - } - }; + // Parse back to object + try { + return JSON.parse(sanitizedString); + } catch (e) { + console.error('Error parsing sanitized JSON:', e); + return data; // Return original data if parsing fails + } +}; // Replace the processJsonOutput function with this more efficient version -const processJsonOutput = (data, options = { sanitize: true, replaceKeys: true }) => { +const processJsonOutput = ( + data, + options = { sanitize: true, replaceKeys: true } +) => { // Use a more efficient deep clone approach instead of JSON.parse(JSON.stringify()) function deepClone(obj) { if (obj === null || typeof obj !== 'object') { return obj; } - + if (Array.isArray(obj)) { - return obj.map(item => deepClone(item)); + return obj.map((item) => deepClone(item)); } - + const clone = {}; - Object.keys(obj).forEach(key => { + Object.keys(obj).forEach((key) => { clone[key] = deepClone(obj[key]); }); - + return clone; } - + // Create a deep copy of the data to avoid reference issues let processedData = deepClone(data); - + // Apply sanitization if needed if (options.sanitize) { processedData = sanitizeJsonOutput(processedData); } - + // Apply key replacement if needed if (options.replaceKeys) { processedData = replaceJsonKeys(processedData); } - + return processedData; }; @@ -141,7 +155,9 @@ const timeoutPromise = (ms) => { // Helper function to ensure login const ensureLogin = async (ssoToken) => { if (!activeSessions.has(ssoToken)) { - logger.info(`Attempting to login with SSO token: ${ssoToken.substring(0, 5)}...`); + logger.info( + `Attempting to login with SSO token: ${ssoToken.substring(0, 5)}...` + ); // logger.info(`Attempting to login with SSO token: ${ssoToken}`); const loginResult = await Promise.race([ API.login(ssoToken), @@ -152,35 +168,35 @@ const ensureLogin = async (ssoToken) => { logger.debug(`Session created at: ${new Date().toISOString()}`); activeSessions.set(ssoToken, new Date()); } else { - logger.debug("Using existing session"); + logger.debug('Using existing session'); } }; // Helper function to handle API errors const handleApiError = (error, res) => { - logger.error("API Error:", error); + logger.error('API Error:', error); logger.error(`Error Stack: ${error.stack}`); logger.error(`Error Time: ${new Date().toISOString()}`); // Try to extract more useful information from the error - let errorMessage = error.message || "Unknown API error"; - let errorName = error.name || "ApiError"; + let errorMessage = error.message || 'Unknown API error'; + let errorName = error.name || 'ApiError'; // Handle the specific JSON parsing error - if (errorName === "SyntaxError" && errorMessage.includes("JSON")) { - logger.debug("JSON parsing error detected"); + if (errorName === 'SyntaxError' && errorMessage.includes('JSON')) { + logger.debug('JSON parsing error detected'); return res.status(200).json({ - status: "error", + status: 'error', message: - "Failed to parse API response. This usually means the SSO token is invalid or expired.", - error_type: "InvalidResponseError", + 'Failed to parse API response. This usually means the SSO token is invalid or expired.', + error_type: 'InvalidResponseError', timestamp: new Date().toISOString(), }); } // Send a more graceful response return res.status(200).json({ - status: "error", + status: 'error', message: errorMessage, error_type: errorName, timestamp: new Date().toISOString(), @@ -188,22 +204,36 @@ const handleApiError = (error, res) => { }; // API endpoint to fetch stats -app.post("/api/stats", async (req, res) => { - logger.debug("Received request for /api/stats"); - logger.debug(`Request IP: ${req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress}`); - logger.debug(`Request JSON: ${JSON.stringify({ - username: req.body.username, - platform: req.body.platform, - game: req.body.game, - apiCall: req.body.apiCall, - sanitize: req.body.sanitize, - replaceKeys: req.body.replaceKeys - })}`); +app.post('/api/stats', async (req, res) => { + logger.debug('Received request for /api/stats'); + logger.debug( + `Request IP: ${ + req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress + }` + ); + logger.debug( + `Request JSON: ${JSON.stringify({ + username: req.body.username, + platform: req.body.platform, + game: req.body.game, + apiCall: req.body.apiCall, + sanitize: req.body.sanitize, + replaceKeys: req.body.replaceKeys, + })}` + ); try { - const { username, ssoToken, platform, game, apiCall, sanitize, replaceKeys } = req.body; + const { + username, + ssoToken, + platform, + game, + apiCall, + sanitize, + replaceKeys, + } = req.body; - /* + /* logger.debug( `Request details - Username: ${username}, Platform: ${platform}, Game: ${game}, API Call: ${apiCall}` ); @@ -217,17 +247,17 @@ app.post("/api/stats", async (req, res) => { logger.debug("====================="); */ if (!ssoToken) { - return res.status(400).json({ error: "SSO Token is required" }); + return res.status(400).json({ error: 'SSO Token is required' }); } // For mapList, username is not required - if (apiCall !== "mapList" && !username) { - return res.status(400).json({ error: "Username is required" }); + if (apiCall !== 'mapList' && !username) { + return res.status(400).json({ error: 'Username is required' }); } // Clear previous session if it exists if (activeSessions.has(ssoToken)) { - logger.debug("Clearing previous session"); + logger.debug('Clearing previous session'); activeSessions.delete(ssoToken); } @@ -235,12 +265,12 @@ app.post("/api/stats", async (req, res) => { try { await ensureLogin(ssoToken); } catch (loginError) { - console.error("Login error:", loginError); + console.error('Login error:', loginError); return res.status(200).json({ - status: "error", - error_type: "LoginError", - message: "SSO token login failed", - details: loginError.message || "Unknown login error", + status: 'error', + error_type: 'LoginError', + message: 'SSO token login failed', + details: loginError.message || 'Unknown login error', timestamp: new Date().toISOString(), }); } @@ -254,11 +284,11 @@ app.post("/api/stats", async (req, res) => { }; // Check if the platform is valid for the game - const requiresUno = ["mw2", "wz2", "mw3", "wzm"].includes(game); - if (requiresUno && platform !== "uno" && apiCall !== "mapList") { + const requiresUno = ['mw2', 'wz2', 'mw3', 'wzm'].includes(game); + if (requiresUno && platform !== 'uno' && apiCall !== 'mapList') { logger.warn(`${game} requires Uno ID`); return res.status(200).json({ - status: "error", + status: 'error', message: `${game} requires Uno ID (numerical ID)`, timestamp: new Date().toISOString(), }); @@ -270,131 +300,131 @@ app.post("/api/stats", async (req, res) => { ); let data; - if (apiCall === "fullData") { + if (apiCall === 'fullData') { // Fetch lifetime stats based on game switch (game) { - case "mw": + case 'mw': data = await fetchWithTimeout(() => API.ModernWarfare.fullData(username, platform) ); break; - case "wz": + case 'wz': data = await fetchWithTimeout(() => API.Warzone.fullData(username, platform) ); break; - case "mw2": + case 'mw2': data = await fetchWithTimeout(() => API.ModernWarfare2.fullData(username) ); break; - case "wz2": + case 'wz2': data = await fetchWithTimeout(() => API.Warzone2.fullData(username) ); break; - case "mw3": + case 'mw3': data = await fetchWithTimeout(() => API.ModernWarfare3.fullData(username) ); break; - case "cw": + case 'cw': data = await fetchWithTimeout(() => API.ColdWar.fullData(username, platform) ); break; - case "vg": + case 'vg': data = await fetchWithTimeout(() => API.Vanguard.fullData(username, platform) ); break; - case "wzm": + case 'wzm': data = await fetchWithTimeout(() => API.WarzoneMobile.fullData(username) ); break; default: return res.status(200).json({ - status: "error", - message: "Invalid game selected", + status: 'error', + message: 'Invalid game selected', timestamp: new Date().toISOString(), }); } - } else if (apiCall === "combatHistory") { + } else if (apiCall === 'combatHistory') { // Fetch recent match history based on game switch (game) { - case "mw": + case 'mw': data = await fetchWithTimeout(() => API.ModernWarfare.combatHistory(username, platform) ); break; - case "wz": + case 'wz': data = await fetchWithTimeout(() => API.Warzone.combatHistory(username, platform) ); break; - case "mw2": + case 'mw2': data = await fetchWithTimeout(() => API.ModernWarfare2.combatHistory(username) ); break; - case "wz2": + case 'wz2': data = await fetchWithTimeout(() => API.Warzone2.combatHistory(username) ); break; - case "mw3": + case 'mw3': data = await fetchWithTimeout(() => API.ModernWarfare3.combatHistory(username) ); break; - case "cw": + case 'cw': data = await fetchWithTimeout(() => API.ColdWar.combatHistory(username, platform) ); break; - case "vg": + case 'vg': data = await fetchWithTimeout(() => API.Vanguard.combatHistory(username, platform) ); break; - case "wzm": + case 'wzm': data = await fetchWithTimeout(() => API.WarzoneMobile.combatHistory(username) ); break; default: return res.status(200).json({ - status: "error", - message: "Invalid game selected", + status: 'error', + message: 'Invalid game selected', timestamp: new Date().toISOString(), }); } - } else if (apiCall === "mapList") { + } else if (apiCall === 'mapList') { // Fetch map list (only valid for MW) - if (game === "mw") { + if (game === 'mw') { data = await fetchWithTimeout(() => API.ModernWarfare.mapList(platform) ); } else { return res.status(200).json({ - status: "error", - message: "Map list is only available for Modern Warfare", + status: 'error', + message: 'Map list is only available for Modern Warfare', timestamp: new Date().toISOString(), }); } } - logger.debug("Data fetched successfully"); + logger.debug('Data fetched successfully'); logger.debug(`Response Size: ~${JSON.stringify(data).length / 1024} KB`); logger.debug(`Response Time: ${new Date().toISOString()}`); // Safely handle the response data if (!data) { - logger.warn("No data returned from API"); + logger.warn('No data returned from API'); return res.json({ - status: "partial_success", - message: "No data returned from API, but no error thrown", + status: 'partial_success', + message: 'No data returned from API, but no error thrown', data: null, timestamp: new Date().toISOString(), }); @@ -413,32 +443,39 @@ app.post("/api/stats", async (req, res) => { return handleApiError(apiError, res); } } catch (serverError) { - console.error("Server Error:", serverError); + console.error('Server Error:', serverError); // Return a structured error response even for unexpected errors return res.status(200).json({ - status: "server_error", - message: "The server encountered an unexpected error", - error_details: serverError.message || "Unknown server error", + status: 'server_error', + message: 'The server encountered an unexpected error', + error_details: serverError.message || 'Unknown server error', timestamp: new Date().toISOString(), }); } }); // API endpoint to fetch recent matches -app.post("/api/matches", async (req, res) => { - logger.debug("Received request for /api/matches"); - logger.debug(`Request IP: ${req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress}`); - logger.debug(`Request JSON: ${JSON.stringify({ - username: req.body.username, - platform: req.body.platform, - game: req.body.game, - sanitize: req.body.sanitize, - replaceKeys: req.body.replaceKeys - })}`); - +app.post('/api/matches', async (req, res) => { + logger.debug('Received request for /api/matches'); + logger.debug( + `Request IP: ${ + req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress + }` + ); + logger.debug( + `Request JSON: ${JSON.stringify({ + username: req.body.username, + platform: req.body.platform, + game: req.body.game, + sanitize: req.body.sanitize, + replaceKeys: req.body.replaceKeys, + })}` + ); + try { - const { username, ssoToken, platform, game, sanitize, replaceKeys } = req.body; + const { username, ssoToken, platform, game, sanitize, replaceKeys } = + req.body; /* logger.debug( @@ -455,17 +492,17 @@ app.post("/api/matches", async (req, res) => { if (!username || !ssoToken) { return res .status(400) - .json({ error: "Username and SSO Token are required" }); + .json({ error: 'Username and SSO Token are required' }); } try { await ensureLogin(ssoToken); } catch (loginError) { return res.status(200).json({ - status: "error", - error_type: "LoginError", - message: "SSO token login failed", - details: loginError.message || "Unknown login error", + status: 'error', + error_type: 'LoginError', + message: 'SSO token login failed', + details: loginError.message || 'Unknown login error', timestamp: new Date().toISOString(), }); } @@ -485,10 +522,10 @@ app.post("/api/matches", async (req, res) => { let data; // Check if the platform is valid for the game - const requiresUno = ["mw2", "wz2", "mw3", "wzm"].includes(game); - if (requiresUno && platform !== "uno") { + const requiresUno = ['mw2', 'wz2', 'mw3', 'wzm'].includes(game); + if (requiresUno && platform !== 'uno') { return res.status(200).json({ - status: "error", + status: 'error', message: `${game} requires Uno ID (numerical ID)`, timestamp: new Date().toISOString(), }); @@ -496,50 +533,50 @@ app.post("/api/matches", async (req, res) => { // Fetch combat history based on game switch (game) { - case "mw": + case 'mw': data = await fetchWithTimeout(() => API.ModernWarfare.combatHistory(username, platform) ); break; - case "wz": + case 'wz': data = await fetchWithTimeout(() => API.Warzone.combatHistory(username, platform) ); break; - case "mw2": + case 'mw2': data = await fetchWithTimeout(() => API.ModernWarfare2.combatHistory(username) ); break; - case "wz2": + case 'wz2': data = await fetchWithTimeout(() => API.Warzone2.combatHistory(username) ); break; - case "mw3": + case 'mw3': data = await fetchWithTimeout(() => API.ModernWarfare3.combatHistory(username) ); break; - case "cw": + case 'cw': data = await fetchWithTimeout(() => API.ColdWar.combatHistory(username, platform) ); break; - case "vg": + case 'vg': data = await fetchWithTimeout(() => API.Vanguard.combatHistory(username, platform) ); break; - case "wzm": + case 'wzm': data = await fetchWithTimeout(() => API.WarzoneMobile.combatHistory(username) ); break; default: return res.status(200).json({ - status: "error", - message: "Invalid game selected", + status: 'error', + message: 'Invalid game selected', timestamp: new Date().toISOString(), }); } @@ -556,30 +593,37 @@ app.post("/api/matches", async (req, res) => { } } catch (serverError) { return res.status(200).json({ - status: "server_error", - message: "The server encountered an unexpected error", - error_details: serverError.message || "Unknown server error", + status: 'server_error', + message: 'The server encountered an unexpected error', + error_details: serverError.message || 'Unknown server error', timestamp: new Date().toISOString(), }); } }); // API endpoint to fetch match info -app.post("/api/matchInfo", async (req, res) => { - logger.debug("Received request for /api/matchInfo"); - logger.debug(`Request IP: ${req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress}`); - logger.debug(`Request JSON: ${JSON.stringify({ - matchId: req.body.matchId, - platform: req.body.platform, - game: req.body.game, - sanitize: req.body.sanitize, - replaceKeys: req.body.replaceKeys - })}`); +app.post('/api/matchInfo', async (req, res) => { + logger.debug('Received request for /api/matchInfo'); + logger.debug( + `Request IP: ${ + req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress + }` + ); + logger.debug( + `Request JSON: ${JSON.stringify({ + matchId: req.body.matchId, + platform: req.body.platform, + game: req.body.game, + sanitize: req.body.sanitize, + replaceKeys: req.body.replaceKeys, + })}` + ); try { - const { matchId, ssoToken, platform, game, sanitize, replaceKeys } = req.body; - const mode = "mp"; - + const { matchId, ssoToken, platform, game, sanitize, replaceKeys } = + req.body; + const mode = 'mp'; + /* logger.debug( `Request details - Match ID: ${matchId}, Platform: ${platform}, Game: ${game}` @@ -595,17 +639,17 @@ app.post("/api/matchInfo", async (req, res) => { if (!matchId || !ssoToken) { return res .status(400) - .json({ error: "Match ID and SSO Token are required" }); + .json({ error: 'Match ID and SSO Token are required' }); } try { await ensureLogin(ssoToken); } catch (loginError) { return res.status(200).json({ - status: "error", - error_type: "LoginError", - message: "SSO token login failed", - details: loginError.message || "Unknown login error", + status: 'error', + error_type: 'LoginError', + message: 'SSO token login failed', + details: loginError.message || 'Unknown login error', timestamp: new Date().toISOString(), }); } @@ -624,48 +668,48 @@ app.post("/api/matchInfo", async (req, res) => { // Fetch match info based on game switch (game) { - case "mw": + case 'mw': data = await fetchWithTimeout(() => API.ModernWarfare.matchInfo(matchId, platform) ); break; - case "wz": + case 'wz': data = await fetchWithTimeout(() => API.Warzone.matchInfo(matchId, platform) ); break; - case "mw2": + case 'mw2': data = await fetchWithTimeout(() => API.ModernWarfare2.matchInfo(matchId) ); break; - case "wz2": + case 'wz2': data = await fetchWithTimeout(() => API.Warzone2.matchInfo(matchId)); break; - case "mw3": + case 'mw3': data = await fetchWithTimeout(() => API.ModernWarfare3.matchInfo(matchId) ); break; - case "cw": + case 'cw': data = await fetchWithTimeout(() => API.ColdWar.matchInfo(matchId, platform) ); break; - case "vg": + case 'vg': data = await fetchWithTimeout(() => API.Vanguard.matchInfo(matchId, platform) ); break; - case "wzm": + case 'wzm': data = await fetchWithTimeout(() => API.WarzoneMobile.matchInfo(matchId) ); break; default: return res.status(200).json({ - status: "error", - message: "Invalid game selected", + status: 'error', + message: 'Invalid game selected', timestamp: new Date().toISOString(), }); } @@ -682,29 +726,36 @@ app.post("/api/matchInfo", async (req, res) => { } } catch (serverError) { return res.status(200).json({ - status: "server_error", - message: "The server encountered an unexpected error", - error_details: serverError.message || "Unknown server error", + status: 'server_error', + message: 'The server encountered an unexpected error', + error_details: serverError.message || 'Unknown server error', timestamp: new Date().toISOString(), }); } }); // API endpoint for user-related API calls -app.post("/api/user", async (req, res) => { - logger.debug("Received request for /api/user"); - logger.debug(`Request IP: ${req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress}`); - logger.debug(`Request JSON: ${JSON.stringify({ - username: req.body.username, - platform: req.body.platform, - userCall: req.body.userCall, - sanitize: req.body.sanitize, - replaceKeys: req.body.replaceKeys - })}`); +app.post('/api/user', async (req, res) => { + logger.debug('Received request for /api/user'); + logger.debug( + `Request IP: ${ + req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress + }` + ); + logger.debug( + `Request JSON: ${JSON.stringify({ + username: req.body.username, + platform: req.body.platform, + userCall: req.body.userCall, + sanitize: req.body.sanitize, + replaceKeys: req.body.replaceKeys, + })}` + ); try { - const { username, ssoToken, platform, userCall, sanitize, replaceKeys } = req.body; - + const { username, ssoToken, platform, userCall, sanitize, replaceKeys } = + req.body; + /* logger.debug( `Request details - Username: ${username}, Platform: ${platform}, User Call: ${userCall}` @@ -718,29 +769,29 @@ app.post("/api/user", async (req, res) => { logger.debug("========================="); */ if (!ssoToken) { - return res.status(400).json({ error: "SSO Token is required" }); + return res.status(400).json({ error: 'SSO Token is required' }); } // For eventFeed and identities, username is not required if ( !username && - userCall !== "eventFeed" && - userCall !== "friendFeed" && - userCall !== "identities" + userCall !== 'eventFeed' && + userCall !== 'friendFeed' && + userCall !== 'identities' ) { return res .status(400) - .json({ error: "Username is required for this API call" }); + .json({ error: 'Username is required for this API call' }); } try { await ensureLogin(ssoToken); } catch (loginError) { return res.status(200).json({ - status: "error", - error_type: "LoginError", - message: "SSO token login failed", - details: loginError.message || "Unknown login error", + status: 'error', + error_type: 'LoginError', + message: 'SSO token login failed', + details: loginError.message || 'Unknown login error', timestamp: new Date().toISOString(), }); } @@ -759,28 +810,28 @@ app.post("/api/user", async (req, res) => { // Fetch user data based on userCall switch (userCall) { - case "codPoints": + case 'codPoints': data = await fetchWithTimeout(() => API.Me.codPoints(username, platform) ); break; - case "connectedAccounts": + case 'connectedAccounts': data = await fetchWithTimeout(() => API.Me.connectedAccounts(username, platform) ); break; - case "eventFeed": + case 'eventFeed': data = await fetchWithTimeout(() => API.Me.eventFeed()); break; - case "friendFeed": + case 'friendFeed': data = await fetchWithTimeout(() => API.Me.friendFeed(username, platform) ); break; - case "identities": + case 'identities': data = await fetchWithTimeout(() => API.Me.loggedInIdentities()); break; - case "friendsList": + case 'friendsList': data = await fetchWithTimeout(() => API.Me.friendsList()); break; // case "settings": @@ -790,8 +841,8 @@ app.post("/api/user", async (req, res) => { // break; default: return res.status(200).json({ - status: "error", - message: "Invalid user API call selected", + status: 'error', + message: 'Invalid user API call selected', timestamp: new Date().toISOString(), }); } @@ -808,24 +859,30 @@ app.post("/api/user", async (req, res) => { } } catch (serverError) { return res.status(200).json({ - status: "server_error", - message: "The server encountered an unexpected error", - error_details: serverError.message || "Unknown server error", + status: 'server_error', + message: 'The server encountered an unexpected error', + error_details: serverError.message || 'Unknown server error', timestamp: new Date().toISOString(), }); } }); // API endpoint for fuzzy search -app.post("/api/search", async (req, res) => { - logger.debug("Received request for /api/search"); - logger.debug(`Request IP: ${req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress}`); - logger.debug(`Request JSON: ${JSON.stringify({ - username: req.body.username, - platform: req.body.platform, - sanitize: req.body.sanitize, - replaceKeys: req.body.replaceKeys -})}`); +app.post('/api/search', async (req, res) => { + logger.debug('Received request for /api/search'); + logger.debug( + `Request IP: ${ + req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress + }` + ); + logger.debug( + `Request JSON: ${JSON.stringify({ + username: req.body.username, + platform: req.body.platform, + sanitize: req.body.sanitize, + replaceKeys: req.body.replaceKeys, + })}` + ); try { const { username, ssoToken, platform, sanitize, replaceKeys } = req.body; @@ -844,17 +901,17 @@ app.post("/api/search", async (req, res) => { if (!username || !ssoToken) { return res .status(400) - .json({ error: "Username and SSO Token are required" }); + .json({ error: 'Username and SSO Token are required' }); } try { await ensureLogin(ssoToken); } catch (loginError) { return res.status(200).json({ - status: "error", - error_type: "LoginError", - message: "SSO token login failed", - details: loginError.message || "Unknown login error", + status: 'error', + error_type: 'LoginError', + message: 'SSO token login failed', + details: loginError.message || 'Unknown login error', timestamp: new Date().toISOString(), }); } @@ -888,23 +945,23 @@ app.post("/api/search", async (req, res) => { } } catch (serverError) { return res.status(200).json({ - status: "server_error", - message: "The server encountered an unexpected error", - error_details: serverError.message || "Unknown server error", + status: 'server_error', + message: 'The server encountered an unexpected error', + error_details: serverError.message || 'Unknown server error', timestamp: new Date().toISOString(), }); } }); - // Improved logging endpoint app.post('/api/log', (req, res) => { - const clientIP = req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress; + const clientIP = + req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress; const userAgent = req.headers['user-agent']; const referer = req.headers['referer']; const origin = req.headers['origin']; let logData; - + try { // Handle data whether it comes as already parsed JSON or as a string if (typeof req.body === 'string') { @@ -915,7 +972,7 @@ app.post('/api/log', (req, res) => { // If no parsable data found, create a basic log entry logData = { eventType: 'unknown', timestamp: new Date().toISOString() }; } - + // Enrich log with server-side data const enrichedLog = { ...logData, @@ -926,20 +983,19 @@ app.post('/api/log', (req, res) => { origin, requestHeaders: sanitizeHeaders(req.headers), serverTimestamp: new Date().toISOString(), - requestId: req.id || Math.random().toString(36).substring(2, 15) - } + requestId: req.id || Math.random().toString(36).substring(2, 15), + }, }; - + // Use the dedicated user activity logger logger.userActivity(enrichedLog.eventType || 'unknown', enrichedLog); - } catch (error) { - logger.error('Error processing log data', { + logger.error('Error processing log data', { error: error.message, - rawBody: typeof req.body === 'object' ? '[Object]' : req.body + rawBody: typeof req.body === 'object' ? '[Object]' : req.body, }); } - + // Always return 200 to avoid client-side errors res.status(200).send(); }); @@ -947,15 +1003,15 @@ app.post('/api/log', (req, res) => { // Helper function to remove sensitive data from headers function sanitizeHeaders(headers) { const safeHeaders = { ...headers }; - + // Remove potential sensitive information const sensitiveHeaders = ['authorization', 'cookie', 'set-cookie']; - sensitiveHeaders.forEach(header => { + sensitiveHeaders.forEach((header) => { if (safeHeaders[header]) { safeHeaders[header] = '[REDACTED]'; } }); - + return safeHeaders; } @@ -969,13 +1025,13 @@ function storeLogInDatabase(logData) { */ // Basic health check endpoint -app.get("/health", (req, res) => { - res.json({ status: "ok", timestamp: new Date().toISOString() }); +app.get('/health', (req, res) => { + res.json({ status: 'ok', timestamp: new Date().toISOString() }); }); // Serve the main HTML file -app.get("/", (req, res) => { - res.sendFile(path.join(__dirname, "src", "index.html")); +app.get('/', (req, res) => { + res.sendFile(path.join(__dirname, 'src', 'index.html')); }); // Start the server diff --git a/src/css/styles.css b/src/css/styles.css index ffa3e97..7669571 100644 --- a/src/css/styles.css +++ b/src/css/styles.css @@ -187,7 +187,7 @@ button:hover { top: 5px; } -.checkbox-group input[type="checkbox"] { +.checkbox-group input[type='checkbox'] { width: auto; margin-right: 5px; } diff --git a/src/data/game-modes.json b/src/data/game-modes.json index c113a63..b3cc790 100644 --- a/src/data/game-modes.json +++ b/src/data/game-modes.json @@ -1,153 +1,153 @@ { - "br_25": "BR Trios", - "br_dmz_38": "Plunder Quads", - "br_71": "BR Solos", - "br_74": "BR Trios", - "br_dmz_76": "Plunder Quads", - "br_77": "BR Scopes & Scatterguns", - "br_dmz_85": "Plunder Duos", - "br_86": "Realism Battle Royale", - "br_87": "BR Solos", - "br_88": "BR Duos", - "br_89": "BR Quads", - "br_dmz_104": "Blood Money", - "brtdm_113": "Warzone Rumble", - "brtdm_rmbl": "Warzone Rumble", - "br_brsolo": "BR Solos", - "br_brduos": "BR Duos", - "br_brtrios": "BR Trios", - "br_brquads": "BR Quads", - "br_br_real": "Realism Battle Royale", - "br_dmz_plnbld": "Plunder Blood Money", - "br_brthquad": "BR 200 Quads", - "br_brduostim_name2": "BR Stimulus Duos", - "br_brtriostim_name2": "BR Stimulus Trios", - "br_dmz_pluntrios": "Plunder Trios", - "br_dmz_plunquad": "Plunder Quads", - "br_jugg_brtriojugr": "Juggernaut Royal Trios", - "br_jugg_brquadjugr": "Juggernaut Royal Quads", - "br_mini_miniroyale": "Mini Royale", - "br_brbbsolo": "BR Buyback Solos", - "br_brbbduo": "BR Buyback Duos", - "br_brbbtrio": "BR Buyback Trios", - "br_brbbquad": "BR Buyback Quads", - "br_miniroyale": "Mini Royale", - "br_kingslayer_kingsltrios": "King Slayer Trios", - "br_truckwar_trwarsquads": "Armored Royale", - "br_dmz_plndtrios": "Plunder Trios", - "br_dmz_plndquad": "Plunder Quads", - "br_zxp_zmbroy": "Zombie Royale", - "br_jugg_jugpmpkn": "Juggourdnaut Royale", - "br_brsolohwn": "BR Solo Survivor", - "br_brduohwn": "BR Duo Die", - "br_brhwntrios": "BR Trick-Or-Trios", - "br_brhwnquad": "BR Monster Quads", - "br_dmz_plndcndy": "Plunder: Candy Collector", - "br_dmz_bldmnytrio": "Blood Money Trios", - "br_dmz_bldmnyquad": "Blood Money Quads", - "br_rebirth_rbrthduos": "Rebirth Duos", - "br_rebirth_rbrthtrios": "Rebirth Trios", - "br_rebirth_rbrthquad": "Rebirth Quads", - "br_mini_rebirth_mini_royale_solo": "Rebirth Mini Royale Solos", - "br_mini_rebirth_mini_royale_duos": "Rebirth Mini Royale Duos", - "br_mini_rebirth_mini_royale_trios": "Rebirth Mini Royale Trios", - "br_mini_rebirth_mini_royale_quads": "Rebirth Mini Royale Quads", - "brtdm_wzrumval2": "Warzone Rumble in the Sheets", - "br_dmz_plndval1": "Love And Plunder", - "br_rebirth_rbrthex": "Resurgence Extreme", - "br_exfiltrios": "Exfiltration Trios", - "br_rbrthduos": "Rebirth Resurgence Duos", - "br_rbrthquad": "Rebirth Resurgence Quads", - "br_brz_brduos": "BR Duos (Containment Protocol Event)", - "br_brz_brtrios": "BR Trios (Containment Protocol Event)", - "br_brz_brquads": "BR Quads (Containment Protocol Event)", - "br_kingslayer_rebirth_king_slayer": "Rebirth King Slayer", - "br_reveal_dov": "Destruction Of Verdansk Part 1", - "br_reveal_2_dov2": "Destruction Of Verdansk Part 2", - "br_brdov_dov2": "Destruction Of Verdansk Part 2 Verdansk '84", - "br_rebirth_resurgence_trios": "Verdansk Resurgence Trios", - "br_bodycount_pwergrb": "Power Grab", - "br_rebirth_resurgence_mini": "Verdansk Resurgence Mini", - "br_plnbld": "Blood Money", - "br_plndtrios": "Plunder Trios", - "br_payload_payload": "Payload", - "br_x2_br_reveal_x2_event/event_title_x2": "Battle of Verdansk", - "br_rumble_lua_menu_mp/clash": "Rebirth Payload", - "br_rumble_clash": "Clash", - "br_dbd_dbd": "Iron Trials '84", - "br_rebirth_rebirth_rex": "Rebirth Extreme", - "br_rebirth_shsnp_name3": "Rebirth Scopes & Scatterguns", - "br_payload_pay_prom": "Payload - Promenade", - "br_gxp_gov": "Ghosts Of Verdansk", - "br_dbd_iron_trials_solos": "Iron Trials Solos", - "br_dbd_iron_trials_duos": "Iron Trials Duos", - "br_dbd_iron_trials_trios": "Iron Trials Trios", - "br_dbd_iron_trials_quads": "Iron Trials Quads", - "br_buy_back_solo": "BR Buy Back Solos", - "br_buy_back_duos": "BR Buy Back Duos", - "br_buy_back_trios": "BR Buy Back Trios", - "br_buy_back_quads": "BR Buy Back Quads", - "br_rebirth_rust_1v1": "Rebirth Resurgence Duos", - "br_vov_op_flash": "Operation: Flashback", - "br_lep_br_lep_event/ltm_gamemode": "Final Hours of Verdansk", - "br_vg_royale_solo": "Vanguard Royale Solos", - "br_vg_royale_duos": "Vanguard Royale Duos", - "br_vg_royale_trios": "Vanguard Royale Trios", - "br_vg_royale_quads": "Vanguard Royale Quads", - "br_br_solo": "BR Solos", - "br_br_duos": "BR Duos", - "br_br_trios": "BR Trios", - "br_br_quads": "BR Quads", - "br_rebirth_vg_res_44": "Vanguard Resurgence", - "br_rebirth_cal_res_royale": "Caldera Resurgence Quads", - "br_dmz_plnduo": "Plunder Duos", - "br_dmz_vg_pln_trios": "Vanguard Plunder Trios", - "br_dmz_vg_pln_quads": "Vanguard Plunder Quads", - "br_rumble_clash_caldera": "Caldera Clash", - "br_dbd_playlist_wz320/rbrthdbd_solos": "Iron Trials Rebirth Solos", - "br_dbd_playlist_wz320/rbrthdbd_duos": "Iron Trials Rebirth Duos", - "br_dbd_playlist_wz320/rbrthdbd_trios": "Iron Trials Rebirth Trios", - "br_dbd_playlist_wz320/rbrthdbd_quads": "Iron Trials Rebirth Quads", - "br_rebirth_calderaresurgence": "Caldera Resurgence", - "br_rebirth_reverse_playlist_wz325/rbrthsolos": "Rebirth Resurgence Solos", - "br_payload_playlist_wz325/rbrthpayload": "Rebirth Payload", - "br_rebirth_cdl_resurgence_rebirth_quads": "CDL Resurgence Rebirth Quads", - "br_dmz_playlist_wz325/rbrthbmo_quads": "Rebirth Blood Money Quads", - "br_playlist_wz325/br_aprl_fool_name4": "Totally Normal BR", - "br_rebirth_playlist_wz325/afd_resurgence": "Totally Normal Rebirth", - "br_dbd_playlist_wz330/cal_iron_solos": "Iron Trials Solos", - "br_dbd_playlist_wz330/cal_iron_duos": "Iron Trials Duos", - "br_dbd_playlist_wz330/cal_iron_trios": "Iron Trials Trios", - "br_dbd_playlist_wz330/cal_iron_quads": "Iron Trials Quads", - "br_mendota_playlist_wz330/op_mon": "Operation Monarch", - "br_respect_playlist_wz335/respect": "Champions of Caldera", - "br_playlist_wz335/rebirthexfilttrios": "Rebirth Exfiltration Trios", - "br_rebirth_cal_res_trios": "Caldera Resurgence Trios", - "br_rebirth_cal_res_quads": "Caldera Resurgence Quads", - "br_rebirth_reverse_playlist_wz340/fortkeep_res_solo": "Fortunes Keep Resurgence Solos", - "br_rebirth_playlist_wz340/fortkeep_res_duos": "Fortunes Keep Resurgence Duos", - "br_rebirth_playlist_wz340/fortkeep_res_trios": "Fortunes Keep Resurgence Trios", - "br_rebirth_playlist_wz340/fortkeep_res_quad": "Fortunes Keep Resurgence Quads", - "br_gold_war_playlist_wz340/gld_pldr": "Golden Plunder", - "br_tdbd_playlist_wz345/cal_titanium_solo": "Titanium Trials Solos", - "br_tdbd_playlist_wz345/cal_titanium_duos": "Titanium Trials Duos", - "br_tdbd_playlist_wz345/cal_titanium_trios": "Titanium Trials Trios", - "br_tdbd_playlist_wz345/cal_titanium_quads": "Titanium Trials Quads", - "br_rebirth_playlist_wz340/fortkeep_extreme": "Fortunes Keep Extreme", - "br_rumble_playlist_wz340/storage_town_clash_title": "Storage Town Clash", - "br_zxp_playlist_wz345/rxp": "Rebirth Of The Dead", - "br_respect_playlist_wz345/respect_solo": "Champion of Caldera Solos", - "br_respect_playlist_wz345/respect_trios": "Champion Of Caldera Trios", - "br_wsow_br_trios": "World Series Of Warzone Battle Royale Trios", - "br_olaride_playlist_wz350/olaride": "Operation: Last Call", - "br_mmp_playlist_wz350/mmp": "Sticks & Stones", - "br_rebirth_cdlr:_fortune's_keep_trios": "CDLR: Fortune's Keep Trios", - "br_mini_minibrsolo": "Mini Royale Solos", - "br_mini_minibrduos": "Mini Royale Duos", - "br_mini_minibrtrios": "Mini Royale Trios", - "br_mini_minibrquads": "Mini Royale Quads", - "br_rebirth_dbd_reverse_playlist_wz355/res_trials_solos": "Rebirth Supreme Solos", - "br_rebirth_dbd_playlist_wz355/res_trials_duos": "Rebirth Supreme Duos", - "br_rebirth_dbd_playlist_wz355/res_trials_trios": "Rebirth Supreme Trios", - "br_rebirth_dbd_playlist_wz355/res_trials_quads": "Rebirth Supreme Quads" + "br_25": "BR Trios", + "br_dmz_38": "Plunder Quads", + "br_71": "BR Solos", + "br_74": "BR Trios", + "br_dmz_76": "Plunder Quads", + "br_77": "BR Scopes & Scatterguns", + "br_dmz_85": "Plunder Duos", + "br_86": "Realism Battle Royale", + "br_87": "BR Solos", + "br_88": "BR Duos", + "br_89": "BR Quads", + "br_dmz_104": "Blood Money", + "brtdm_113": "Warzone Rumble", + "brtdm_rmbl": "Warzone Rumble", + "br_brsolo": "BR Solos", + "br_brduos": "BR Duos", + "br_brtrios": "BR Trios", + "br_brquads": "BR Quads", + "br_br_real": "Realism Battle Royale", + "br_dmz_plnbld": "Plunder Blood Money", + "br_brthquad": "BR 200 Quads", + "br_brduostim_name2": "BR Stimulus Duos", + "br_brtriostim_name2": "BR Stimulus Trios", + "br_dmz_pluntrios": "Plunder Trios", + "br_dmz_plunquad": "Plunder Quads", + "br_jugg_brtriojugr": "Juggernaut Royal Trios", + "br_jugg_brquadjugr": "Juggernaut Royal Quads", + "br_mini_miniroyale": "Mini Royale", + "br_brbbsolo": "BR Buyback Solos", + "br_brbbduo": "BR Buyback Duos", + "br_brbbtrio": "BR Buyback Trios", + "br_brbbquad": "BR Buyback Quads", + "br_miniroyale": "Mini Royale", + "br_kingslayer_kingsltrios": "King Slayer Trios", + "br_truckwar_trwarsquads": "Armored Royale", + "br_dmz_plndtrios": "Plunder Trios", + "br_dmz_plndquad": "Plunder Quads", + "br_zxp_zmbroy": "Zombie Royale", + "br_jugg_jugpmpkn": "Juggourdnaut Royale", + "br_brsolohwn": "BR Solo Survivor", + "br_brduohwn": "BR Duo Die", + "br_brhwntrios": "BR Trick-Or-Trios", + "br_brhwnquad": "BR Monster Quads", + "br_dmz_plndcndy": "Plunder: Candy Collector", + "br_dmz_bldmnytrio": "Blood Money Trios", + "br_dmz_bldmnyquad": "Blood Money Quads", + "br_rebirth_rbrthduos": "Rebirth Duos", + "br_rebirth_rbrthtrios": "Rebirth Trios", + "br_rebirth_rbrthquad": "Rebirth Quads", + "br_mini_rebirth_mini_royale_solo": "Rebirth Mini Royale Solos", + "br_mini_rebirth_mini_royale_duos": "Rebirth Mini Royale Duos", + "br_mini_rebirth_mini_royale_trios": "Rebirth Mini Royale Trios", + "br_mini_rebirth_mini_royale_quads": "Rebirth Mini Royale Quads", + "brtdm_wzrumval2": "Warzone Rumble in the Sheets", + "br_dmz_plndval1": "Love And Plunder", + "br_rebirth_rbrthex": "Resurgence Extreme", + "br_exfiltrios": "Exfiltration Trios", + "br_rbrthduos": "Rebirth Resurgence Duos", + "br_rbrthquad": "Rebirth Resurgence Quads", + "br_brz_brduos": "BR Duos (Containment Protocol Event)", + "br_brz_brtrios": "BR Trios (Containment Protocol Event)", + "br_brz_brquads": "BR Quads (Containment Protocol Event)", + "br_kingslayer_rebirth_king_slayer": "Rebirth King Slayer", + "br_reveal_dov": "Destruction Of Verdansk Part 1", + "br_reveal_2_dov2": "Destruction Of Verdansk Part 2", + "br_brdov_dov2": "Destruction Of Verdansk Part 2 Verdansk '84", + "br_rebirth_resurgence_trios": "Verdansk Resurgence Trios", + "br_bodycount_pwergrb": "Power Grab", + "br_rebirth_resurgence_mini": "Verdansk Resurgence Mini", + "br_plnbld": "Blood Money", + "br_plndtrios": "Plunder Trios", + "br_payload_payload": "Payload", + "br_x2_br_reveal_x2_event/event_title_x2": "Battle of Verdansk", + "br_rumble_lua_menu_mp/clash": "Rebirth Payload", + "br_rumble_clash": "Clash", + "br_dbd_dbd": "Iron Trials '84", + "br_rebirth_rebirth_rex": "Rebirth Extreme", + "br_rebirth_shsnp_name3": "Rebirth Scopes & Scatterguns", + "br_payload_pay_prom": "Payload - Promenade", + "br_gxp_gov": "Ghosts Of Verdansk", + "br_dbd_iron_trials_solos": "Iron Trials Solos", + "br_dbd_iron_trials_duos": "Iron Trials Duos", + "br_dbd_iron_trials_trios": "Iron Trials Trios", + "br_dbd_iron_trials_quads": "Iron Trials Quads", + "br_buy_back_solo": "BR Buy Back Solos", + "br_buy_back_duos": "BR Buy Back Duos", + "br_buy_back_trios": "BR Buy Back Trios", + "br_buy_back_quads": "BR Buy Back Quads", + "br_rebirth_rust_1v1": "Rebirth Resurgence Duos", + "br_vov_op_flash": "Operation: Flashback", + "br_lep_br_lep_event/ltm_gamemode": "Final Hours of Verdansk", + "br_vg_royale_solo": "Vanguard Royale Solos", + "br_vg_royale_duos": "Vanguard Royale Duos", + "br_vg_royale_trios": "Vanguard Royale Trios", + "br_vg_royale_quads": "Vanguard Royale Quads", + "br_br_solo": "BR Solos", + "br_br_duos": "BR Duos", + "br_br_trios": "BR Trios", + "br_br_quads": "BR Quads", + "br_rebirth_vg_res_44": "Vanguard Resurgence", + "br_rebirth_cal_res_royale": "Caldera Resurgence Quads", + "br_dmz_plnduo": "Plunder Duos", + "br_dmz_vg_pln_trios": "Vanguard Plunder Trios", + "br_dmz_vg_pln_quads": "Vanguard Plunder Quads", + "br_rumble_clash_caldera": "Caldera Clash", + "br_dbd_playlist_wz320/rbrthdbd_solos": "Iron Trials Rebirth Solos", + "br_dbd_playlist_wz320/rbrthdbd_duos": "Iron Trials Rebirth Duos", + "br_dbd_playlist_wz320/rbrthdbd_trios": "Iron Trials Rebirth Trios", + "br_dbd_playlist_wz320/rbrthdbd_quads": "Iron Trials Rebirth Quads", + "br_rebirth_calderaresurgence": "Caldera Resurgence", + "br_rebirth_reverse_playlist_wz325/rbrthsolos": "Rebirth Resurgence Solos", + "br_payload_playlist_wz325/rbrthpayload": "Rebirth Payload", + "br_rebirth_cdl_resurgence_rebirth_quads": "CDL Resurgence Rebirth Quads", + "br_dmz_playlist_wz325/rbrthbmo_quads": "Rebirth Blood Money Quads", + "br_playlist_wz325/br_aprl_fool_name4": "Totally Normal BR", + "br_rebirth_playlist_wz325/afd_resurgence": "Totally Normal Rebirth", + "br_dbd_playlist_wz330/cal_iron_solos": "Iron Trials Solos", + "br_dbd_playlist_wz330/cal_iron_duos": "Iron Trials Duos", + "br_dbd_playlist_wz330/cal_iron_trios": "Iron Trials Trios", + "br_dbd_playlist_wz330/cal_iron_quads": "Iron Trials Quads", + "br_mendota_playlist_wz330/op_mon": "Operation Monarch", + "br_respect_playlist_wz335/respect": "Champions of Caldera", + "br_playlist_wz335/rebirthexfilttrios": "Rebirth Exfiltration Trios", + "br_rebirth_cal_res_trios": "Caldera Resurgence Trios", + "br_rebirth_cal_res_quads": "Caldera Resurgence Quads", + "br_rebirth_reverse_playlist_wz340/fortkeep_res_solo": "Fortunes Keep Resurgence Solos", + "br_rebirth_playlist_wz340/fortkeep_res_duos": "Fortunes Keep Resurgence Duos", + "br_rebirth_playlist_wz340/fortkeep_res_trios": "Fortunes Keep Resurgence Trios", + "br_rebirth_playlist_wz340/fortkeep_res_quad": "Fortunes Keep Resurgence Quads", + "br_gold_war_playlist_wz340/gld_pldr": "Golden Plunder", + "br_tdbd_playlist_wz345/cal_titanium_solo": "Titanium Trials Solos", + "br_tdbd_playlist_wz345/cal_titanium_duos": "Titanium Trials Duos", + "br_tdbd_playlist_wz345/cal_titanium_trios": "Titanium Trials Trios", + "br_tdbd_playlist_wz345/cal_titanium_quads": "Titanium Trials Quads", + "br_rebirth_playlist_wz340/fortkeep_extreme": "Fortunes Keep Extreme", + "br_rumble_playlist_wz340/storage_town_clash_title": "Storage Town Clash", + "br_zxp_playlist_wz345/rxp": "Rebirth Of The Dead", + "br_respect_playlist_wz345/respect_solo": "Champion of Caldera Solos", + "br_respect_playlist_wz345/respect_trios": "Champion Of Caldera Trios", + "br_wsow_br_trios": "World Series Of Warzone Battle Royale Trios", + "br_olaride_playlist_wz350/olaride": "Operation: Last Call", + "br_mmp_playlist_wz350/mmp": "Sticks & Stones", + "br_rebirth_cdlr:_fortune's_keep_trios": "CDLR: Fortune's Keep Trios", + "br_mini_minibrsolo": "Mini Royale Solos", + "br_mini_minibrduos": "Mini Royale Duos", + "br_mini_minibrtrios": "Mini Royale Trios", + "br_mini_minibrquads": "Mini Royale Quads", + "br_rebirth_dbd_reverse_playlist_wz355/res_trials_solos": "Rebirth Supreme Solos", + "br_rebirth_dbd_playlist_wz355/res_trials_duos": "Rebirth Supreme Duos", + "br_rebirth_dbd_playlist_wz355/res_trials_trios": "Rebirth Supreme Trios", + "br_rebirth_dbd_playlist_wz355/res_trials_quads": "Rebirth Supreme Quads" } diff --git a/src/data/replacements.json b/src/data/replacements.json index fa8094c..a0358f4 100644 --- a/src/data/replacements.json +++ b/src/data/replacements.json @@ -1,337 +1,337 @@ { - "career": "Career", - "mp_hackney_yard": "Hackney Yard (Night)", - "mp_aniyah": "Aniyah Palace", - "mp_euphrates": "Euphrates Bridge", - "mp_raid": "Grazna Raid", - "mp_m_pine": "Pine", - "mp_m_stack": "Stack", - "mp_deadzone": "Arklov Peak", - "mp_quarry": "Karst River Quarry", - "mp_m_overunder": "Docks", - "mp_cave_am": "Azhir Cave", - "mp_cave": "Azhir Cave (Night)", - "mp_runner": "Gun Runner", - "mp_runner_pm": "Gun Runner (Night)", - "mp_hackney_am": "Hackney Yard", - "mp_piccadilly": "Piccadilly", - "mp_spear": "Rammaza", - "mp_spear_pm": "Rammaza (Night)", - "mp_petrograd": "St. Petrograd", - "mp_m_hill": "Hill", - "mp_m_king": "King", - "mp_m_speedball": "Speedball", - "mp_m_showers": "Gulag Showers", - "mp_downtown_gw": "Tarvosk District", - "mp_m_speed": "Shoot House", - "mp_farms2_gw": "Krovnik Farmland", - "mp_port2_gw": "Port", - "mp_crash2": "Crash", - "mp_vacant": "Vacant", - "mp_shipment": "Shipment", - "mp_m_cargo": "Cargo", - "mp_m_cage": "Atrium", - "mp_m_overwinter": "Docks", - "mp_emporium": "Atlas Superstore", - "mp_rust": "Rust", - "mp_boneyard_gw": "Zhokov Boneyard", - "mp_m_fork": "Bazaar", - "mp_donetsk": "Verdansk", - "mp_hideout": "Khandor Hideout", - "loading_mp_hideout": "Khandor Hideout", - "mp_aniyah_tac": "Aniyah Incursion", - "mp_backlot2": "Talsik Backlot", - "mp_village2": "Hovec Sawmill", - "mp_hardhat": "Hardhat", - "mp_m_wallco2": "Aisle 9", - "mp_scrapyard": "Zhokov Scrapyard", - "mp_m_trench": "Trench", - "mp_promenade_gw": "Barakett Promenade", - "mp_don": "Verdansk", - "mp_garden": "Cheshire Park", - "mp_oilrig": "Petrov Oil Rig", - "mp_harbor": "Suldal Harbor", - "mp_layover_gw": "Verdansk International Airport", - "mp_m_cornfield": "Livestock", - "mp_m_stadium": "Verdansk Stadium", - "mp_malyshev": "Mialstor Tank Factory", - "mp_malyshev_10v10": "Mialstor Tank Factory", - "mp_broadcast2": "Broadcast", - "mp_riverside_gw": "Verdansk Riverside", - "mp_m_train": "Station", - "mp_kstenod": "Verdansk (Night)", - "mp_escape": "Rebirth", - "mp_herat": "Al-Raab Airbase", - "mp_killhouse": "Killhouse", - "mp_m_drainage": "Drainage", - "war": "Team Deathmatch", - "sd": "Search and Destroy", - "dom": "Domination", - "tdef": "Team Defender", - "dm": "Free-for-all", - "koth": "Hardpoint", - "hq": "Headquarters", - "arena": "Gunfight", - "arm": "Ground War", - "conf": "Kill Confirmed", - "cyber": "Cyber Attack", - "hc_war": "Team Deathmatch Hardcore", - "hc_arena": "Gunfight Hardcore", - "hc_arm": "Ground War Hardcore", - "hc_conf": "Kill Confirmed Hardcore", - "hc_cyber": "Cyber Attack Hardcore", - "hc_dm": "Free-for-all Hardcore", - "hc_hq": "Headquarters Hardcore", - "hc_dom": "Domination Hardcore", - "hc_sd": "Search and Destroy Hardcore", - "cyber_hc": "Cyber Attack Hardcore", - "war_hc": "Team Deathmatch Hardcore", - "dom_hc": "Domination Hardcore", - "sd_hc": "Search and Destroy Hardcore", - "conf_hc": "Kill Confirmed Hardcore", - "gun": "Gun Game", - "gun_hc": "Gun Game Hardcore", - "siege": "Reinforce", - "infect": "Infected", - "arena_osp": "Gunfight O.S.P.", - "hq_hc": "Headquarters Hardcore", - "grnd": "Grind", - "grind": "Grind", - "ctf": "Capture the Flag", - "br_all": "All", - "br": "Battle Royale", - "br_dmz": "Plunder", - "br_dmz_38": "Plunder Quads", - "br_87": "BR Solos", - "br_dmz_104": "Blood Money", - "koth_hc": "Hardpoint Hardcore", - "br_25": "BR Trios", - "br_89": "BR Quads", - "br_dmz_76": "Plunder Quads", - "br_77": "BR Scopes & Scatterguns", - "br_dmz_85": "Plunder Duos", - "dd_hc": "Demolition Hardcore", - "dd": "Demolition", - "br_71": "BR Solos", - "br_74": "BR Trios", - "br_88": "BR Duos", - "brtdm_113": "Warzone Rumble", - "brtdm_rmbl": "Warzone Rumble", - "br_brsolo": "BR Solos", - "br_brduos": "BR Duos", - "br_brtrios": "BR Trios", - "br_brquads": "BR Quads", - "br_dmz_plnbld": "Blood Money", - "br_br_real": "Realism Battle Royale", - "br_86": "Realism Battle Royale", - "br_brthquad": "BR 200 Quads", - "br_jugg_brtriojugr": "Juggernaut Royal Trios", - "br_dmz_plunquad": "Plunder Quads", - "br_dmz_bldmnytrio": "Blood Money Trios", - "br_mini_miniroyale": "Mini Royale", - "br_brbbsolo": "BR Buyback Solos", - "br_jugg_brquadjugr": "Juggernaut Royal Quads", - "br_kingslayer_kingsltrios": "King Slayer Trios", - "br_truckwar_trwarsquads": "Armored Royale Quads", - "br_zxp_zmbroy": "Zombie Royale", - "br_brhwntrios": "BR Trick-Or-Trios", - "rugby": "Onslaughter", - "br_brsolohwn": "BR Solo Survivor", - "br_dmz_plndcndy": "Plunder: Candy Collector", - "br_jugg_jugpmpkn": "Juggourdnaut Royale", - "br_rebirth_rbrthtrios": "Resurgence Trio", - "br_rebirth_rbrthduos": "Resurgence Duos", - "br_rebirth_rbrthquad": "Rebirth Resurgance Quads", - "br_dmz_plndtrios": "Plunder Trios", - "br_rebirth_resurgence_trios": "Verdansk Resurgence Trios", - "br_mini_rebirth_mini_royale_quads": "Rebirth Mini Royale Quads", - "br_bodycount_pwergrb": "Power Grab", - "br_rebirth_resurgence_mini": "Verdansk Resurgence Mini", - "br_payload_payload": "Payload", - "br_mini_rebirth_mini_royale_trios": "Rebirth Mini Royale Trios", - "br_x2_br_reveal_x2_event/event_title_x2": "Battle of Verdansk", - "br_rumble_clash": "Clash", - "br_dbd_dbd": "Iron Trials '84", - "br_gxp_gov": "Ghosts of Verdansk", - "scorestreak": "Scorestreak", - "equipment": "Equipment", - "gear": "Gear", - "weapon_bare_hands": "Bare Hands", - "weapon_tactical_rifle": "Tactical Rifle", - "weapon_shotgun": "Shotgun", - "weapon_sniper": "Sniper", - "weapon_lmg": "Light Machine Guns", - "weapon_launcher": "Launcher", - "weapon_pistol": "Pistol", - "weapon_smg": "Submachine Guns", - "weapon_melee": "Melee", - "weapon_assault_rifle": "Assault Rifle", - "attachments": "Attachments", - "weapons": "Weapons", - "specialist": "Specialist", - "weapon": "Weapon", - "weapon_special": "Special", - "iw8_ar_akilo47": "AK-47", - "iw8_ar_kilo433": "Kilo-141", - "iw8_ar_mcharlie": "M13", - "iw8_ar_falima": "FAL", - "iw8_ar_asierra12": "Oden", - "iw8_sm_mpapa7": "MP7", - "iw8_sm_augolf": "AUG", - "iw8_sm_uzulu": "Uzi", - "iw8_sh_romeo870": "Model 680", - "iw8_sh_charlie725": "725", - "iw8_sh_aalpha12": "JAK-12", - "iw8_sh_oscar12": "Origin 12", - "iw8_lm_pkilo": "PKM", - "iw8_lm_mgolf34": "MG34", - "iw8_lm_lima86": "SA87", - "iw8_lm_dblmg": "MP Juggernaut", - "iw8_sn_mike14": "EBR-14", - "iw8_sn_delta": "Dragunov", - "iw8_sn_alpha50": "AX-50", - "iw8_sn_hdromeo": "HDR", - "iw8_sn_sbeta": "Mk2 Carbine", - "iw8_pi_papa320": "M19", - "iw8_pi_cpapa": ".357", - "iw8_la_rpapa7": "RPG-7", - "iw8_la_juliet": "JOKR", - "iw8_la_gromeo": "PILA", - "iw8_la_kgolf": "Strela-P", - "iw8_me_riotshield": "Riot Shield", - "equip_gas_grenade": "Gas Grenade", - "equip_snapshot_grenade": "Snapshot Grenade", - "equip_decoy": "Decoy Grenade", - "equip_smoke": "Smoke Grenade", - "equip_concussion": "Stun Grenade", - "equip_hb_sensor": "Heartbeat Sensor", - "equip_flash": "Flash Grenade", - "equip_adrenaline": "Stim", - "equip_frag": "Frag Grenade", - "equip_thermite": "Thermite", - "equip_semtex": "Semtex", - "equip_claymore": "Claymore", - "equip_c4": "C4", - "equip_at_mine": "Proximity Mine", - "equip_throwing_knife": "Throwing Knife", - "equip_molotov": "Molotov Cocktail", - "iw8_knife": "Combat Knife", - "weapon_other": "Primary Melee", - "iw8_ar_tango21": "RAM-7", - "iw8_ar_falpha": "FR 5.56", - "iw8_ar_mike4": "M4A1", - "iw8_sm_papa90": "P90", - "iw8_sm_mpapa5": "MP5", - "iw8_sm_beta": "PP19 Bizon", - "iw8_sh_dpapa12": "R9-0", - "iw8_lm_mgolf36": "Holger-26", - "iw8_sn_kilo98": "Kar98k", - "iw8_pi_mike1911": "1911", - "iw8_pi_golf21": "X16", - "iw8_pi_decho": ".50 GS", - "weapon_marksman": "Marksman Rifles", - "iw8_lm_kilo121": "M91", - "iw8_ar_scharlie": "FN Scar 17", - "iw8_ar_sierra552": "Grau 5.56", - "iw8_sm_smgolf45": "Striker 45", - "iw8_pi_mike9a3": "Renetti", - "iw8_lm_mkilo3": "Bruen MK9", - "iw8_sh_mike26": "VLK Rogue", - "iw8_sn_crossbow": "Crossbow", - "iw8_sn_sksierra": "SKS", - "iw8_ar_galima": "CR-56 AMAX", - "iw8_me_kalistick": "Kali Sticks", - "iw8_sm_victor": "Fennec Mk9", - "iw8_sn_xmike109": "Rytec AMR", - "iw8_pi_mike9": "Renetti", - "iw8_me_akimboblunt": "Kali Sticks", - "iw8_ar_anovember94": "AN-94", - "iw8_sm_charlie9": "ISO", - "iw8_me_akimboblades": "Dual Kodachis", - "iw8_lm_sierrax": "FiNN", - "iw8_ar_valpha": "AS VAL", - "iw8_sn_romeo700": "SP-R 208", - "cruise_predator": "Cruise Missile", - "manual_turret": "Shield Turret", - "toma_strike": "Cluster Strike", - "sentry_gun": "Sentry Gun", - "hover_jet": "VTOL Jet", - "precision_airstrike": "Precision Airstrike", - "juggernaut": "Juggernaut", - "pac_sentry": "", - "chopper_gunner": "Chopper Gunner", - "gunship": "Gunship", - "white_phosphorus": "White Phosphorus", - "nuke": "Nuke", - "chopper_support": "Support Helo", - "bradley": "Infantry Assault Vehicle", - "uav": "UAV", - "directional_uav": "Advanced UAV", - "airdrop": "Care Package", - "airdrop_multiple": "Emergency Airdrop", - "radar_drone_overwatch": "Personal Radar", - "scrambler_drone_guard": "Counter UAV", - "super_emp_drone": "EMP Drone", - "super_trophy": "Trophy System", - "super_ammo_drop": "Munitions Box", - "super_weapon_drop": "Weapon Drop", - "super_fulton": "Cash Deposit Balloon", - "super_armor_drop": "Armor Box", - "super_select": "Field Upgrade Pro (Any)", - "super_tac_insert": "Tactical Insertion", - "super_recon_drone": "Recon Drone", - "super_deadsilence": "Dead Silence", - "super_supply_drop": "Loadout Drop", - "super_tac_cover": "Deployable Cover", - "super_support_box": "Stopping Power Rounds", - "mp_stat": "Statistic", - "session_start": "Session Start", - "uno": "PC", - "psn": "Playstation Network", - "xbl": "Xbox Live", - "steam": "Steam", - "battle": "BattleNET", - "mw": "Modern Warfare", - "cw": "Cold War", - "mp_cartel": "Cartel", - "mp_tank": "Garrison", - "mp_miami": "Miami", - "mp_moscow": "Moscow", - "mp_satellite": "Satellite", - "mp_kgb": "Checkmate", - "wz_forest": "Ruka", - "wz_ski_slopes": "Alpine", - "mp_nuketown6": "Nuketown '84", - "mp_tundra": "Crossroads", - "mp_black_sea": "Armada", - "mp_mall": "The Pines", - "mp_raid_rm": "Raid", - "mp_sm_berlin_tunnel": "U-Bahn", - "mp_sm_finance": "KGB", - "mp_sm_game_show": "Game Show", - "mp_sm_central": "ICBM", - "wz_sanatorium": "Sanatorium", - "nuketown6_holiday": "Nuketown '84 Holiday", - "mp_express_rm": "Express", - "mp_apocalypse": "Apocalypse", - "mp_sm_market": "Mansion", - "mp_miami_strike": "Miami Strike", - "wz_golova": "Golova", - "mp_cliffhanger": "Yamantau", - "mp_sm_gas_station": "Diesel", - "wz_duga": "Duga", - "mp_village_rm": "Standoff", - "mp_sm_amsterdam": "Amsterdam", - "mp_dune": "Collateral", - "mp_hijacked_rm": "Hijacked", - "mp_paintball_rm": "Rush", - "mp_sm_deptstore": "Showroom", - "mp_slums_rm": "Slums", - "mp_echelon": "Echelon", - "mp_drivein_rm": "Drive In", - "mp_zoo_rm": "Zoo", - "mp_firebase": "Deprogram", - "mp_amerika": "Amerika", - "mp_sm_vault": "Gluboko", - "mp_don4_pm": "Nuketown '84 Halloween" + "career": "Career", + "mp_hackney_yard": "Hackney Yard (Night)", + "mp_aniyah": "Aniyah Palace", + "mp_euphrates": "Euphrates Bridge", + "mp_raid": "Grazna Raid", + "mp_m_pine": "Pine", + "mp_m_stack": "Stack", + "mp_deadzone": "Arklov Peak", + "mp_quarry": "Karst River Quarry", + "mp_m_overunder": "Docks", + "mp_cave_am": "Azhir Cave", + "mp_cave": "Azhir Cave (Night)", + "mp_runner": "Gun Runner", + "mp_runner_pm": "Gun Runner (Night)", + "mp_hackney_am": "Hackney Yard", + "mp_piccadilly": "Piccadilly", + "mp_spear": "Rammaza", + "mp_spear_pm": "Rammaza (Night)", + "mp_petrograd": "St. Petrograd", + "mp_m_hill": "Hill", + "mp_m_king": "King", + "mp_m_speedball": "Speedball", + "mp_m_showers": "Gulag Showers", + "mp_downtown_gw": "Tarvosk District", + "mp_m_speed": "Shoot House", + "mp_farms2_gw": "Krovnik Farmland", + "mp_port2_gw": "Port", + "mp_crash2": "Crash", + "mp_vacant": "Vacant", + "mp_shipment": "Shipment", + "mp_m_cargo": "Cargo", + "mp_m_cage": "Atrium", + "mp_m_overwinter": "Docks", + "mp_emporium": "Atlas Superstore", + "mp_rust": "Rust", + "mp_boneyard_gw": "Zhokov Boneyard", + "mp_m_fork": "Bazaar", + "mp_donetsk": "Verdansk", + "mp_hideout": "Khandor Hideout", + "loading_mp_hideout": "Khandor Hideout", + "mp_aniyah_tac": "Aniyah Incursion", + "mp_backlot2": "Talsik Backlot", + "mp_village2": "Hovec Sawmill", + "mp_hardhat": "Hardhat", + "mp_m_wallco2": "Aisle 9", + "mp_scrapyard": "Zhokov Scrapyard", + "mp_m_trench": "Trench", + "mp_promenade_gw": "Barakett Promenade", + "mp_don": "Verdansk", + "mp_garden": "Cheshire Park", + "mp_oilrig": "Petrov Oil Rig", + "mp_harbor": "Suldal Harbor", + "mp_layover_gw": "Verdansk International Airport", + "mp_m_cornfield": "Livestock", + "mp_m_stadium": "Verdansk Stadium", + "mp_malyshev": "Mialstor Tank Factory", + "mp_malyshev_10v10": "Mialstor Tank Factory", + "mp_broadcast2": "Broadcast", + "mp_riverside_gw": "Verdansk Riverside", + "mp_m_train": "Station", + "mp_kstenod": "Verdansk (Night)", + "mp_escape": "Rebirth", + "mp_herat": "Al-Raab Airbase", + "mp_killhouse": "Killhouse", + "mp_m_drainage": "Drainage", + "war": "Team Deathmatch", + "sd": "Search and Destroy", + "dom": "Domination", + "tdef": "Team Defender", + "dm": "Free-for-all", + "koth": "Hardpoint", + "hq": "Headquarters", + "arena": "Gunfight", + "arm": "Ground War", + "conf": "Kill Confirmed", + "cyber": "Cyber Attack", + "hc_war": "Team Deathmatch Hardcore", + "hc_arena": "Gunfight Hardcore", + "hc_arm": "Ground War Hardcore", + "hc_conf": "Kill Confirmed Hardcore", + "hc_cyber": "Cyber Attack Hardcore", + "hc_dm": "Free-for-all Hardcore", + "hc_hq": "Headquarters Hardcore", + "hc_dom": "Domination Hardcore", + "hc_sd": "Search and Destroy Hardcore", + "cyber_hc": "Cyber Attack Hardcore", + "war_hc": "Team Deathmatch Hardcore", + "dom_hc": "Domination Hardcore", + "sd_hc": "Search and Destroy Hardcore", + "conf_hc": "Kill Confirmed Hardcore", + "gun": "Gun Game", + "gun_hc": "Gun Game Hardcore", + "siege": "Reinforce", + "infect": "Infected", + "arena_osp": "Gunfight O.S.P.", + "hq_hc": "Headquarters Hardcore", + "grnd": "Grind", + "grind": "Grind", + "ctf": "Capture the Flag", + "br_all": "All", + "br": "Battle Royale", + "br_dmz": "Plunder", + "br_dmz_38": "Plunder Quads", + "br_87": "BR Solos", + "br_dmz_104": "Blood Money", + "koth_hc": "Hardpoint Hardcore", + "br_25": "BR Trios", + "br_89": "BR Quads", + "br_dmz_76": "Plunder Quads", + "br_77": "BR Scopes & Scatterguns", + "br_dmz_85": "Plunder Duos", + "dd_hc": "Demolition Hardcore", + "dd": "Demolition", + "br_71": "BR Solos", + "br_74": "BR Trios", + "br_88": "BR Duos", + "brtdm_113": "Warzone Rumble", + "brtdm_rmbl": "Warzone Rumble", + "br_brsolo": "BR Solos", + "br_brduos": "BR Duos", + "br_brtrios": "BR Trios", + "br_brquads": "BR Quads", + "br_dmz_plnbld": "Blood Money", + "br_br_real": "Realism Battle Royale", + "br_86": "Realism Battle Royale", + "br_brthquad": "BR 200 Quads", + "br_jugg_brtriojugr": "Juggernaut Royal Trios", + "br_dmz_plunquad": "Plunder Quads", + "br_dmz_bldmnytrio": "Blood Money Trios", + "br_mini_miniroyale": "Mini Royale", + "br_brbbsolo": "BR Buyback Solos", + "br_jugg_brquadjugr": "Juggernaut Royal Quads", + "br_kingslayer_kingsltrios": "King Slayer Trios", + "br_truckwar_trwarsquads": "Armored Royale Quads", + "br_zxp_zmbroy": "Zombie Royale", + "br_brhwntrios": "BR Trick-Or-Trios", + "rugby": "Onslaughter", + "br_brsolohwn": "BR Solo Survivor", + "br_dmz_plndcndy": "Plunder: Candy Collector", + "br_jugg_jugpmpkn": "Juggourdnaut Royale", + "br_rebirth_rbrthtrios": "Resurgence Trio", + "br_rebirth_rbrthduos": "Resurgence Duos", + "br_rebirth_rbrthquad": "Rebirth Resurgance Quads", + "br_dmz_plndtrios": "Plunder Trios", + "br_rebirth_resurgence_trios": "Verdansk Resurgence Trios", + "br_mini_rebirth_mini_royale_quads": "Rebirth Mini Royale Quads", + "br_bodycount_pwergrb": "Power Grab", + "br_rebirth_resurgence_mini": "Verdansk Resurgence Mini", + "br_payload_payload": "Payload", + "br_mini_rebirth_mini_royale_trios": "Rebirth Mini Royale Trios", + "br_x2_br_reveal_x2_event/event_title_x2": "Battle of Verdansk", + "br_rumble_clash": "Clash", + "br_dbd_dbd": "Iron Trials '84", + "br_gxp_gov": "Ghosts of Verdansk", + "scorestreak": "Scorestreak", + "equipment": "Equipment", + "gear": "Gear", + "weapon_bare_hands": "Bare Hands", + "weapon_tactical_rifle": "Tactical Rifle", + "weapon_shotgun": "Shotgun", + "weapon_sniper": "Sniper", + "weapon_lmg": "Light Machine Guns", + "weapon_launcher": "Launcher", + "weapon_pistol": "Pistol", + "weapon_smg": "Submachine Guns", + "weapon_melee": "Melee", + "weapon_assault_rifle": "Assault Rifle", + "attachments": "Attachments", + "weapons": "Weapons", + "specialist": "Specialist", + "weapon": "Weapon", + "weapon_special": "Special", + "iw8_ar_akilo47": "AK-47", + "iw8_ar_kilo433": "Kilo-141", + "iw8_ar_mcharlie": "M13", + "iw8_ar_falima": "FAL", + "iw8_ar_asierra12": "Oden", + "iw8_sm_mpapa7": "MP7", + "iw8_sm_augolf": "AUG", + "iw8_sm_uzulu": "Uzi", + "iw8_sh_romeo870": "Model 680", + "iw8_sh_charlie725": "725", + "iw8_sh_aalpha12": "JAK-12", + "iw8_sh_oscar12": "Origin 12", + "iw8_lm_pkilo": "PKM", + "iw8_lm_mgolf34": "MG34", + "iw8_lm_lima86": "SA87", + "iw8_lm_dblmg": "MP Juggernaut", + "iw8_sn_mike14": "EBR-14", + "iw8_sn_delta": "Dragunov", + "iw8_sn_alpha50": "AX-50", + "iw8_sn_hdromeo": "HDR", + "iw8_sn_sbeta": "Mk2 Carbine", + "iw8_pi_papa320": "M19", + "iw8_pi_cpapa": ".357", + "iw8_la_rpapa7": "RPG-7", + "iw8_la_juliet": "JOKR", + "iw8_la_gromeo": "PILA", + "iw8_la_kgolf": "Strela-P", + "iw8_me_riotshield": "Riot Shield", + "equip_gas_grenade": "Gas Grenade", + "equip_snapshot_grenade": "Snapshot Grenade", + "equip_decoy": "Decoy Grenade", + "equip_smoke": "Smoke Grenade", + "equip_concussion": "Stun Grenade", + "equip_hb_sensor": "Heartbeat Sensor", + "equip_flash": "Flash Grenade", + "equip_adrenaline": "Stim", + "equip_frag": "Frag Grenade", + "equip_thermite": "Thermite", + "equip_semtex": "Semtex", + "equip_claymore": "Claymore", + "equip_c4": "C4", + "equip_at_mine": "Proximity Mine", + "equip_throwing_knife": "Throwing Knife", + "equip_molotov": "Molotov Cocktail", + "iw8_knife": "Combat Knife", + "weapon_other": "Primary Melee", + "iw8_ar_tango21": "RAM-7", + "iw8_ar_falpha": "FR 5.56", + "iw8_ar_mike4": "M4A1", + "iw8_sm_papa90": "P90", + "iw8_sm_mpapa5": "MP5", + "iw8_sm_beta": "PP19 Bizon", + "iw8_sh_dpapa12": "R9-0", + "iw8_lm_mgolf36": "Holger-26", + "iw8_sn_kilo98": "Kar98k", + "iw8_pi_mike1911": "1911", + "iw8_pi_golf21": "X16", + "iw8_pi_decho": ".50 GS", + "weapon_marksman": "Marksman Rifles", + "iw8_lm_kilo121": "M91", + "iw8_ar_scharlie": "FN Scar 17", + "iw8_ar_sierra552": "Grau 5.56", + "iw8_sm_smgolf45": "Striker 45", + "iw8_pi_mike9a3": "Renetti", + "iw8_lm_mkilo3": "Bruen MK9", + "iw8_sh_mike26": "VLK Rogue", + "iw8_sn_crossbow": "Crossbow", + "iw8_sn_sksierra": "SKS", + "iw8_ar_galima": "CR-56 AMAX", + "iw8_me_kalistick": "Kali Sticks", + "iw8_sm_victor": "Fennec Mk9", + "iw8_sn_xmike109": "Rytec AMR", + "iw8_pi_mike9": "Renetti", + "iw8_me_akimboblunt": "Kali Sticks", + "iw8_ar_anovember94": "AN-94", + "iw8_sm_charlie9": "ISO", + "iw8_me_akimboblades": "Dual Kodachis", + "iw8_lm_sierrax": "FiNN", + "iw8_ar_valpha": "AS VAL", + "iw8_sn_romeo700": "SP-R 208", + "cruise_predator": "Cruise Missile", + "manual_turret": "Shield Turret", + "toma_strike": "Cluster Strike", + "sentry_gun": "Sentry Gun", + "hover_jet": "VTOL Jet", + "precision_airstrike": "Precision Airstrike", + "juggernaut": "Juggernaut", + "pac_sentry": "", + "chopper_gunner": "Chopper Gunner", + "gunship": "Gunship", + "white_phosphorus": "White Phosphorus", + "nuke": "Nuke", + "chopper_support": "Support Helo", + "bradley": "Infantry Assault Vehicle", + "uav": "UAV", + "directional_uav": "Advanced UAV", + "airdrop": "Care Package", + "airdrop_multiple": "Emergency Airdrop", + "radar_drone_overwatch": "Personal Radar", + "scrambler_drone_guard": "Counter UAV", + "super_emp_drone": "EMP Drone", + "super_trophy": "Trophy System", + "super_ammo_drop": "Munitions Box", + "super_weapon_drop": "Weapon Drop", + "super_fulton": "Cash Deposit Balloon", + "super_armor_drop": "Armor Box", + "super_select": "Field Upgrade Pro (Any)", + "super_tac_insert": "Tactical Insertion", + "super_recon_drone": "Recon Drone", + "super_deadsilence": "Dead Silence", + "super_supply_drop": "Loadout Drop", + "super_tac_cover": "Deployable Cover", + "super_support_box": "Stopping Power Rounds", + "mp_stat": "Statistic", + "session_start": "Session Start", + "uno": "PC", + "psn": "Playstation Network", + "xbl": "Xbox Live", + "steam": "Steam", + "battle": "BattleNET", + "mw": "Modern Warfare", + "cw": "Cold War", + "mp_cartel": "Cartel", + "mp_tank": "Garrison", + "mp_miami": "Miami", + "mp_moscow": "Moscow", + "mp_satellite": "Satellite", + "mp_kgb": "Checkmate", + "wz_forest": "Ruka", + "wz_ski_slopes": "Alpine", + "mp_nuketown6": "Nuketown '84", + "mp_tundra": "Crossroads", + "mp_black_sea": "Armada", + "mp_mall": "The Pines", + "mp_raid_rm": "Raid", + "mp_sm_berlin_tunnel": "U-Bahn", + "mp_sm_finance": "KGB", + "mp_sm_game_show": "Game Show", + "mp_sm_central": "ICBM", + "wz_sanatorium": "Sanatorium", + "nuketown6_holiday": "Nuketown '84 Holiday", + "mp_express_rm": "Express", + "mp_apocalypse": "Apocalypse", + "mp_sm_market": "Mansion", + "mp_miami_strike": "Miami Strike", + "wz_golova": "Golova", + "mp_cliffhanger": "Yamantau", + "mp_sm_gas_station": "Diesel", + "wz_duga": "Duga", + "mp_village_rm": "Standoff", + "mp_sm_amsterdam": "Amsterdam", + "mp_dune": "Collateral", + "mp_hijacked_rm": "Hijacked", + "mp_paintball_rm": "Rush", + "mp_sm_deptstore": "Showroom", + "mp_slums_rm": "Slums", + "mp_echelon": "Echelon", + "mp_drivein_rm": "Drive In", + "mp_zoo_rm": "Zoo", + "mp_firebase": "Deprogram", + "mp_amerika": "Amerika", + "mp_sm_vault": "Gluboko", + "mp_don4_pm": "Nuketown '84 Halloween" } diff --git a/src/data/weapon-ids.json b/src/data/weapon-ids.json index affb910..a0ffbdd 100644 --- a/src/data/weapon-ids.json +++ b/src/data/weapon-ids.json @@ -1,236 +1,235 @@ { - "_MODERN WARFARE WEAPONS_": "iw8_", - "iw8_pi_golf21": "Pistol_X16", - "iw8_pi_papa320": "Pistol_M19", - "iw8_pi_decho": "Pistol_.50 GS", - "iw8_pi_mike1911": "Pistol_1911", - "iw8_pi_cpapa": "Pistol_.357 Magnum", - "iw8_pi_mike9": "Pistol_Renetti", - "iw8_pi_mike": "Pistol_Sykov", - "iw8_sm_mpapa5": "SMG_MP5", - "iw8_sm_beta": "SMG_PP19 Bizon", - "iw8_sm_augolf": "SMG_AUG", - "iw8_sm_papa90": "SMG_P90", - "iw8_sm_mpapa7": "SMG_MP7", - "iw8_sm_uzulu": "SMG_UZI", - "iw8_sm_charlie9": "SMG_CX-9", - "iw8_sm_smgolf45": "SMG_Striker 45", - "iw8_sm_victor": "SMG_Fennec", - "iw8_sm_secho": "SMG_ISO", - "iw8_me_riotshield": "Special_Riot Shield", - "iw8_knife": "Special_Knife", - "iw8_me_akimboblades": "Special_Dual Kodachis", - "iw8_me_akimboblunt": "Special_Kali Sticks", - "iw8_fists": "Special_Fists", - "iw8_knifestab": "Special_Combat Knife", - "iw8_fists_mp_zmb": "Special_Fists", - "iw8_ar_mike4": "AR_M4A1", - "iw8_ar_akilo47": "AR_AK-47", - "iw8_ar_asierra12": "AR_Oden", - "iw8_ar_falpha": "AR_FR 5.56", - "iw8_ar_mcharlie": "AR_M13", - "iw8_ar_kilo433": "AR_Kilo 141", - "iw8_ar_falima": "AR_FAL", - "iw8_ar_scharlie": "AR_FN Scar 17", - "iw8_ar_tango21": "AR_RAM-7", - "iw8_ar_sierra552": "AR_Grau 5.56", - "iw8_ar_galima": "AR_CR-56 AMAX", - "iw8_ar_anovember94": "AR_AN-94", - "iw8_ar_valpha": "AR_AS VAL", - "iw8_la_rpapa7": "Launcher_RPG-7", - "iw8_la_gromeo": "Launcher_PILA", - "iw8_la_juliet": "Launcher_JOKR", - "iw8_la_kgolf": "Launcher_Strela-P", - "iw8_la_mike32": "Launcher_MGL-32 Grenade Launcher", - "iw8_sn_mike14": "Marksman_EBR-14", - "iw8_sn_kilo98": "Marksman_Kar98k", - "iw8_sn_sbeta": "Marksman_MK2 Carbine", - "iw8_sn_golf28": "Marksman_SP-R 208", - "iw8_sn_crossbow": "Marksman_Crossbow", - "iw8_sn_sksierra": "Marksman_SKS", - "iw8_sn_romeo700": "Sniper_SP-R 208", - "iw8_sn_alpha50": "Sniper_AX-50", - "iw8_sn_delta": "Sniper_Dragunov", - "iw8_sn_hdromeo": "Sniper_HDR", - "iw8_sn_xmike109": "Sniper_Rytec AMR", - "iw8_sh_dpapa12": "Shotgun_R9-0", - "iw8_sh_oscar12": "Shotgun_Origin 12", - "iw8_sh_charlie725": "Shotgun_725", - "iw8_sh_romeo870": "Shotgun_Model 680", - "iw8_sh_mike26": "Shotgun_VLK Rogue", - "iw8_sh_aalpha12": "Shotgun_JAK-12", - "iw8_lm_kilo121": "LMG_M91", - "iw8_lm_pkilo": "LMG_PKM", - "iw8_lm_lima86": "LMG_SA87", - "iw8_lm_mgolf34": "LMG_MG34", - "iw8_lm_mgolf36": "LMG_Holger-26", - "iw8_lm_mkilo3": "LMG_Bruen Mk9", - "iw8_lm_sierrax": "LMG_FiNN LMG", - "iw8_lm_dblmg": "LMG_Minigun", - "iw8_lm_slima": "LMG_RAAL MG", - "_COLD WAR WEAPONS_": "iw8_t9", - "iw8_sn_t9quickscope": "Sniper_Pelington 703", - "iw8_sn_t9standard": "Sniper_LW3 - Tundra", - "iw8_sn_t9powersemi": "Sniper_M82", - "iw8_sn_t9damagesemi": "Sniper_Type 63", - "iw8_sn_t9precisionsemi": "Sniper_DMR 14", - "iw8_sn_t9cannon": "Sniper_ZRG 20mm", - "iw8_sn_t9crossbow": "Sniper_Crossbow", - "iw8_sn_t9accurate": "Sniper_Swiss K31", - "iw8_sn_t9explosivebow": "Sniper_Explosive Tip Crossbow", - "iw8_pi_t9burst": "Pistol_Diamatti", - "iw8_pi_t9revolver": "Pistol_Magnum", - "iw8_pi_t9semiauto": "Pistol_1911", - "iw8_pi_t9fullauto": "Pistol_AMP63", - "iw8_sm_t9standard": "SMG_MP5", - "iw8_sm_t9handling": "SMG_Milano 821", - "iw8_sm_t9heavy": "SMG_AK-74u", - "iw8_sm_t9fastfire": "SMG_MAC-10", - "iw8_sm_t9burst": "SMG_KSP 45", - "iw8_sm_t9capacity": "SMG_Bullfrog", - "iw8_sm_t9powerburst": "SMG_AUG", - "iw8_sm_t9accurate": "SMG_LC10", - "iw8_sm_t9spray": "SMG_PPsh-41", - "iw8_sm_t9nailgun": "SMG_Nailgun", - "iw8_ar_t9standard": "AR_XM4", - "iw8_ar_t9damage": "AR_AK-47", - "iw8_ar_t9accurate": "AR_Krig 6", - "iw8_ar_t9mobility": "AR_QBZ-83", - "iw8_ar_t9longburst": "AR_M16", - "iw8_ar_t9fasthandling": "AR_Groza", - "iw8_ar_t9fastfire": "AR_FFAR", - "iw8_ar_t9slowhandling": "AR_Fara 83", - "iw8_ar_t9slowfire": "AR_C58", - "iw8_ar_t9soviet": "AR_Vargo-S", - "iw8_sh_t9pump": "Shotgun_Hauer 77", - "iw8_sh_t9semiauto": "Shotgun_Gallo SA12", - "iw8_sh_t9fullauto": "Shotgun_Streetsweeper", - "iw8_lm_t9accurate": "LMG_Stoner 63", - "iw8_lm_t9slowfire": "LMG_M60", - "iw8_lm_t9light": "LMG_RPD", - "iw8_lm_t9fastfire": "LMG_Ameli", - "iw8_la_t9standard": "Launcher_Cigma 2", - "iw8_la_t9freefire": "Launcher_RPG-7", - "iw8_la_t9launcher": "Launcher_M79", - "iw8_me_t9sledgehammer": "Special_Sledgehammer", - "iw8_me_t9wakizashi": "Special_Wakizashi", - "iw8_me_t9loadout": "Special_Knife", - "iw8_me_t9machete": "Special_Machete", - "iw8_me_t9etool": "Special_Shovel", - "iw8_me_t9ballisticknife": "Special_Ballistic Knife", - "iw8_me_t9bat": "Special_Baseball Bat", - "_VANGUARD WEAPONS_": "s4_", - "s4_mr_moscar": "Sniper_3-Line Rifle", - "s4_mr_kalpha98": "Sniper_Kar98k", - "s4_mr_aromeo99": "Sniper_Type 99", - "s4_mr_ptango41": "Sniper_Gorenko Anti-Tank Rifle", - "s4_pi_malpha96": "Pistol_Machine Pistol", - "s4_pi_ttango33": "Pistol_RATT", - "s4_pi_mike1911": "Pistol_1911", - "s4_pi_wecho": "Pistol_Top Break", - "s4_pi_luniform08": "Pistol_Klauser", - "s4_sm_thotel": "SMG_M1928", - "s4_sm_stango5": "SMG_Sten", - "s4_sm_mpapa40": "SMG_Mp-40", - "s4_sm_ppapa41": "SMG_PPsh-41", - "s4_sm_owhiskey": "SMG_Owen Gun", - "s4_sm_tyankee100": "SMG_Type 100", - "s4_sm_wecho43": "SMG_Welgun", - "s4_sm_fromeo57": "SMG_Marco 5", - "s4_sm_guniform45": "SMG_H4 Blixen", - "s4_sm_aromeo43": "SMG_Armaguerra 43", - "s4_sm_salpha26": "SMG_RA 225", - "s4_ar_stango44": "AR_STG-44", - "s4_ar_bromeopg": "AR_ITRA Burst", - "s4_ar_balpha": "AR_BAR", - "s4_ar_chotel41": "AR_NZ-41", - "s4_ar_voscar": "AR_Volkssturmgewehr", - "s4_ar_asierra44": "AR_AS-44", - "s4_ar_fecho": "AR_Automaton", - "s4_ar_hyankee44": "AR_Cooper Carbine", - "s4_ar_kgolf40": "AR_KG M40", - "s4_ar_promeo45": "AR_Nikita AVT", - "s4_ar_emike1": "AR_EX1", - "s4_sh_becho": "Shotgun_Einhorn Revolving", - "s4_sh_bromeo5": "Shotgun_Gracey Auto", - "s4_sh_mike97": "Shotgun_Combat Shotgun", - "s4_sh_lindia98": "Shotgun_Double Barrel", - "s4_mg_mgolf42": "LMG_MG42", - "s4_mg_dpapa27": "LMG_DP27", - "s4_mg_bromeo37": "LMG_Bren", - "s4_mg_tyankee11": "LMG_Type11", - "s4_mg_malpha7": "LMG_Whitley", - "s4_mg_aalpha52": "LMG_UGM-8", - "s4_la_m1bravo": "Launcher_M1 Bazooka", - "s4_la_palpha": "Launcher_Panzerschreck", - "s4_la_palpha42": "Launcher_Panzerfaust", - "s4_la_mkilo1": "Launcher_Mk11 Launcher", - "s4_me_rindigo": "Melee_Combat Shield", - "s4_me_knife": "Melee_FS Fighting Knife", - "s4_me_leiomano": "Melee_Sawtooth", - "s4_me_katana": "Melee_Katanah", - "s4_me_axe": "Melee_Skål Crusher", - "s4_me_sledgehammer": "Melee_Sledgehammer", - "s4_mr_m1golf": "Marksman_M1 Grand", - "s4_mr_svictor40": "Marksman_SVT-40", - "s4_mr_gecho43": "Marksman_G-43", - "s4_mr_kalpha98": "Marksman_M1916", - "_Modern Warfare 2_": "iw9_", - "iw9_ar_mike4_mp": "AR_M4", - "iw9_ar_golf3_mp": "AR_Lachman-545", - "iw9_ar_mike4": "AR_M4 Variant", - "iw9_ar_kilo53_mp": "AR_Lachman-556", - "iw9_ar_schotel_mp": "AR_TAQ-V", - "iw9_ar_akilo74": "AR_Kastov-74U", - "iw9_ar_augolf": "AR_STB 556", - "iw9_ar_akilo": "AR_Kastov 762", - "iw9_ar_mike16": "AR_M16", - "iw9_ar_scharlie": "AR_TAQ-56", - "iw9_ar_scharlie_mp": "AR_TAQ-56", - "iw9_ar_akilo105": "AR_Kastov 545", - "iw9_sm_mpapa7_mp": "SMG_Vel 46", - "iw9_sm_victor_mp": "SMG_Fennec 45", - "iw9_sm_aviktor_mp": "SMG_Vaznev-9K", - "iw9_sm_alpha57_mp": "SMG_FSS Hurricane", - "iw9_sm_papa90_mp": "SMG_SMG_PDSW 528", - "iw9_sm_beta_mp": "SMG_Minibak", - "iw9_sm_apapa_mp": "SMG_MX9", - "iw9_sm_mpapa5_mp": "SMG_Lachmann 764", - "iw9_sh_mike1014": "Shotgun_Expedite 12", - "iw9_sh_charlie725_mp": "Shotgun_Lockwood 300", - "iw9_sh_mbravo_mp": "Shotgun_Bryson 800", - "iw9_sh_mviktor_mp": "Shotgun_Bryson 890", - "iw9_sn_mromeo": "Sniper_MCPR-300", - "iw9_sn_limax": "Sniper_Signal 50", - "iw9_sn_xmike2010": "Sniper_SP-X 80", - "iw9_dm_sbeta_mp": "Sniper_Lockwood MK2", - "iw9_dm_mike24_mp": "Sniper_SP-R 208", - "iw9_pi_papa220_mp": "Pistol_P890", - "iw9_pi_golf18": "Pistol_X13", - "iw9_pi_decho_mp": "Pistol_.50 GS", - "iw9_pi_golf17_mp": "Pistol_X12", - "iw9_pi_swhiskey_mp": "Pistol_Basilisk", - "iw9_me_climbfists": "Melee_Fists", - "iw9_me_riotshield_mp": "Melee_Riot Shield", - "throwingknife_mp": "Melee_Throwing Knife", - "iw9_la_juliet_mp": "Launcher_JOKR", - "iw9_la_gromeo_mp": "Launcher_PILA", - "iw9_la_rpapa7_mp": "Launcher_RPG-7", - "iw9_la_kgolf_mp": "Launcher_Strella-P", - "iw9_lm_rkilo_mp": "LMG_RPK", - "iw9_lm_rkilo": "LMG_RPK", - "iw9_lm_ahotel_mp": "LMG_HCR 56", - "iw9_lm_slima_mp": "LMG_RAAL MG", - "iw9_lm_slima": "LMG_RAAL MG", - "iw9_lm_ngolf7_mp": "LMG_SAKIN MG38", - "iw9_lm_rkilo21_mp": "LMG_Rapp H", - "iw9_lm_foxtrot": "LMG_556 Icarus", - "iw9_br_msecho_mp": "BR_FTac Recon", - "iw9_br_msecho": "BR_FTac Recon", - "iw9_br_soscar14": "BR_SO-14", - "iw9_dm_pgolf1_mp": "DMR_LM-S", - "iw9_dm_la700": "DMR_LA-B 330", - "iw9_dm_sa700": "DMR_SA-B 50", - "iw9_dm_scromeo": "DMR_TAQ-M", - "iw9_dm_mike14": "DMR_ERB-14" + "_MODERN WARFARE WEAPONS_": "iw8_", + "iw8_pi_golf21": "Pistol_X16", + "iw8_pi_papa320": "Pistol_M19", + "iw8_pi_decho": "Pistol_.50 GS", + "iw8_pi_mike1911": "Pistol_1911", + "iw8_pi_cpapa": "Pistol_.357 Magnum", + "iw8_pi_mike9": "Pistol_Renetti", + "iw8_pi_mike": "Pistol_Sykov", + "iw8_sm_mpapa5": "SMG_MP5", + "iw8_sm_beta": "SMG_PP19 Bizon", + "iw8_sm_augolf": "SMG_AUG", + "iw8_sm_papa90": "SMG_P90", + "iw8_sm_mpapa7": "SMG_MP7", + "iw8_sm_uzulu": "SMG_UZI", + "iw8_sm_charlie9": "SMG_CX-9", + "iw8_sm_smgolf45": "SMG_Striker 45", + "iw8_sm_victor": "SMG_Fennec", + "iw8_sm_secho": "SMG_ISO", + "iw8_me_riotshield": "Special_Riot Shield", + "iw8_knife": "Special_Knife", + "iw8_me_akimboblades": "Special_Dual Kodachis", + "iw8_me_akimboblunt": "Special_Kali Sticks", + "iw8_fists": "Special_Fists", + "iw8_knifestab": "Special_Combat Knife", + "iw8_fists_mp_zmb": "Special_Fists", + "iw8_ar_mike4": "AR_M4A1", + "iw8_ar_akilo47": "AR_AK-47", + "iw8_ar_asierra12": "AR_Oden", + "iw8_ar_falpha": "AR_FR 5.56", + "iw8_ar_mcharlie": "AR_M13", + "iw8_ar_kilo433": "AR_Kilo 141", + "iw8_ar_falima": "AR_FAL", + "iw8_ar_scharlie": "AR_FN Scar 17", + "iw8_ar_tango21": "AR_RAM-7", + "iw8_ar_sierra552": "AR_Grau 5.56", + "iw8_ar_galima": "AR_CR-56 AMAX", + "iw8_ar_anovember94": "AR_AN-94", + "iw8_ar_valpha": "AR_AS VAL", + "iw8_la_rpapa7": "Launcher_RPG-7", + "iw8_la_gromeo": "Launcher_PILA", + "iw8_la_juliet": "Launcher_JOKR", + "iw8_la_kgolf": "Launcher_Strela-P", + "iw8_la_mike32": "Launcher_MGL-32 Grenade Launcher", + "iw8_sn_mike14": "Marksman_EBR-14", + "iw8_sn_kilo98": "Marksman_Kar98k", + "iw8_sn_sbeta": "Marksman_MK2 Carbine", + "iw8_sn_golf28": "Marksman_SP-R 208", + "iw8_sn_crossbow": "Marksman_Crossbow", + "iw8_sn_sksierra": "Marksman_SKS", + "iw8_sn_romeo700": "Sniper_SP-R 208", + "iw8_sn_alpha50": "Sniper_AX-50", + "iw8_sn_delta": "Sniper_Dragunov", + "iw8_sn_hdromeo": "Sniper_HDR", + "iw8_sn_xmike109": "Sniper_Rytec AMR", + "iw8_sh_dpapa12": "Shotgun_R9-0", + "iw8_sh_oscar12": "Shotgun_Origin 12", + "iw8_sh_charlie725": "Shotgun_725", + "iw8_sh_romeo870": "Shotgun_Model 680", + "iw8_sh_mike26": "Shotgun_VLK Rogue", + "iw8_sh_aalpha12": "Shotgun_JAK-12", + "iw8_lm_kilo121": "LMG_M91", + "iw8_lm_pkilo": "LMG_PKM", + "iw8_lm_lima86": "LMG_SA87", + "iw8_lm_mgolf34": "LMG_MG34", + "iw8_lm_mgolf36": "LMG_Holger-26", + "iw8_lm_mkilo3": "LMG_Bruen Mk9", + "iw8_lm_sierrax": "LMG_FiNN LMG", + "iw8_lm_dblmg": "LMG_Minigun", + "iw8_lm_slima": "LMG_RAAL MG", + "_COLD WAR WEAPONS_": "iw8_t9", + "iw8_sn_t9quickscope": "Sniper_Pelington 703", + "iw8_sn_t9standard": "Sniper_LW3 - Tundra", + "iw8_sn_t9powersemi": "Sniper_M82", + "iw8_sn_t9damagesemi": "Sniper_Type 63", + "iw8_sn_t9precisionsemi": "Sniper_DMR 14", + "iw8_sn_t9cannon": "Sniper_ZRG 20mm", + "iw8_sn_t9crossbow": "Sniper_Crossbow", + "iw8_sn_t9accurate": "Sniper_Swiss K31", + "iw8_sn_t9explosivebow": "Sniper_Explosive Tip Crossbow", + "iw8_pi_t9burst": "Pistol_Diamatti", + "iw8_pi_t9revolver": "Pistol_Magnum", + "iw8_pi_t9semiauto": "Pistol_1911", + "iw8_pi_t9fullauto": "Pistol_AMP63", + "iw8_sm_t9standard": "SMG_MP5", + "iw8_sm_t9handling": "SMG_Milano 821", + "iw8_sm_t9heavy": "SMG_AK-74u", + "iw8_sm_t9fastfire": "SMG_MAC-10", + "iw8_sm_t9burst": "SMG_KSP 45", + "iw8_sm_t9capacity": "SMG_Bullfrog", + "iw8_sm_t9powerburst": "SMG_AUG", + "iw8_sm_t9accurate": "SMG_LC10", + "iw8_sm_t9spray": "SMG_PPsh-41", + "iw8_sm_t9nailgun": "SMG_Nailgun", + "iw8_ar_t9standard": "AR_XM4", + "iw8_ar_t9damage": "AR_AK-47", + "iw8_ar_t9accurate": "AR_Krig 6", + "iw8_ar_t9mobility": "AR_QBZ-83", + "iw8_ar_t9longburst": "AR_M16", + "iw8_ar_t9fasthandling": "AR_Groza", + "iw8_ar_t9fastfire": "AR_FFAR", + "iw8_ar_t9slowhandling": "AR_Fara 83", + "iw8_ar_t9slowfire": "AR_C58", + "iw8_ar_t9soviet": "AR_Vargo-S", + "iw8_sh_t9pump": "Shotgun_Hauer 77", + "iw8_sh_t9semiauto": "Shotgun_Gallo SA12", + "iw8_sh_t9fullauto": "Shotgun_Streetsweeper", + "iw8_lm_t9accurate": "LMG_Stoner 63", + "iw8_lm_t9slowfire": "LMG_M60", + "iw8_lm_t9light": "LMG_RPD", + "iw8_lm_t9fastfire": "LMG_Ameli", + "iw8_la_t9standard": "Launcher_Cigma 2", + "iw8_la_t9freefire": "Launcher_RPG-7", + "iw8_la_t9launcher": "Launcher_M79", + "iw8_me_t9sledgehammer": "Special_Sledgehammer", + "iw8_me_t9wakizashi": "Special_Wakizashi", + "iw8_me_t9loadout": "Special_Knife", + "iw8_me_t9machete": "Special_Machete", + "iw8_me_t9etool": "Special_Shovel", + "iw8_me_t9ballisticknife": "Special_Ballistic Knife", + "iw8_me_t9bat": "Special_Baseball Bat", + "_VANGUARD WEAPONS_": "s4_", + "s4_mr_moscar": "Sniper_3-Line Rifle", + "s4_mr_kalpha98": "Sniper_Kar98k", + "s4_mr_aromeo99": "Sniper_Type 99", + "s4_mr_ptango41": "Sniper_Gorenko Anti-Tank Rifle", + "s4_pi_malpha96": "Pistol_Machine Pistol", + "s4_pi_ttango33": "Pistol_RATT", + "s4_pi_mike1911": "Pistol_1911", + "s4_pi_wecho": "Pistol_Top Break", + "s4_pi_luniform08": "Pistol_Klauser", + "s4_sm_thotel": "SMG_M1928", + "s4_sm_stango5": "SMG_Sten", + "s4_sm_mpapa40": "SMG_Mp-40", + "s4_sm_ppapa41": "SMG_PPsh-41", + "s4_sm_owhiskey": "SMG_Owen Gun", + "s4_sm_tyankee100": "SMG_Type 100", + "s4_sm_wecho43": "SMG_Welgun", + "s4_sm_fromeo57": "SMG_Marco 5", + "s4_sm_guniform45": "SMG_H4 Blixen", + "s4_sm_aromeo43": "SMG_Armaguerra 43", + "s4_sm_salpha26": "SMG_RA 225", + "s4_ar_stango44": "AR_STG-44", + "s4_ar_bromeopg": "AR_ITRA Burst", + "s4_ar_balpha": "AR_BAR", + "s4_ar_chotel41": "AR_NZ-41", + "s4_ar_voscar": "AR_Volkssturmgewehr", + "s4_ar_asierra44": "AR_AS-44", + "s4_ar_fecho": "AR_Automaton", + "s4_ar_hyankee44": "AR_Cooper Carbine", + "s4_ar_kgolf40": "AR_KG M40", + "s4_ar_promeo45": "AR_Nikita AVT", + "s4_ar_emike1": "AR_EX1", + "s4_sh_becho": "Shotgun_Einhorn Revolving", + "s4_sh_bromeo5": "Shotgun_Gracey Auto", + "s4_sh_mike97": "Shotgun_Combat Shotgun", + "s4_sh_lindia98": "Shotgun_Double Barrel", + "s4_mg_mgolf42": "LMG_MG42", + "s4_mg_dpapa27": "LMG_DP27", + "s4_mg_bromeo37": "LMG_Bren", + "s4_mg_tyankee11": "LMG_Type11", + "s4_mg_malpha7": "LMG_Whitley", + "s4_mg_aalpha52": "LMG_UGM-8", + "s4_la_m1bravo": "Launcher_M1 Bazooka", + "s4_la_palpha": "Launcher_Panzerschreck", + "s4_la_palpha42": "Launcher_Panzerfaust", + "s4_la_mkilo1": "Launcher_Mk11 Launcher", + "s4_me_rindigo": "Melee_Combat Shield", + "s4_me_knife": "Melee_FS Fighting Knife", + "s4_me_leiomano": "Melee_Sawtooth", + "s4_me_katana": "Melee_Katanah", + "s4_me_axe": "Melee_Skål Crusher", + "s4_me_sledgehammer": "Melee_Sledgehammer", + "s4_mr_m1golf": "Marksman_M1 Grand", + "s4_mr_svictor40": "Marksman_SVT-40", + "s4_mr_gecho43": "Marksman_G-43", + "_Modern Warfare 2_": "iw9_", + "iw9_ar_mike4_mp": "AR_M4", + "iw9_ar_golf3_mp": "AR_Lachman-545", + "iw9_ar_mike4": "AR_M4 Variant", + "iw9_ar_kilo53_mp": "AR_Lachman-556", + "iw9_ar_schotel_mp": "AR_TAQ-V", + "iw9_ar_akilo74": "AR_Kastov-74U", + "iw9_ar_augolf": "AR_STB 556", + "iw9_ar_akilo": "AR_Kastov 762", + "iw9_ar_mike16": "AR_M16", + "iw9_ar_scharlie": "AR_TAQ-56", + "iw9_ar_scharlie_mp": "AR_TAQ-56", + "iw9_ar_akilo105": "AR_Kastov 545", + "iw9_sm_mpapa7_mp": "SMG_Vel 46", + "iw9_sm_victor_mp": "SMG_Fennec 45", + "iw9_sm_aviktor_mp": "SMG_Vaznev-9K", + "iw9_sm_alpha57_mp": "SMG_FSS Hurricane", + "iw9_sm_papa90_mp": "SMG_SMG_PDSW 528", + "iw9_sm_beta_mp": "SMG_Minibak", + "iw9_sm_apapa_mp": "SMG_MX9", + "iw9_sm_mpapa5_mp": "SMG_Lachmann 764", + "iw9_sh_mike1014": "Shotgun_Expedite 12", + "iw9_sh_charlie725_mp": "Shotgun_Lockwood 300", + "iw9_sh_mbravo_mp": "Shotgun_Bryson 800", + "iw9_sh_mviktor_mp": "Shotgun_Bryson 890", + "iw9_sn_mromeo": "Sniper_MCPR-300", + "iw9_sn_limax": "Sniper_Signal 50", + "iw9_sn_xmike2010": "Sniper_SP-X 80", + "iw9_dm_sbeta_mp": "Sniper_Lockwood MK2", + "iw9_dm_mike24_mp": "Sniper_SP-R 208", + "iw9_pi_papa220_mp": "Pistol_P890", + "iw9_pi_golf18": "Pistol_X13", + "iw9_pi_decho_mp": "Pistol_.50 GS", + "iw9_pi_golf17_mp": "Pistol_X12", + "iw9_pi_swhiskey_mp": "Pistol_Basilisk", + "iw9_me_climbfists": "Melee_Fists", + "iw9_me_riotshield_mp": "Melee_Riot Shield", + "throwingknife_mp": "Melee_Throwing Knife", + "iw9_la_juliet_mp": "Launcher_JOKR", + "iw9_la_gromeo_mp": "Launcher_PILA", + "iw9_la_rpapa7_mp": "Launcher_RPG-7", + "iw9_la_kgolf_mp": "Launcher_Strella-P", + "iw9_lm_rkilo_mp": "LMG_RPK", + "iw9_lm_rkilo": "LMG_RPK", + "iw9_lm_ahotel_mp": "LMG_HCR 56", + "iw9_lm_slima_mp": "LMG_RAAL MG", + "iw9_lm_slima": "LMG_RAAL MG", + "iw9_lm_ngolf7_mp": "LMG_SAKIN MG38", + "iw9_lm_rkilo21_mp": "LMG_Rapp H", + "iw9_lm_foxtrot": "LMG_556 Icarus", + "iw9_br_msecho_mp": "BR_FTac Recon", + "iw9_br_msecho": "BR_FTac Recon", + "iw9_br_soscar14": "BR_SO-14", + "iw9_dm_pgolf1_mp": "DMR_LM-S", + "iw9_dm_la700": "DMR_LA-B 330", + "iw9_dm_sa700": "DMR_SA-B 50", + "iw9_dm_scromeo": "DMR_TAQ-M", + "iw9_dm_mike14": "DMR_ERB-14" } diff --git a/src/index.html b/src/index.html index 9a4d62a..f086ee4 100644 --- a/src/index.html +++ b/src/index.html @@ -1,429 +1,536 @@ - + + + + + + + Call of Duty Stats Tracker + + + + + + + + + + + + - - - - - - Call of Duty Stats Tracker - - - - - - - - - - - - + + + + + - - - - - + + + + + + - - - - - - - - -
-

Call of Duty Stats Tracker

-
+ +
+

Call of Duty Stats Tracker

+

- The #1 Open Source Call of Duty Statistic Tracker since cod.tracker.gg shutdown! -
- New? View some examples + The #1 + Open Source + Call of Duty Statistic Tracker since cod.tracker.gg shutdown! +
+ New? View some + examples

-
- -
-
Player Stats
-
Matches
-
User Info
-
Other
-
- - -
-
- -
-
- -
-
- -
-
- - -
-
- - -
-
+
+
Player Stats
+
Matches
+
User Info
+
Other
-
- -
-
- -
-
- - -
-
-
- - + +
+ + +
+
+ +
+
+ + +
+
+ + +
+
+
+
+ + +
+
+ +
+
+ + +
+
+
+ + +
+
+
+ + +
+ + +
+ + +
+
+ + +
+ +
+ + +
+ +
+ + +
+ +
+ + +
+ + + +
+

Authentication Setup

+

Obtaining Your SSO Token

+
    +
  1. + Log in to + Call of Duty +
  2. +
  3. Open developer tools (F12 or right-click → Inspect)
  4. +
  5. + Navigate to: ApplicationStorage → + Cookieshttps://profile.callofduty.com +
  6. +
  7. Copy the value of ACT_SSO_COOKIE
  8. +
  9. Paste this value into SSO Token
  10. +
+ +

Changing Account API Privacy Settings

+
    +
  1. + Log in to + Call of Duty +
  2. +
  3. Navigate to the Privacy & Security tab
  4. +
  5. + Scroll down to the Game Data and Profile Privacy section +
  6. +
  7. + Set the following options to "ALL": +
      +
    • Game Tag Searchable
    • +
    • Game Play Data
    • +
    +
  8. +
+
+
+ + +
+
+ + +
+ +
+ + +
+ +
+ + +
+ +
+ + +
+ +
+ + +
+ +
+

Authentication Setup

+

Obtaining Your SSO Token

+
    +
  1. + Log in to + Call of Duty +
  2. +
  3. Open developer tools (F12 or right-click → Inspect)
  4. +
  5. + Navigate to: ApplicationStorage → + Cookieshttps://profile.callofduty.com +
  6. +
  7. Copy the value of ACT_SSO_COOKIE
  8. +
  9. Paste this value into SSO Token
  10. +
+ +

Changing Account API Privacy Settings

+
    +
  1. + Log in to + Call of Duty +
  2. +
  3. Navigate to the Privacy & Security tab
  4. +
  5. + Scroll down to the Game Data and Profile Privacy section +
  6. +
  7. + Set the following options to "ALL": +
      +
    • Game Tag Searchable
    • +
    • Game Play Data
    • +
    +
  8. +
+
+
+ + +
+
+ + +
+ +
+ + +
+ +
+ + +
+ + + +
+

Authentication Setup

+

Obtaining Your SSO Token

+
    +
  1. + Log in to + Call of Duty +
  2. +
  3. Open developer tools (F12 or right-click → Inspect)
  4. +
  5. + Navigate to: ApplicationStorage → + Cookieshttps://profile.callofduty.com +
  6. +
  7. Copy the value of ACT_SSO_COOKIE
  8. +
  9. Paste this value into SSO Token
  10. +
+ +

Changing Account API Privacy Settings

+
    +
  1. + Log in to + Call of Duty +
  2. +
  3. Navigate to the Privacy & Security tab
  4. +
  5. + Scroll down to the Game Data and Profile Privacy section +
  6. +
  7. + Set the following options to "ALL": +
      +
    • Game Tag Searchable
    • +
    • Game Play Data
    • +
    +
  8. +
+
+
+ + +
+
+ + +
+ +
+ + +
+ + + +

+ Note: Fuzzy search looks up a gamertag and retrieves fuzzy matches + along with their respective platforms. +

+ +
+

Authentication Setup

+

Obtaining Your SSO Token

+
    +
  1. + Log in to + Call of Duty +
  2. +
  3. Open developer tools (F12 or right-click → Inspect)
  4. +
  5. + Navigate to: ApplicationStorage → + Cookieshttps://profile.callofduty.com +
  6. +
  7. Copy the value of ACT_SSO_COOKIE
  8. +
  9. Paste this value into SSO Token
  10. +
+ +

Changing Account API Privacy Settings

+
    +
  1. + Log in to + Call of Duty +
  2. +
  3. Navigate to the Privacy & Security tab
  4. +
  5. + Scroll down to the Game Data and Profile Privacy section +
  6. +
  7. + Set the following options to "ALL": +
      +
    • Game Tag Searchable
    • +
    • Game Play Data
    • +
    +
  8. +
+
+
+ +
+
Loading data...
+ +

     
- -
- - -
- - -
-
- - -
- -
- - -
- -
- - -
- -
- - -
- - - -
-

Authentication Setup

-

Obtaining Your SSO Token

-
    -
  1. Log in to Call of Duty
  2. -
  3. Open developer tools (F12 or right-click → Inspect)
  4. -
  5. - Navigate to: ApplicationStorage → - Cookieshttps://profile.callofduty.com -
  6. -
  7. Copy the value of ACT_SSO_COOKIE
  8. -
  9. Paste this value into SSO Token
  10. -
- -

Changing Account API Privacy Settings

-
    -
  1. Log in to Call of Duty
  2. -
  3. Navigate to the Privacy & Security tab
  4. -
  5. Scroll down to the Game Data and Profile Privacy section
  6. -
  7. - Set the following options to "ALL": -
      -
    • Game Tag Searchable
    • -
    • Game Play Data
    • -
    -
  8. -
-
- -
- - -
-
- - -
- -
- - -
- -
- - -
- -
- - -
- -
- - -
- -
-

Authentication Setup

-

Obtaining Your SSO Token

-
    -
  1. Log in to Call of Duty
  2. -
  3. Open developer tools (F12 or right-click → Inspect)
  4. -
  5. - Navigate to: ApplicationStorage → - Cookieshttps://profile.callofduty.com -
  6. -
  7. Copy the value of ACT_SSO_COOKIE
  8. -
  9. Paste this value into SSO Token
  10. -
- -

Changing Account API Privacy Settings

-
    -
  1. Log in to Call of Duty
  2. -
  3. Navigate to the Privacy & Security tab
  4. -
  5. Scroll down to the Game Data and Profile Privacy section
  6. -
  7. - Set the following options to "ALL": -
      -
    • Game Tag Searchable
    • -
    • Game Play Data
    • -
    -
  8. -
-
- -
- - -
-
- - -
- -
- - -
- -
- - -
- - - -
-

Authentication Setup

-

Obtaining Your SSO Token

-
    -
  1. Log in to Call of Duty
  2. -
  3. Open developer tools (F12 or right-click → Inspect)
  4. -
  5. - Navigate to: ApplicationStorage → - Cookieshttps://profile.callofduty.com -
  6. -
  7. Copy the value of ACT_SSO_COOKIE
  8. -
  9. Paste this value into SSO Token
  10. -
- -

Changing Account API Privacy Settings

-
    -
  1. Log in to Call of Duty
  2. -
  3. Navigate to the Privacy & Security tab
  4. -
  5. Scroll down to the Game Data and Profile Privacy section
  6. -
  7. - Set the following options to "ALL": -
      -
    • Game Tag Searchable
    • -
    • Game Play Data
    • -
    -
  8. -
-
- -
- - -
-
- - -
- -
- - -
- - - -

- Note: Fuzzy search looks up a gamertag and retrieves fuzzy matches - along with their respective platforms. -

- -
-

Authentication Setup

-

Obtaining Your SSO Token

-
    -
  1. Log in to Call of Duty
  2. -
  3. Open developer tools (F12 or right-click → Inspect)
  4. -
  5. - Navigate to: ApplicationStorage → - Cookieshttps://profile.callofduty.com -
  6. -
  7. Copy the value of ACT_SSO_COOKIE
  8. -
  9. Paste this value into SSO Token
  10. -
- -

Changing Account API Privacy Settings

-
    -
  1. Log in to Call of Duty
  2. -
  3. Navigate to the Privacy & Security tab
  4. -
  5. Scroll down to the Game Data and Profile Privacy section
  6. -
  7. - Set the following options to "ALL": -
      -
    • Game Tag Searchable
    • -
    • Game Play Data
    • -
    -
  8. -
-
- -
- -
-
Loading data...
- -

-  
- - - - - - - - - - + + + + + + + + diff --git a/src/js/backend.js b/src/js/backend.js index 1ea7e05..7e17076 100644 --- a/src/js/backend.js +++ b/src/js/backend.js @@ -4,16 +4,16 @@ window.backendAPI = { jsonToYAML, formatDuration, formatEpochTime, - processTimestamps + processTimestamps, }; window.appState = { currentData: null, - outputFormat: "json", - tutorialDismissed: false + outputFormat: 'json', + tutorialDismissed: false, }; -document.addEventListener("DOMContentLoaded", function() { +document.addEventListener('DOMContentLoaded', function () { // Backend-specific initialization }); @@ -29,7 +29,11 @@ function jsonToYAML(json) { if (typeof value === 'string') { // Check if string needs quotes (contains special chars) - if (/[:{}[\],&*#?|\-<>=!%@`]/.test(value) || value === '' || !isNaN(value)) { + if ( + /[:{}[\],&*#?|\-<>=!%@`]/.test(value) || + value === '' || + !isNaN(value) + ) { return `"${value.replace(/"/g, '\\"')}"`; } return value; @@ -43,7 +47,10 @@ function jsonToYAML(json) { if (value.length === 0) return '[]'; let result = ''; for (const item of value) { - result += `\n${indent}- ${formatValue(item, indentLevel + INDENT_SIZE).trimStart()}`; + result += `\n${indent}- ${formatValue( + item, + indentLevel + INDENT_SIZE + ).trimStart()}`; } return result; } @@ -72,32 +79,37 @@ function jsonToYAML(json) { // Common fetch function async function fetchData(endpoint, requestData) { console.log(`[CLIENT] Request to ${endpoint} at ${new Date().toISOString()}`); - console.log(`[CLIENT] Request data: ${JSON.stringify({ - ...requestData, - ssoToken: requestData.ssoToken ? requestData.ssoToken.substring(0, 5) + '...' : 'none' - })}`); + console.log( + `[CLIENT] Request data: ${JSON.stringify({ + ...requestData, + ssoToken: + requestData.ssoToken ? + requestData.ssoToken.substring(0, 5) + '...' + : 'none', + })}` + ); - const errorElement = document.getElementById("error"); - const loadingElement = document.getElementById("loading"); - const resultsElement = document.getElementById("results"); + const errorElement = document.getElementById('error'); + const loadingElement = document.getElementById('loading'); + const resultsElement = document.getElementById('results'); // Reset display - errorElement.textContent = ""; - resultsElement.style.display = "none"; - loadingElement.style.display = "block"; - + errorElement.textContent = ''; + resultsElement.style.display = 'none'; + loadingElement.style.display = 'block'; + // Hide tutorial if not already dismissed if (!window.appState.tutorialDismissed) { window.appState.tutorialDismissed = true; - document.querySelectorAll(".tutorial").forEach(element => { - element.style.display = "none"; + document.querySelectorAll('.tutorial').forEach((element) => { + element.style.display = 'none'; }); } // Validate request data if (!requestData.ssoToken) { - window.uiAPI.displayError("SSO Token is required"); - loadingElement.style.display = "none"; + window.uiAPI.displayError('SSO Token is required'); + loadingElement.style.display = 'none'; return; } @@ -105,28 +117,30 @@ async function fetchData(endpoint, requestData) { // Set up the request with a timeout const controller = new AbortController(); const timeoutId = setTimeout(() => controller.abort(), 30000); // 30 second timeout - + const response = await fetch(endpoint, { - method: "POST", + method: 'POST', headers: { - "Content-Type": "application/json", + 'Content-Type': 'application/json', }, body: JSON.stringify(requestData), - signal: controller.signal + signal: controller.signal, }); clearTimeout(timeoutId); // Handle non-JSON responses - const contentType = response.headers.get("content-type"); - if (!contentType || !contentType.includes("application/json")) { - throw new Error("Server returned non-JSON response"); + const contentType = response.headers.get('content-type'); + if (!contentType || !contentType.includes('application/json')) { + throw new Error('Server returned non-JSON response'); } const data = await response.json(); console.log(`[CLIENT] Response received at ${new Date().toISOString()}`); console.log(`[CLIENT] Response status: ${response.status}`); - console.log(`[CLIENT] Response size: ~${JSON.stringify(data).length / 1024} KB`); + console.log( + `[CLIENT] Response size: ~${JSON.stringify(data).length / 1024} KB` + ); if (!response.ok) { throw new Error(data.message || `Error: ${response.status}`); @@ -134,39 +148,39 @@ async function fetchData(endpoint, requestData) { if (data.error) { window.uiAPI.displayError(data.error); - } else if (data.status === "error") { - window.uiAPI.displayError(data.message || "An error occurred"); + } else if (data.status === 'error') { + window.uiAPI.displayError(data.message || 'An error occurred'); } else { window.appState.currentData = data; window.uiAPI.displayResults(data); } } catch (error) { if (error.name === 'AbortError') { - window.uiAPI.displayError("Request timed out. Please try again."); + window.uiAPI.displayError('Request timed out. Please try again.'); } else { window.uiAPI.displayError( - `Error: ${error.message || "An error occurred while fetching data."}` + `Error: ${error.message || 'An error occurred while fetching data.'}` ); - console.error("Fetch error:", error); + console.error('Fetch error:', error); } } finally { - loadingElement.style.display = "none"; + loadingElement.style.display = 'none'; } } // Function to convert seconds to human readable duration function formatDuration(seconds) { if (!seconds || isNaN(seconds)) return seconds; - + // Convert to number in case it's a string const totalSeconds = parseFloat(seconds); - + // Calculate days, hours, minutes, seconds const days = Math.floor(totalSeconds / 86400); const hours = Math.floor((totalSeconds % 86400) / 3600); const minutes = Math.floor((totalSeconds % 3600) / 60); const remainingSeconds = Math.floor(totalSeconds % 60); - + return `${days} Days ${hours} Hours ${minutes} Minutes ${remainingSeconds} Seconds`; } @@ -179,7 +193,8 @@ function formatEpochTime(epoch, timezone) { if (isNaN(epochNumber)) return epoch; // Convert to milliseconds if needed - const epochMs = epochNumber.toString().length <= 10 ? epochNumber * 1000 : epochNumber; + const epochMs = + epochNumber.toString().length <= 10 ? epochNumber * 1000 : epochNumber; // Parse the timezone offset let offset = 0; @@ -201,21 +216,52 @@ function formatEpochTime(epoch, timezone) { } // Function to recursively process timestamps and durations in the data -function processTimestamps(data, timezone, keysToConvert = ['date', 'dateAdded', 'utcStartSeconds', 'utcEndSeconds', 'timestamp', 'startTime', 'endTime'], durationKeys = ['time', 'timePlayedTotal', 'timePlayed', 'avgLifeTime', 'duration', 'objTime']) { +function processTimestamps( + data, + timezone, + keysToConvert = [ + 'date', + 'dateAdded', + 'utcStartSeconds', + 'utcEndSeconds', + 'timestamp', + 'startTime', + 'endTime', + ], + durationKeys = [ + 'time', + 'timePlayedTotal', + 'timePlayed', + 'avgLifeTime', + 'duration', + 'objTime', + ] +) { if (!data || typeof data !== 'object') return data; if (Array.isArray(data)) { - return data.map(item => processTimestamps(item, timezone, keysToConvert, durationKeys)); + return data.map((item) => + processTimestamps(item, timezone, keysToConvert, durationKeys) + ); } const result = {}; for (const [key, value] of Object.entries(data)) { if (keysToConvert.includes(key) && typeof value === 'number') { result[key] = formatEpochTime(value, timezone); - } else if (durationKeys.includes(key) && typeof value === 'number' && document.getElementById("replaceKeysOption").checked) { + } else if ( + durationKeys.includes(key) && + typeof value === 'number' && + document.getElementById('replaceKeysOption').checked + ) { result[key] = formatDuration(value); } else if (typeof value === 'object' && value !== null) { - result[key] = processTimestamps(value, timezone, keysToConvert, durationKeys); + result[key] = processTimestamps( + value, + timezone, + keysToConvert, + durationKeys + ); } else { result[key] = value; } diff --git a/src/js/deploy.js b/src/js/deploy.js index e5bd63d..fde5c01 100644 --- a/src/js/deploy.js +++ b/src/js/deploy.js @@ -10,30 +10,35 @@ const config = { rootJs: { src: '*.js', exclude: ['*.min.js', 'build*.js'], - outputExt: '.js' + outputExt: '.js', }, js: { src: ['src/**/*.js', 'node_modules/**/*.js'], exclude: ['src/**/*.min.js', 'src/**/build*.js'], - outputExt: '.js' + outputExt: '.js', }, css: { src: ['src/**/*.css', 'node_modules/**/*.css'], exclude: 'src/**/*.min.css', - outputExt: '.css' + outputExt: '.css', }, json: { - src: ['src/**/*.json', './package.json', './package-lock.json', 'node_modules/**/*.json'] + src: [ + 'src/**/*.json', + './package.json', + './package-lock.json', + 'node_modules/**/*.json', + ], }, html: { - src: ['src/**/*.html', 'node_modules/**/*.html'] + src: ['src/**/*.html', 'node_modules/**/*.html'], }, images: { - src: 'src/**/*.+(png|jpg|jpeg|gif|svg|ico)' + src: 'src/**/*.+(png|jpg|jpeg|gif|svg|ico)', }, typescript: { - src: ['src/**/*.+(ts|ts.map|d.ts)', 'node_modules/**/*.+(ts|ts.map|d.ts)'] - } + src: ['src/**/*.+(ts|ts.map|d.ts)', 'node_modules/**/*.+(ts|ts.map|d.ts)'], + }, // Add all files that might contain references // allFiles: { // src: ['./*.js', 'src/**/*.js', 'src/**/*.css', 'src/**/*.json'] @@ -62,63 +67,73 @@ function cleanPublicDir() { function createOutputPath(file, baseDir, outputExt = null) { // Get relative path from the source root const relativePath = path.relative(baseDir, file); - + // Create public path with the same relative structure let outputPath = path.join('public', relativePath); - + // Apply output extension if provided if (outputExt) { outputPath = outputPath.replace(path.extname(outputPath), outputExt); } - + return outputPath; } // Debug minification for app.js async function debugAppJsMinification() { console.log('Debugging app.js minification specifically...'); - + if (!fs.existsSync('app.js')) { console.error('❌ app.js not found in root directory'); return; } - + try { const appJsContent = fs.readFileSync('app.js', 'utf8'); - console.log(`✓ app.js loaded successfully - file size: ${appJsContent.length} bytes`); + console.log( + `✓ app.js loaded successfully - file size: ${appJsContent.length} bytes` + ); console.log(`✓ First 100 characters: ${appJsContent.substring(0, 100)}...`); - + // Check for syntax errors by parsing try { const result = await terser.minify(appJsContent, { compress: true, mangle: true, sourceMap: false, - toplevel: true + toplevel: true, }); - + if (result.error) { console.error('❌ Error during app.js parsing:', result.error); return; } - + if (!result.code || result.code.length === 0) { console.error('❌ Minification produced empty output'); return; } - - console.log(`✓ app.js minified successfully - result size: ${result.code.length} bytes`); - console.log(`✓ First 100 characters of minified: ${result.code.substring(0, 100)}...`); - + + console.log( + `✓ app.js minified successfully - result size: ${result.code.length} bytes` + ); + console.log( + `✓ First 100 characters of minified: ${result.code.substring( + 0, + 100 + )}...` + ); + // Write to output with explicit name const outputPath = path.join('public', 'app.js'); fs.writeFileSync(outputPath, result.code); console.log(`✓ Written minified app.js to: ${outputPath}`); - + // Calculate compression ratio - const ratio = Math.round((result.code.length / appJsContent.length) * 100); + const ratio = Math.round( + (result.code.length / appJsContent.length) * 100 + ); console.log(`✓ Compression ratio: ${ratio}% (smaller is better)`); - } catch (err) { console.error('❌ Terser processing error:', err); } @@ -129,48 +144,58 @@ async function debugAppJsMinification() { async function appJsMinification() { console.log('Debugging app.js minification specifically...'); - + if (!fs.existsSync('app.js')) { console.error('❌ app.js not found in root directory'); return; } - + try { const appJsContent = fs.readFileSync('app.js', 'utf8'); - console.log(`✓ app.js loaded successfully - file size: ${appJsContent.length} bytes`); + console.log( + `✓ app.js loaded successfully - file size: ${appJsContent.length} bytes` + ); console.log(`✓ First 100 characters: ${appJsContent.substring(0, 100)}...`); - + // Check for syntax errors by parsing try { const result = await terser.minify(appJsContent, { compress: true, mangle: true, sourceMap: false, - toplevel: true + toplevel: true, }); - + if (result.error) { console.error('❌ Error during app.js parsing:', result.error); return; } - + if (!result.code || result.code.length === 0) { console.error('❌ Minification produced empty output'); return; } - - console.log(`✓ app.js minified successfully - result size: ${result.code.length} bytes`); - console.log(`✓ First 100 characters of minified: ${result.code.substring(0, 100)}...`); - + + console.log( + `✓ app.js minified successfully - result size: ${result.code.length} bytes` + ); + console.log( + `✓ First 100 characters of minified: ${result.code.substring( + 0, + 100 + )}...` + ); + // Write to output with explicit name const outputPath = path.join('public', 'app.js'); fs.writeFileSync(outputPath, result.code); console.log(`✓ Written minified app.js to: ${outputPath}`); - + // Calculate compression ratio - const ratio = Math.round((result.code.length / appJsContent.length) * 100); + const ratio = Math.round( + (result.code.length / appJsContent.length) * 100 + ); console.log(`✓ Compression ratio: ${ratio}% (smaller is better)`); - } catch (err) { console.error('❌ Terser processing error:', err); } @@ -182,46 +207,53 @@ async function appJsMinification() { // Minify JavaScript files async function minifyJS() { console.log('Minifying JavaScript files...'); - + // Minify root-level JS files (like app.js) - const rootFiles = glob.sync(config.rootJs.src, { ignore: config.rootJs.exclude }); - + const rootFiles = glob.sync(config.rootJs.src, { + ignore: config.rootJs.exclude, + }); + console.log(`Found ${rootFiles.length} root JS files to process:`, rootFiles); - + for (const file of rootFiles) { // Skip already minified files if (file.endsWith('.min.js')) continue; - + try { console.log(`Processing ${file}...`); const content = fs.readFileSync(file, 'utf8'); console.log(`- Read ${content.length} bytes`); - + // Special handling for app.js with more aggressive options - const minifyOptions = file === 'app.js' ? { - compress: { - dead_code: true, - drop_console: false, - drop_debugger: true, - keep_fargs: false, - unused: true - }, - mangle: true, - toplevel: true - } : { - compress: true, - mangle: true - }; - + const minifyOptions = + file === 'app.js' ? + { + compress: { + dead_code: true, + drop_console: false, + drop_debugger: true, + keep_fargs: false, + unused: true, + }, + mangle: true, + toplevel: true, + } + : { + compress: true, + mangle: true, + }; + const result = await terser.minify(content, minifyOptions); - + if (result.error) { console.error(`- Error minifying ${file}:`, result.error); continue; } - - console.log(`- Minified from ${content.length} to ${result.code.length} bytes`); - + + console.log( + `- Minified from ${content.length} to ${result.code.length} bytes` + ); + const outputPath = createOutputPath(file, '.', config.rootJs.outputExt); ensureDirectoryExistence(outputPath); fs.writeFileSync(outputPath, result.code); @@ -230,21 +262,21 @@ async function minifyJS() { console.error(`Error minifying ${file}:`, err); } } - + // Minify JavaScript files in src directory const srcFiles = glob.sync(config.js.src, { ignore: config.js.exclude }); - + for (const file of srcFiles) { // Skip already minified files if (file.endsWith('.min.js')) continue; - + try { const content = fs.readFileSync(file, 'utf8'); const result = await terser.minify(content, { compress: true, - mangle: true + mangle: true, }); - + const outputPath = createOutputPath(file, '.', config.js.outputExt); ensureDirectoryExistence(outputPath); fs.writeFileSync(outputPath, result.code); @@ -259,14 +291,14 @@ async function minifyJS() { function minifyCSS() { console.log('Minifying CSS files...'); const files = glob.sync(config.css.src, { ignore: config.css.exclude }); - + for (const file of files) { if (file.endsWith('.min.css')) continue; - + try { const content = fs.readFileSync(file, 'utf8'); const result = csso.minify(content); - + const outputPath = createOutputPath(file, '.', config.css.outputExt); ensureDirectoryExistence(outputPath); fs.writeFileSync(outputPath, result.css); @@ -281,13 +313,13 @@ function minifyCSS() { function minifyJSON() { console.log('Minifying JSON files...'); const files = glob.sync(config.json.src); - + for (const file of files) { try { const content = fs.readFileSync(file, 'utf8'); const jsonData = JSON.parse(content); const minified = JSON.stringify(jsonData); - + const outputPath = createOutputPath(file, '.'); ensureDirectoryExistence(outputPath); fs.writeFileSync(outputPath, minified); @@ -302,11 +334,11 @@ function minifyJSON() { function minifyHTML() { console.log('Minifying HTML files...'); const files = glob.sync(config.html.src); - + for (const file of files) { try { let content = fs.readFileSync(file, 'utf8'); - + // Minify HTML const minified = htmlmin.minify(content, { collapseWhitespace: true, @@ -315,9 +347,9 @@ function minifyHTML() { minifyCSS: true, removeRedundantAttributes: true, removeEmptyAttributes: true, - removeOptionalTags: true + removeOptionalTags: true, }); - + const outputPath = createOutputPath(file, '.'); ensureDirectoryExistence(outputPath); fs.writeFileSync(outputPath, minified); @@ -332,7 +364,7 @@ function minifyHTML() { function copyImages() { console.log('Copying images...'); const files = glob.sync(config.images.src); - + for (const file of files) { try { const outputPath = createOutputPath(file, '.'); @@ -349,7 +381,7 @@ function copyImages() { function copyTypeScriptFiles() { console.log('Copying TypeScript files...'); const files = glob.sync(config.typescript.src); - + for (const file of files) { try { const outputPath = createOutputPath(file, '.'); @@ -366,32 +398,32 @@ function copyTypeScriptFiles() { /* function updateAllReferences() { console.log('Updating file references in all files...'); - + // Get all files that might contain references const files = glob.sync(config.allFiles.src); - + // Create a list of file mappings (original to minified) const jsFiles = [ ...glob.sync(config.rootJs.src, { ignore: config.rootJs.exclude }), ...glob.sync(config.js.src, { ignore: config.js.exclude }) ] .filter(file => !file.endsWith('.min.js') && !file.endsWith('.d.ts') && !file.endsWith('.map') && file !== 'build.js'); - + const cssFiles = glob.sync(config.css.src, { ignore: config.css.exclude }) .filter(file => !file.endsWith('.min.css')); - + for (const targetFile of files) { // Skip build.js if (targetFile === 'build.js' || targetFile.includes('build_v')) continue; - + // Skip files that likely don't have references or are already processed if (targetFile.endsWith('.min.js') || targetFile.endsWith('.d.ts') || targetFile.endsWith('.map') || targetFile.endsWith('.min.css')) continue; - + try { let content = fs.readFileSync(targetFile, 'utf8'); let modified = false; - + // Replace JS file references for (const jsFile of jsFiles) { // Get different forms of the path for replacement @@ -399,13 +431,13 @@ function updateAllReferences() { const relativePath = './' + normalizedPath; // With leading ./ const plainPath = normalizedPath; // Without leading ./ const fileNameOnly = path.basename(normalizedPath); // Just the filename - + // Create minified versions of each path form const normalizedPathMin = normalizedPath.replace('.js', '.min.js'); const relativePathMin = relativePath.replace('.js', '.min.js'); const plainPathMin = plainPath.replace('.js', '.min.js'); const fileNameOnlyMin = fileNameOnly.replace('.js', '.min.js'); - + // Attempt different path styles replacements if (content.includes(relativePath)) { content = content.replace(new RegExp(escapeRegExp(relativePath), 'g'), relativePathMin); @@ -421,19 +453,19 @@ function updateAllReferences() { modified = true; } } - + // Replace CSS file references for (const cssFile of cssFiles) { const normalizedPath = cssFile.replace(/\\/g, '/'); const relativePath = './' + normalizedPath; const plainPath = normalizedPath; const fileNameOnly = path.basename(normalizedPath); - + const normalizedPathMin = normalizedPath.replace('.css', '.min.css'); const relativePathMin = relativePath.replace('.css', '.min.css'); const plainPathMin = plainPath.replace('.css', '.min.css'); const fileNameOnlyMin = fileNameOnly.replace('.css', '.min.css'); - + if (content.includes(relativePath)) { content = content.replace(new RegExp(escapeRegExp(relativePath), 'g'), relativePathMin); modified = true; @@ -448,7 +480,7 @@ function updateAllReferences() { modified = true; } } - + if (modified) { // Write updated content to the public version const outputPath = createOutputPath(targetFile, '.', @@ -471,12 +503,12 @@ function escapeRegExp(string) { // Main function async function build() { console.log('Starting build process...'); - + cleanPublicDir(); - + // Run specific app.js debugging and minification await debugAppJsMinification(); - + await minifyJS(); minifyCSS(); minifyJSON(); @@ -485,7 +517,7 @@ async function build() { copyImages(); copyTypeScriptFiles(); // updateAllReferences(); - + console.log('Build completed successfully!'); } @@ -499,14 +531,14 @@ async function debugAppJsOnly() { // Check if this script is being run directly if (require.main === module) { const args = process.argv.slice(2); - + if (args.includes('--debug-app')) { - debugAppJsOnly().catch(err => { + debugAppJsOnly().catch((err) => { console.error('Debug failed:', err); process.exit(1); }); } else { - build().catch(err => { + build().catch((err) => { console.error('Build failed:', err); process.exit(1); }); @@ -516,5 +548,5 @@ if (require.main === module) { // Export functions for external usage module.exports = { build, - debugAppJsOnly -}; \ No newline at end of file + debugAppJsOnly, +}; diff --git a/src/js/frontend.js b/src/js/frontend.js index ff47c40..43ca220 100644 --- a/src/js/frontend.js +++ b/src/js/frontend.js @@ -1,59 +1,64 @@ window.uiAPI = { - displayResults, - displayError - }; + displayResults, + displayError, +}; // Configure client-side logging settings const clientLogger = { - // Control how much we log to reduce spam - settings: { - enableDetailedNetworkLogs: false, // Set to false to reduce network logging - logScrollEvents: false, // Disable scroll event logging - logMouseMovements: false, // Disable mouse movement logging - logFocusEvents: false, // Disable focus event logging - logResizeEvents: false, // Disable resize event logging - minimumInactivityTime: 300000, // Only log inactivity after 5 minutes (300000ms) - clickDebounceTime: 1000, // Debounce click logging to once per second - }, - // Throttle function to limit how often a function can run - throttle(func, limit) { - let lastRun; - return function(...args) { - if (!lastRun || Date.now() - lastRun >= limit) { - lastRun = Date.now(); - func.apply(this, args); - } - }; - }, - // Logging function with filtering - log(eventType, data) { - // Use sendBeacon for reliability during page unload - if (navigator.sendBeacon) { - const blob = new Blob([JSON.stringify({ - eventType, - timestamp: new Date().toISOString(), - ...data - })], { type: 'application/json' }); - - navigator.sendBeacon('/api/log', blob); - } else { - // Fallback for browsers that don't support sendBeacon - fetch('/api/log', { - method: 'POST', - headers: { 'Content-Type': 'application/json' }, - keepalive: true, - body: JSON.stringify({ + // Control how much we log to reduce spam + settings: { + enableDetailedNetworkLogs: false, // Set to false to reduce network logging + logScrollEvents: false, // Disable scroll event logging + logMouseMovements: false, // Disable mouse movement logging + logFocusEvents: false, // Disable focus event logging + logResizeEvents: false, // Disable resize event logging + minimumInactivityTime: 300000, // Only log inactivity after 5 minutes (300000ms) + clickDebounceTime: 1000, // Debounce click logging to once per second + }, + // Throttle function to limit how often a function can run + throttle(func, limit) { + let lastRun; + return function (...args) { + if (!lastRun || Date.now() - lastRun >= limit) { + lastRun = Date.now(); + func.apply(this, args); + } + }; + }, + // Logging function with filtering + log(eventType, data) { + // Use sendBeacon for reliability during page unload + if (navigator.sendBeacon) { + const blob = new Blob( + [ + JSON.stringify({ eventType, timestamp: new Date().toISOString(), - ...data - }) - }).catch(e => console.error('Logging error:', e)); - } + ...data, + }), + ], + { type: 'application/json' } + ); + + navigator.sendBeacon('/api/log', blob); + } else { + // Fallback for browsers that don't support sendBeacon + fetch('/api/log', { + method: 'POST', + headers: { 'Content-Type': 'application/json' }, + keepalive: true, + body: JSON.stringify({ + eventType, + timestamp: new Date().toISOString(), + ...data, + }), + }).catch((e) => console.error('Logging error:', e)); } - }; + }, +}; // Initialize once DOM is loaded -document.addEventListener("DOMContentLoaded", function() { +document.addEventListener('DOMContentLoaded', function () { initTabSwitching(); addEnterKeyListeners(); setupDownloadButton(); @@ -66,600 +71,642 @@ document.addEventListener("DOMContentLoaded", function() { // Tab switching logic function initTabSwitching() { - document.querySelectorAll(".tab").forEach((tab) => { - tab.addEventListener("click", () => { - document - .querySelectorAll(".tab") - .forEach((t) => t.classList.remove("active")); - document - .querySelectorAll(".tab-content") - .forEach((c) => c.classList.remove("active")); + document.querySelectorAll('.tab').forEach((tab) => { + tab.addEventListener('click', () => { + document + .querySelectorAll('.tab') + .forEach((t) => t.classList.remove('active')); + document + .querySelectorAll('.tab-content') + .forEach((c) => c.classList.remove('active')); - tab.classList.add("active"); - const tabId = tab.getAttribute("data-tab"); - document.getElementById(`${tabId}-tab`).classList.add("active"); - }); + tab.classList.add('active'); + const tabId = tab.getAttribute('data-tab'); + document.getElementById(`${tabId}-tab`).classList.add('active'); }); + }); } // Setup processing options (sanitize/replace) function setupProcessingOptions() { - document.getElementById("sanitizeOption").addEventListener("change", function() { - if (window.appState.currentData) { // Call window.appState + document + .getElementById('sanitizeOption') + .addEventListener('change', function () { + if (window.appState.currentData) { + // Call window.appState // Re-fetch with new options - const activeTab = document.querySelector(".tab.active").getAttribute("data-tab"); + const activeTab = document + .querySelector('.tab.active') + .getAttribute('data-tab'); triggerActiveTabButton(); - } + } }); - document.getElementById("replaceKeysOption").addEventListener("change", function() { - if (window.appState.currentData) { + document + .getElementById('replaceKeysOption') + .addEventListener('change', function () { + if (window.appState.currentData) { // Re-fetch with new options - const activeTab = document.querySelector(".tab.active").getAttribute("data-tab"); + const activeTab = document + .querySelector('.tab.active') + .getAttribute('data-tab'); triggerActiveTabButton(); - } + } }); } // Setup format selector function setupFormatSelector() { - document.getElementById("outputFormat").addEventListener("change", function() { - window.appState.outputFormat = this.value; - if (window.appState.currentData) { + document + .getElementById('outputFormat') + .addEventListener('change', function () { + window.appState.outputFormat = this.value; + if (window.appState.currentData) { displayResults(window.appState.currentData); - } + } }); - } +} - // Fetch stats - document.getElementById("fetchStats").addEventListener("click", async () => { - const username = document.getElementById("username").value.trim(); - const ssoToken = document.getElementById("ssoToken").value.trim(); - const platform = document.getElementById("platform").value; - const game = document.getElementById("game").value; - const apiCall = document.getElementById("apiCall").value; +// Fetch stats +document.getElementById('fetchStats').addEventListener('click', async () => { + const username = document.getElementById('username').value.trim(); + const ssoToken = document.getElementById('ssoToken').value.trim(); + const platform = document.getElementById('platform').value; + const game = document.getElementById('game').value; + const apiCall = document.getElementById('apiCall').value; - const sanitize = document.getElementById("sanitizeOption").checked; - const replaceKeys = document.getElementById("replaceKeysOption").checked; + const sanitize = document.getElementById('sanitizeOption').checked; + const replaceKeys = document.getElementById('replaceKeysOption').checked; - await window.backendAPI.fetchData("/api/stats", { - username, - ssoToken, - platform, - game, - apiCall, - sanitize, - replaceKeys - }); - }); + await window.backendAPI.fetchData('/api/stats', { + username, + ssoToken, + platform, + game, + apiCall, + sanitize, + replaceKeys, + }); +}); - // Fetch match history - document.getElementById("fetchMatches").addEventListener("click", async () => { - const username = document.getElementById("matchUsername").value.trim(); - const ssoToken = document.getElementById("ssoToken").value.trim(); - const platform = document.getElementById("matchPlatform").value; - const game = document.getElementById("matchGame").value; +// Fetch match history +document.getElementById('fetchMatches').addEventListener('click', async () => { + const username = document.getElementById('matchUsername').value.trim(); + const ssoToken = document.getElementById('ssoToken').value.trim(); + const platform = document.getElementById('matchPlatform').value; + const game = document.getElementById('matchGame').value; - const sanitize = document.getElementById("sanitizeOption").checked; - const replaceKeys = document.getElementById("replaceKeysOption").checked; + const sanitize = document.getElementById('sanitizeOption').checked; + const replaceKeys = document.getElementById('replaceKeysOption').checked; - await window.backendAPI.fetchData("/api/matches", { - username, - ssoToken, - platform, - game, - sanitize, - replaceKeys - }); - }); + await window.backendAPI.fetchData('/api/matches', { + username, + ssoToken, + platform, + game, + sanitize, + replaceKeys, + }); +}); - // Fetch match details - document.getElementById("fetchMatchInfo").addEventListener("click", async () => { - const matchId = document.getElementById("matchId").value.trim(); - const ssoToken = document.getElementById("ssoToken").value.trim(); - const platform = document.getElementById("matchPlatform").value; - const game = document.getElementById("matchGame").value; +// Fetch match details +document + .getElementById('fetchMatchInfo') + .addEventListener('click', async () => { + const matchId = document.getElementById('matchId').value.trim(); + const ssoToken = document.getElementById('ssoToken').value.trim(); + const platform = document.getElementById('matchPlatform').value; + const game = document.getElementById('matchGame').value; - const sanitize = document.getElementById("sanitizeOption").checked; - const replaceKeys = document.getElementById("replaceKeysOption").checked; + const sanitize = document.getElementById('sanitizeOption').checked; + const replaceKeys = document.getElementById('replaceKeysOption').checked; if (!matchId) { - displayError("Match ID is required"); - return; + displayError('Match ID is required'); + return; } - await window.backendAPI.fetchData("/api/matchInfo", { - matchId, - ssoToken, - platform, - game, - sanitize, - replaceKeys - }); + await window.backendAPI.fetchData('/api/matchInfo', { + matchId, + ssoToken, + platform, + game, + sanitize, + replaceKeys, }); + }); - // Fetch user info - document.getElementById("fetchUserInfo").addEventListener("click", async () => { - const username = document.getElementById("userUsername").value.trim(); - const ssoToken = document.getElementById("ssoToken").value.trim(); - const platform = document.getElementById("userPlatform").value; - const userCall = document.getElementById("userCall").value; +// Fetch user info +document.getElementById('fetchUserInfo').addEventListener('click', async () => { + const username = document.getElementById('userUsername').value.trim(); + const ssoToken = document.getElementById('ssoToken').value.trim(); + const platform = document.getElementById('userPlatform').value; + const userCall = document.getElementById('userCall').value; - const sanitize = document.getElementById("sanitizeOption").checked; - const replaceKeys = document.getElementById("replaceKeysOption").checked; + const sanitize = document.getElementById('sanitizeOption').checked; + const replaceKeys = document.getElementById('replaceKeysOption').checked; - // For event feed and identities, username is not required - if ( - !username && - userCall !== "eventFeed" && - userCall !== "friendFeed" && - userCall !== "identities" - ) { - displayError("Username is required for this API call"); - return; - } + // For event feed and identities, username is not required + if ( + !username && + userCall !== 'eventFeed' && + userCall !== 'friendFeed' && + userCall !== 'identities' + ) { + displayError('Username is required for this API call'); + return; + } - await window.backendAPI.fetchData("/api/user", { - username, - ssoToken, - platform, - userCall, - sanitize, - replaceKeys - }); - }); + await window.backendAPI.fetchData('/api/user', { + username, + ssoToken, + platform, + userCall, + sanitize, + replaceKeys, + }); +}); - // Fuzzy search - document.getElementById("fuzzySearch").addEventListener("click", async () => { - const username = document.getElementById("searchUsername").value.trim(); - const ssoToken = document.getElementById("ssoToken").value.trim(); - const platform = document.getElementById("searchPlatform").value; +// Fuzzy search +document.getElementById('fuzzySearch').addEventListener('click', async () => { + const username = document.getElementById('searchUsername').value.trim(); + const ssoToken = document.getElementById('ssoToken').value.trim(); + const platform = document.getElementById('searchPlatform').value; - const sanitize = document.getElementById("sanitizeOption").checked; - const replaceKeys = document.getElementById("replaceKeysOption").checked; + const sanitize = document.getElementById('sanitizeOption').checked; + const replaceKeys = document.getElementById('replaceKeysOption').checked; - if (!username) { - displayError("Username is required for search"); - return; - } + if (!username) { + displayError('Username is required for search'); + return; + } - await window.backendAPI.fetchData("/api/search", { - username, - ssoToken, - platform, - sanitize, - replaceKeys - }); + await window.backendAPI.fetchData('/api/search', { + username, + ssoToken, + platform, + sanitize, + replaceKeys, + }); }); // Function to handle time and duration conversion function displayResults(data) { - const resultsElement = document.getElementById("results"); - const downloadContainer = document.getElementById("download-container"); + const resultsElement = document.getElementById('results'); + const downloadContainer = document.getElementById('download-container'); - // Apply time conversion if enabled - const convertTime = document.getElementById('convertTimeOption').checked; - const replaceKeys = document.getElementById('replaceKeysOption').checked; - let displayData = data; + // Apply time conversion if enabled + const convertTime = document.getElementById('convertTimeOption').checked; + const replaceKeys = document.getElementById('replaceKeysOption').checked; + let displayData = data; - if (convertTime || replaceKeys) { - const timezone = document.getElementById('timezoneSelect').value; - displayData = window.backendAPI.processTimestamps(structuredClone(data), timezone); // Use structured clone API instead of JSON.parse/stringify - // displayData = window.backendAPI.processTimestamps(JSON.parse(JSON.stringify(data)), timezone); - } + if (convertTime || replaceKeys) { + const timezone = document.getElementById('timezoneSelect').value; + displayData = window.backendAPI.processTimestamps( + structuredClone(data), + timezone + ); // Use structured clone API instead of JSON.parse/stringify + // displayData = window.backendAPI.processTimestamps(JSON.parse(JSON.stringify(data)), timezone); + } - // Format the data - let formattedData = ''; - if (window.appState.outputFormat === 'yaml') { - formattedData = window.backendAPI.jsonToYAML(displayData); - document.getElementById("downloadJson").textContent = "Download YAML Data"; - } else { - formattedData = JSON.stringify(displayData, null, 2); - document.getElementById("downloadJson").textContent = "Download JSON Data"; - } + // Format the data + let formattedData = ''; + if (window.appState.outputFormat === 'yaml') { + formattedData = window.backendAPI.jsonToYAML(displayData); + document.getElementById('downloadJson').textContent = 'Download YAML Data'; + } else { + formattedData = JSON.stringify(displayData, null, 2); + document.getElementById('downloadJson').textContent = 'Download JSON Data'; + } - resultsElement.textContent = formattedData; - resultsElement.style.display = "block"; - downloadContainer.style.display = "block"; + resultsElement.textContent = formattedData; + resultsElement.style.display = 'block'; + downloadContainer.style.display = 'block'; } - + // Helper function to display errors function displayError(message) { - const errorElement = document.getElementById("error"); - const loadingElement = document.getElementById("loading"); - const resultsElement = document.getElementById("results"); + const errorElement = document.getElementById('error'); + const loadingElement = document.getElementById('loading'); + const resultsElement = document.getElementById('results'); - errorElement.textContent = message; - loadingElement.style.display = "none"; + errorElement.textContent = message; + loadingElement.style.display = 'none'; - // Clear previous results to ensure they can be redrawn - resultsElement.style.display = "none"; - resultsElement.textContent = ""; + // Clear previous results to ensure they can be redrawn + resultsElement.style.display = 'none'; + resultsElement.textContent = ''; - // Keep tutorial hidden if previously dismissed - if (window.appState.tutorialDismissed) { - document.querySelectorAll(".tutorial").forEach(element => { - element.style.display = "none"; - }); - } -} - -function addEnterKeyListeners() { - // Use event delegation for handling Enter key press - document.addEventListener("keypress", function(event) { - if (event.key === "Enter") { - // Get the active element - const activeElement = document.activeElement; - - if (!activeElement || !activeElement.id) return; - - // Mapping of input fields to their submit buttons - const inputToButtonMapping = { - "ssoToken": null, // Will trigger active tab button - "username": null, // Will trigger active tab button - "matchUsername": "fetchMatches", - "matchId": "fetchMatchInfo", - "userUsername": "fetchUserInfo", - "searchUsername": "fuzzySearch" - }; - - if (activeElement.id in inputToButtonMapping) { - if (inputToButtonMapping[activeElement.id]) { - // Click the specific button - document.getElementById(inputToButtonMapping[activeElement.id]).click(); - } else { - // Trigger the active tab button - triggerActiveTabButton(); - } - } - } + // Keep tutorial hidden if previously dismissed + if (window.appState.tutorialDismissed) { + document.querySelectorAll('.tutorial').forEach((element) => { + element.style.display = 'none'; }); + } +} + +function addEnterKeyListeners() { + // Use event delegation for handling Enter key press + document.addEventListener('keypress', function (event) { + if (event.key === 'Enter') { + // Get the active element + const activeElement = document.activeElement; + + if (!activeElement || !activeElement.id) return; + + // Mapping of input fields to their submit buttons + const inputToButtonMapping = { + ssoToken: null, // Will trigger active tab button + username: null, // Will trigger active tab button + matchUsername: 'fetchMatches', + matchId: 'fetchMatchInfo', + userUsername: 'fetchUserInfo', + searchUsername: 'fuzzySearch', + }; + + if (activeElement.id in inputToButtonMapping) { + if (inputToButtonMapping[activeElement.id]) { + // Click the specific button + document + .getElementById(inputToButtonMapping[activeElement.id]) + .click(); + } else { + // Trigger the active tab button + triggerActiveTabButton(); + } + } + } + }); } function triggerActiveTabButton() { - const activeTab = document.querySelector(".tab.active").getAttribute("data-tab"); - switch (activeTab) { - case "stats": - document.getElementById("fetchStats").click(); - break; - case "matches": - document.getElementById("fetchMatches").click(); - break; - case "user": - document.getElementById("fetchUserInfo").click(); - break; - case "other": - document.getElementById("fuzzySearch").click(); - break; - } + const activeTab = document + .querySelector('.tab.active') + .getAttribute('data-tab'); + switch (activeTab) { + case 'stats': + document.getElementById('fetchStats').click(); + break; + case 'matches': + document.getElementById('fetchMatches').click(); + break; + case 'user': + document.getElementById('fetchUserInfo').click(); + break; + case 'other': + document.getElementById('fuzzySearch').click(); + break; + } } // Time options function setupTimeOptions() { - const convertTimeCheckbox = document.getElementById('convertTimeOption'); - const timezoneSelect = document.getElementById('timezoneSelect'); - - convertTimeCheckbox.addEventListener('change', function() { - timezoneSelect.disabled = !this.checked; - - if ((window.appState.currentData)) { - displayResults((window.appState.currentData)); // Refresh the display - } - }); - - timezoneSelect.addEventListener('change', function() { - if ((window.appState.currentData)) { - displayResults((window.appState.currentData)); // Refresh the display - } - }); + const convertTimeCheckbox = document.getElementById('convertTimeOption'); + const timezoneSelect = document.getElementById('timezoneSelect'); + + convertTimeCheckbox.addEventListener('change', function () { + timezoneSelect.disabled = !this.checked; + + if (window.appState.currentData) { + displayResults(window.appState.currentData); // Refresh the display + } + }); + + timezoneSelect.addEventListener('change', function () { + if (window.appState.currentData) { + displayResults(window.appState.currentData); // Refresh the display + } + }); } - + // Download Button function setupDownloadButton() { - const downloadBtn = document.getElementById("downloadJson"); - if (!downloadBtn) return; + const downloadBtn = document.getElementById('downloadJson'); + if (!downloadBtn) return; - downloadBtn.addEventListener("click", function() { - const resultsElement = document.getElementById("results"); - const jsonData = resultsElement.textContent; + downloadBtn.addEventListener('click', function () { + const resultsElement = document.getElementById('results'); + const jsonData = resultsElement.textContent; - if (!jsonData) { - alert("No data to download"); - return; - } + if (!jsonData) { + alert('No data to download'); + return; + } - // Create a Blob with the data - const contentType = window.appState.outputFormat === 'yaml' ? 'text/yaml' : 'application/json'; - const blob = new Blob([jsonData], { type: contentType }); + // Create a Blob with the data + const contentType = + window.appState.outputFormat === 'yaml' ? + 'text/yaml' + : 'application/json'; + const blob = new Blob([jsonData], { type: contentType }); - // Create a temporary link element - const a = document.createElement("a"); - a.href = URL.createObjectURL(blob); + // Create a temporary link element + const a = document.createElement('a'); + a.href = URL.createObjectURL(blob); - // Generate a filename with timestamp - const date = new Date(); - const timestamp = `${date.getFullYear()}-${String(date.getMonth() + 1).padStart(2, '0')}-${String(date.getDate()).padStart(2, '0')}_${String(date.getHours()).padStart(2, '0')}-${String(date.getMinutes()).padStart(2, '0')}`; - const extension = window.appState.outputFormat === 'yaml' ? 'yaml' : 'json'; - a.download = `cod_stats_${timestamp}.${extension}`; + // Generate a filename with timestamp + const date = new Date(); + const timestamp = `${date.getFullYear()}-${String( + date.getMonth() + 1 + ).padStart(2, '0')}-${String(date.getDate()).padStart(2, '0')}_${String( + date.getHours() + ).padStart(2, '0')}-${String(date.getMinutes()).padStart(2, '0')}`; + const extension = window.appState.outputFormat === 'yaml' ? 'yaml' : 'json'; + a.download = `cod_stats_${timestamp}.${extension}`; - // Trigger download - document.body.appendChild(a); - a.click(); + // Trigger download + document.body.appendChild(a); + a.click(); - // Clean up - document.body.removeChild(a); - }); + // Clean up + document.body.removeChild(a); + }); } // Function to synchronize username across tabs function syncUsernames() { - const mainUsername = document.getElementById("username").value.trim(); + const mainUsername = document.getElementById('username').value.trim(); - // Only sync if there's a value - if (mainUsername) { - document.getElementById("matchUsername").value = mainUsername; - document.getElementById("userUsername").value = mainUsername; - document.getElementById("searchUsername").value = mainUsername; - } + // Only sync if there's a value + if (mainUsername) { + document.getElementById('matchUsername').value = mainUsername; + document.getElementById('userUsername').value = mainUsername; + document.getElementById('searchUsername').value = mainUsername; + } - // Also sync platform across tabs when it changes - const mainPlatform = document.getElementById("platform").value; - document.getElementById("matchPlatform").value = mainPlatform; - document.getElementById("userPlatform").value = mainPlatform; - document.getElementById("searchPlatform").value = mainPlatform; + // Also sync platform across tabs when it changes + const mainPlatform = document.getElementById('platform').value; + document.getElementById('matchPlatform').value = mainPlatform; + document.getElementById('userPlatform').value = mainPlatform; + document.getElementById('searchPlatform').value = mainPlatform; } - + // Sync listeners for persistent usernames function addSyncListeners() { - // Add change listeners for username sync - document.getElementById("username").addEventListener("change", syncUsernames); - document.getElementById("matchUsername").addEventListener("change", function() { - document.getElementById("username").value = this.value; - syncUsernames(); + // Add change listeners for username sync + document.getElementById('username').addEventListener('change', syncUsernames); + document + .getElementById('matchUsername') + .addEventListener('change', function () { + document.getElementById('username').value = this.value; + syncUsernames(); }); - document.getElementById("userUsername").addEventListener("change", function() { - document.getElementById("username").value = this.value; - syncUsernames(); + document + .getElementById('userUsername') + .addEventListener('change', function () { + document.getElementById('username').value = this.value; + syncUsernames(); }); - document.getElementById("searchUsername").addEventListener("change", function() { - document.getElementById("username").value = this.value; - syncUsernames(); + document + .getElementById('searchUsername') + .addEventListener('change', function () { + document.getElementById('username').value = this.value; + syncUsernames(); }); - // Add change listeners for platform sync - document.getElementById("platform").addEventListener("change", syncUsernames); + // Add change listeners for platform sync + document.getElementById('platform').addEventListener('change', syncUsernames); } // Initialize session tracking when the page loads function initializeSessionTracking() { - // Generate a unique session ID - const sessionId = Date.now().toString(36) + Math.random().toString(36).substr(2); - const sessionStart = Date.now(); - let lastActivity = Date.now(); - let activityTimer; - - // Store user's device and viewport info - const deviceInfo = { - screenWidth: window.screen.width, - screenHeight: window.screen.height, - viewportWidth: window.innerWidth, - viewportHeight: window.innerHeight, - pixelRatio: window.devicePixelRatio, - userAgent: navigator.userAgent + // Generate a unique session ID + const sessionId = + Date.now().toString(36) + Math.random().toString(36).substr(2); + const sessionStart = Date.now(); + let lastActivity = Date.now(); + let activityTimer; + + // Store user's device and viewport info + const deviceInfo = { + screenWidth: window.screen.width, + screenHeight: window.screen.height, + viewportWidth: window.innerWidth, + viewportHeight: window.innerHeight, + pixelRatio: window.devicePixelRatio, + userAgent: navigator.userAgent, + }; + + // Log initial session start with device info + clientLogger.log('session_start', { + sessionId, + deviceInfo, + referrer: document.referrer, + landingPage: window.location.pathname, + }); + + // Update last activity time on user interactions + ['click', 'mousemove', 'keypress', 'scroll', 'touchstart'].forEach( + (event) => { + document.addEventListener(event, () => (lastActivity = Date.now())); + } + ); + + // Track clicks with throttling to reduce spam + let lastClickTime = 0; + document.addEventListener('click', (e) => { + const now = Date.now(); + if (now - lastClickTime < clientLogger.settings.clickDebounceTime) { + return; // Skip if clicked too recently + } + lastClickTime = now; + + const target = e.target; + // Build an object with element details + const elementInfo = { + tagName: target.tagName, + id: target.id || undefined, + className: target.className || undefined, + text: target.innerText ? target.innerText.substring(0, 100) : undefined, + href: target.href || target.closest('a')?.href, }; - - // Log initial session start with device info - clientLogger.log('session_start', { + + clientLogger.log('element_click', { sessionId, - deviceInfo, - referrer: document.referrer, - landingPage: window.location.pathname + elementInfo, + path: window.location.pathname, }); - - // Update last activity time on user interactions - ['click', 'mousemove', 'keypress', 'scroll', 'touchstart'].forEach(event => { - document.addEventListener(event, () => lastActivity = Date.now()); + }); + + // Helper function to extract data attributes + function getDataAttributes(element) { + if (!element.dataset) return {}; + return Object.entries(element.dataset).reduce((acc, [key, value]) => { + acc[key] = value; + return acc; + }, {}); + } + + // Track tab visibility changes + document.addEventListener('visibilitychange', () => { + clientLogger.log('visibility_change', { + sessionId, + visibilityState: document.visibilityState, + timestamp: Date.now(), }); - - // Track clicks with throttling to reduce spam - let lastClickTime = 0; - document.addEventListener('click', (e) => { - const now = Date.now(); - if (now - lastClickTime < clientLogger.settings.clickDebounceTime) { - return; // Skip if clicked too recently - } - lastClickTime = now; - + }); + + // Track navigation between tabs/elements with focus events (if enabled) + if (clientLogger.settings.logFocusEvents) { + document.addEventListener('focusin', (e) => { const target = e.target; - // Build an object with element details - const elementInfo = { - tagName: target.tagName, - id: target.id || undefined, - className: target.className || undefined, - text: target.innerText ? target.innerText.substring(0, 100) : undefined, - href: target.href || target.closest('a')?.href - }; - - clientLogger.log('element_click', { - sessionId, - elementInfo, - path: window.location.pathname - }); - }); - - // Helper function to extract data attributes - function getDataAttributes(element) { - if (!element.dataset) return {}; - return Object.entries(element.dataset) - .reduce((acc, [key, value]) => { - acc[key] = value; - return acc; - }, {}); - } - - // Track tab visibility changes - document.addEventListener('visibilitychange', () => { - clientLogger.log('visibility_change', { - sessionId, - visibilityState: document.visibilityState, - timestamp: Date.now() - }); - }); - - // Track navigation between tabs/elements with focus events (if enabled) - if (clientLogger.settings.logFocusEvents) { - document.addEventListener('focusin', (e) => { - const target = e.target; - if (target.tagName) { - clientLogger.log('focus_change', { - sessionId, - element: { - tagName: target.tagName, - id: target.id || undefined, - className: target.className || undefined - } - }); - } - }); - } - - // Track scroll events with throttling (if enabled) - if (clientLogger.settings.logScrollEvents) { - document.addEventListener('scroll', - clientLogger.throttle(() => { - clientLogger.log('scroll', { - sessionId, - scrollPosition: { - y: window.scrollY - }, - percentScrolled: Math.round((window.scrollY / (document.documentElement.scrollHeight - window.innerHeight)) * 100) - }); - }, 1000) // Log at most once per second - ); - } - - // Track window resize events with throttling (if enabled) - if (clientLogger.settings.logResizeEvents) { - window.addEventListener('resize', - clientLogger.throttle(() => { - clientLogger.log('window_resize', { - sessionId, - dimensions: { - width: window.innerWidth, - height: window.innerHeight - } - }); - }, 1000) // Log at most once per second - ); - } - - // Monitor form interactions - only for submits and important changes - document.addEventListener('submit', (e) => { - const form = e.target; - clientLogger.log('form_submit', { - sessionId, - formId: form.id || undefined, - formName: form.getAttribute('name') || undefined - }); - }); - - // Activity check every 60 seconds - activityTimer = setInterval(() => { - const inactiveTime = Date.now() - lastActivity; - // Log if user has been inactive for more than the minimum threshold - if (inactiveTime > clientLogger.settings.minimumInactivityTime) { - clientLogger.log('user_inactive', { + if (target.tagName) { + clientLogger.log('focus_change', { sessionId, - inactiveTime: Math.round(inactiveTime / 1000) + element: { + tagName: target.tagName, + id: target.id || undefined, + className: target.className || undefined, + }, }); } - }, 60000); - - // Log session end when page is closed - window.addEventListener('beforeunload', () => { - clearInterval(activityTimer); - const duration = Math.round((Date.now() - sessionStart) / 1000); - clientLogger.log('session_end', { - sessionId, - duration, - path: window.location.pathname - }); }); - - // Track pushState and replaceState for SPA navigation - const originalPushState = history.pushState; - const originalReplaceState = history.replaceState; - - history.pushState = function() { - originalPushState.apply(this, arguments); - handleHistoryChange(); - }; - - history.replaceState = function() { - originalReplaceState.apply(this, arguments); - handleHistoryChange(); - }; - - function handleHistoryChange() { - clientLogger.log('page_view', { - sessionId, - path: window.location.pathname, - query: window.location.search, - title: document.title - }); - } - - // Track network requests only if detailed network logging is enabled - if (clientLogger.settings.enableDetailedNetworkLogs) { - const originalFetch = window.fetch; - window.fetch = function() { - const startTime = Date.now(); - const url = arguments[0]; - const method = arguments[1]?.method || 'GET'; - - // Skip logging for log endpoint to avoid infinite loops - if (typeof url === 'string' && url.includes('/api/log')) { - return originalFetch.apply(this, arguments); - } - - // Only log the URL and method, not the payload - clientLogger.log('network_request_start', { + } + + // Track scroll events with throttling (if enabled) + if (clientLogger.settings.logScrollEvents) { + document.addEventListener( + 'scroll', + clientLogger.throttle(() => { + clientLogger.log('scroll', { sessionId, - url: typeof url === 'string' ? url : url.url, - method + scrollPosition: { + y: window.scrollY, + }, + percentScrolled: Math.round( + (window.scrollY / + (document.documentElement.scrollHeight - window.innerHeight)) * + 100 + ), }); - - return originalFetch.apply(this, arguments) - .then(response => { - clientLogger.log('network_request_complete', { - sessionId, - url: typeof url === 'string' ? url : url.url, - method, - status: response.status, - duration: Date.now() - startTime - }); - return response; - }) - .catch(error => { - clientLogger.log('network_request_error', { - sessionId, - url: typeof url === 'string' ? url : url.url, - method, - error: error.message, - duration: Date.now() - startTime - }); - throw error; - }); - }; - } - - // Track errors - window.addEventListener('error', (e) => { - clientLogger.log('js_error', { - sessionId, - message: e.message, - source: e.filename, - lineno: e.lineno, - colno: e.colno - }); + }, 1000) // Log at most once per second + ); + } + + // Track window resize events with throttling (if enabled) + if (clientLogger.settings.logResizeEvents) { + window.addEventListener( + 'resize', + clientLogger.throttle(() => { + clientLogger.log('window_resize', { + sessionId, + dimensions: { + width: window.innerWidth, + height: window.innerHeight, + }, + }); + }, 1000) // Log at most once per second + ); + } + + // Monitor form interactions - only for submits and important changes + document.addEventListener('submit', (e) => { + const form = e.target; + clientLogger.log('form_submit', { + sessionId, + formId: form.id || undefined, + formName: form.getAttribute('name') || undefined, }); - } \ No newline at end of file + }); + + // Activity check every 60 seconds + activityTimer = setInterval(() => { + const inactiveTime = Date.now() - lastActivity; + // Log if user has been inactive for more than the minimum threshold + if (inactiveTime > clientLogger.settings.minimumInactivityTime) { + clientLogger.log('user_inactive', { + sessionId, + inactiveTime: Math.round(inactiveTime / 1000), + }); + } + }, 60000); + + // Log session end when page is closed + window.addEventListener('beforeunload', () => { + clearInterval(activityTimer); + const duration = Math.round((Date.now() - sessionStart) / 1000); + clientLogger.log('session_end', { + sessionId, + duration, + path: window.location.pathname, + }); + }); + + // Track pushState and replaceState for SPA navigation + const originalPushState = history.pushState; + const originalReplaceState = history.replaceState; + + history.pushState = function () { + originalPushState.apply(this, arguments); + handleHistoryChange(); + }; + + history.replaceState = function () { + originalReplaceState.apply(this, arguments); + handleHistoryChange(); + }; + + function handleHistoryChange() { + clientLogger.log('page_view', { + sessionId, + path: window.location.pathname, + query: window.location.search, + title: document.title, + }); + } + + // Track network requests only if detailed network logging is enabled + if (clientLogger.settings.enableDetailedNetworkLogs) { + const originalFetch = window.fetch; + window.fetch = function () { + const startTime = Date.now(); + const url = arguments[0]; + const method = arguments[1]?.method || 'GET'; + + // Skip logging for log endpoint to avoid infinite loops + if (typeof url === 'string' && url.includes('/api/log')) { + return originalFetch.apply(this, arguments); + } + + // Only log the URL and method, not the payload + clientLogger.log('network_request_start', { + sessionId, + url: typeof url === 'string' ? url : url.url, + method, + }); + + return originalFetch + .apply(this, arguments) + .then((response) => { + clientLogger.log('network_request_complete', { + sessionId, + url: typeof url === 'string' ? url : url.url, + method, + status: response.status, + duration: Date.now() - startTime, + }); + return response; + }) + .catch((error) => { + clientLogger.log('network_request_error', { + sessionId, + url: typeof url === 'string' ? url : url.url, + method, + error: error.message, + duration: Date.now() - startTime, + }); + throw error; + }); + }; + } + + // Track errors + window.addEventListener('error', (e) => { + clientLogger.log('js_error', { + sessionId, + message: e.message, + source: e.filename, + lineno: e.lineno, + colno: e.colno, + }); + }); +} diff --git a/src/js/index.d.ts b/src/js/index.d.ts index a36a135..72b99a0 100644 --- a/src/js/index.d.ts +++ b/src/js/index.d.ts @@ -1,108 +1,162 @@ declare enum platforms { - All = "all", - Activision = "acti", - Battlenet = "battle", - PSN = "psn", - Steam = "steam", - Uno = "uno", - XBOX = "xbl", - ios = "ios", - NULL = "_" + All = 'all', + Activision = 'acti', + Battlenet = 'battle', + PSN = 'psn', + Steam = 'steam', + Uno = 'uno', + XBOX = 'xbl', + ios = 'ios', + NULL = '_', } declare enum games { - ModernWarfare = "mw", - ModernWarfare2 = "mw2", - Vanguard = "vg", - ColdWar = "cw", - NULL = "_" + ModernWarfare = 'mw', + ModernWarfare2 = 'mw2', + Vanguard = 'vg', + ColdWar = 'cw', + NULL = '_', } declare enum friendActions { - Invite = "invite", - Uninvite = "uninvite", - Remove = "remove", - Block = "block", - Unblock = "unblock" + Invite = 'invite', + Uninvite = 'uninvite', + Remove = 'remove', + Block = 'block', + Unblock = 'unblock', } declare const enableDebugMode: () => boolean; declare const disableDebugMode: () => boolean; declare const login: (ssoToken: string) => boolean; -declare const telescopeLogin: (username: string, password: string) => Promise; +declare const telescopeLogin: ( + username: string, + password: string +) => Promise; declare class WZ { - fullData: (gamertag: string, platform: platforms) => Promise; - combatHistory: (gamertag: string, platform: platforms) => Promise; - combatHistoryWithDate: (gamertag: string, startTime: number, endTime: number, platform: platforms) => Promise; - breakdown: (gamertag: string, platform: platforms) => Promise; - breakdownWithDate: (gamertag: string, startTime: number, endTime: number, platform: platforms) => Promise; - matchInfo: (matchId: string, platform: platforms) => Promise; - cleanGameMode: (mode: string) => Promise; + fullData: (gamertag: string, platform: platforms) => Promise; + combatHistory: (gamertag: string, platform: platforms) => Promise; + combatHistoryWithDate: ( + gamertag: string, + startTime: number, + endTime: number, + platform: platforms + ) => Promise; + breakdown: (gamertag: string, platform: platforms) => Promise; + breakdownWithDate: ( + gamertag: string, + startTime: number, + endTime: number, + platform: platforms + ) => Promise; + matchInfo: (matchId: string, platform: platforms) => Promise; + cleanGameMode: (mode: string) => Promise; } declare class MW { - fullData: (gamertag: string, platform: platforms) => Promise; - combatHistory: (gamertag: string, platform: platforms) => Promise; - combatHistoryWithDate: (gamertag: string, startTime: number, endTime: number, platform: platforms) => Promise; - breakdown: (gamertag: string, platform: platforms) => Promise; - breakdownWithDate: (gamertag: string, startTime: number, endTime: number, platform: platforms) => Promise; - matchInfo: (matchId: string, platform: platforms) => Promise; - seasonloot: (gamertag: string, platform: platforms) => Promise; - mapList: (platform: platforms) => Promise; + fullData: (gamertag: string, platform: platforms) => Promise; + combatHistory: (gamertag: string, platform: platforms) => Promise; + combatHistoryWithDate: ( + gamertag: string, + startTime: number, + endTime: number, + platform: platforms + ) => Promise; + breakdown: (gamertag: string, platform: platforms) => Promise; + breakdownWithDate: ( + gamertag: string, + startTime: number, + endTime: number, + platform: platforms + ) => Promise; + matchInfo: (matchId: string, platform: platforms) => Promise; + seasonloot: (gamertag: string, platform: platforms) => Promise; + mapList: (platform: platforms) => Promise; } declare class MW2 { - fullData: (unoId: string) => Promise; - matches: (unoId: string) => Promise; - matchInfo: (unoId: string, matchId: string) => Promise; + fullData: (unoId: string) => Promise; + matches: (unoId: string) => Promise; + matchInfo: (unoId: string, matchId: string) => Promise; } declare class WZ2 { - fullData: (unoId: string) => Promise; - matches: (unoId: string) => Promise; - matchInfo: (unoId: string, matchId: string) => Promise; + fullData: (unoId: string) => Promise; + matches: (unoId: string) => Promise; + matchInfo: (unoId: string, matchId: string) => Promise; } declare class MW3 { - fullData: (unoId: string) => Promise; - matches: (unoId: string) => Promise; - matchInfo: (unoId: string, matchId: string) => Promise; + fullData: (unoId: string) => Promise; + matches: (unoId: string) => Promise; + matchInfo: (unoId: string, matchId: string) => Promise; } declare class WZM { - fullData: (unoId: string) => Promise; - matches: (unoId: string) => Promise; - matchInfo: (unoId: string, matchId: string) => Promise; + fullData: (unoId: string) => Promise; + matches: (unoId: string) => Promise; + matchInfo: (unoId: string, matchId: string) => Promise; } declare class CW { - fullData: (gamertag: string, platform: platforms) => Promise; - combatHistory: (gamertag: string, platform: platforms) => Promise; - combatHistoryWithDate: (gamertag: string, startTime: number, endTime: number, platform: platforms) => Promise; - breakdown: (gamertag: string, platform: platforms) => Promise; - breakdownWithDate: (gamertag: string, startTime: number, endTime: number, platform: platforms) => Promise; - seasonloot: (gamertag: string, platform: platforms) => Promise; - mapList: (platform: platforms) => Promise; - matchInfo: (matchId: string, platform: platforms) => Promise; + fullData: (gamertag: string, platform: platforms) => Promise; + combatHistory: (gamertag: string, platform: platforms) => Promise; + combatHistoryWithDate: ( + gamertag: string, + startTime: number, + endTime: number, + platform: platforms + ) => Promise; + breakdown: (gamertag: string, platform: platforms) => Promise; + breakdownWithDate: ( + gamertag: string, + startTime: number, + endTime: number, + platform: platforms + ) => Promise; + seasonloot: (gamertag: string, platform: platforms) => Promise; + mapList: (platform: platforms) => Promise; + matchInfo: (matchId: string, platform: platforms) => Promise; } declare class VG { - fullData: (gamertag: string, platform: platforms) => Promise; - combatHistory: (gamertag: string, platform: platforms) => Promise; - combatHistoryWithDate: (gamertag: string, startTime: number, endTime: number, platform: platforms) => Promise; - breakdown: (gamertag: string, platform: platforms) => Promise; - breakdownWithDate: (gamertag: string, startTime: number, endTime: number, platform: platforms) => Promise; - seasonloot: (gamertag: string, platform: platforms) => Promise; - mapList: (platform: platforms) => Promise; - matchInfo: (matchId: string, platform: platforms) => Promise; + fullData: (gamertag: string, platform: platforms) => Promise; + combatHistory: (gamertag: string, platform: platforms) => Promise; + combatHistoryWithDate: ( + gamertag: string, + startTime: number, + endTime: number, + platform: platforms + ) => Promise; + breakdown: (gamertag: string, platform: platforms) => Promise; + breakdownWithDate: ( + gamertag: string, + startTime: number, + endTime: number, + platform: platforms + ) => Promise; + seasonloot: (gamertag: string, platform: platforms) => Promise; + mapList: (platform: platforms) => Promise; + matchInfo: (matchId: string, platform: platforms) => Promise; } declare class SHOP { - purchasableItems: (gameId: string) => Promise; - bundleInformation: (title: string, bundleId: string) => Promise; - battlePassLoot: (title: games, season: number, platform: platforms) => Promise; + purchasableItems: (gameId: string) => Promise; + bundleInformation: (title: string, bundleId: string) => Promise; + battlePassLoot: ( + title: games, + season: number, + platform: platforms + ) => Promise; } declare class USER { - friendFeed: (gamertag: string, platform: platforms) => Promise; - eventFeed: () => Promise; - loggedInIdentities: () => Promise; - codPoints: (gamertag: string, platform: platforms) => Promise; - connectedAccounts: (gamertag: string, platform: platforms) => Promise; - settings: (gamertag: string, platform: platforms) => Promise; - friendAction: (gamertag: string, platform: platforms, action: friendActions) => Promise; + friendFeed: (gamertag: string, platform: platforms) => Promise; + eventFeed: () => Promise; + loggedInIdentities: () => Promise; + codPoints: (gamertag: string, platform: platforms) => Promise; + connectedAccounts: ( + gamertag: string, + platform: platforms + ) => Promise; + settings: (gamertag: string, platform: platforms) => Promise; + friendAction: ( + gamertag: string, + platform: platforms, + action: friendActions + ) => Promise; } declare class ALT { - search: (gamertag: string, platform: platforms) => Promise; - cleanWeapon: (weapon: string) => Promise; + search: (gamertag: string, platform: platforms) => Promise; + cleanWeapon: (weapon: string) => Promise; } declare const Warzone: WZ; declare const ModernWarfare: MW; @@ -115,4 +169,22 @@ declare const Vanguard: VG; declare const Store: SHOP; declare const Me: USER; declare const Misc: ALT; -export { login, telescopeLogin, platforms, friendActions, Warzone, ModernWarfare, ModernWarfare2, ModernWarfare3, WarzoneMobile, Warzone2, ColdWar, Vanguard, Store, Me, Misc, enableDebugMode, disableDebugMode, }; +export { + login, + telescopeLogin, + platforms, + friendActions, + Warzone, + ModernWarfare, + ModernWarfare2, + ModernWarfare3, + WarzoneMobile, + Warzone2, + ColdWar, + Vanguard, + Store, + Me, + Misc, + enableDebugMode, + disableDebugMode, +}; diff --git a/src/js/index.js b/src/js/index.js index 47f92dd..96edf38 100644 --- a/src/js/index.js +++ b/src/js/index.js @@ -1,750 +1,1253 @@ -"use strict"; -Object.defineProperty(exports, "__esModule", { value: true }); -exports.disableDebugMode = exports.enableDebugMode = exports.Misc = exports.Me = exports.Store = exports.Vanguard = exports.ColdWar = exports.Warzone2 = exports.WarzoneMobile = exports.ModernWarfare3 = exports.ModernWarfare2 = exports.ModernWarfare = exports.Warzone = exports.friendActions = exports.platforms = exports.telescopeLogin = exports.login = void 0; -const tslib_1 = require("tslib"); -const undici_1 = require("undici"); -const weapon_ids_json_1 = tslib_1.__importDefault(require("../data/weapon-ids.json")); -const game_modes_json_1 = tslib_1.__importDefault(require("../data/game-modes.json")); -const userAgent = "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/74.0.3729.169 Safari/537.36"; -let baseCookie = "new_SiteId=cod;ACT_SSO_LOCALE=en_US;country=US;"; -let baseSsoToken = ""; +'use strict'; +Object.defineProperty(exports, '__esModule', { value: true }); +exports.disableDebugMode = + exports.enableDebugMode = + exports.Misc = + exports.Me = + exports.Store = + exports.Vanguard = + exports.ColdWar = + exports.Warzone2 = + exports.WarzoneMobile = + exports.ModernWarfare3 = + exports.ModernWarfare2 = + exports.ModernWarfare = + exports.Warzone = + exports.friendActions = + exports.platforms = + exports.telescopeLogin = + exports.login = + void 0; +const tslib_1 = require('tslib'); +const undici_1 = require('undici'); +const weapon_ids_json_1 = tslib_1.__importDefault( + require('../data/weapon-ids.json') +); +const game_modes_json_1 = tslib_1.__importDefault( + require('../data/game-modes.json') +); +const userAgent = + 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/74.0.3729.169 Safari/537.36'; +let baseCookie = 'new_SiteId=cod;ACT_SSO_LOCALE=en_US;country=US;'; +let baseSsoToken = ''; let debugMode = false; let baseHeaders = { - "content-type": "application/json", - cookie: baseCookie, - "user-agent": userAgent, + 'content-type': 'application/json', + cookie: baseCookie, + 'user-agent': userAgent, }; let baseTelescopeHeaders = { - accept: "application/json, text/plain, */*", - "accept-language": "en-GB,en;q=0.9,en-US;q=0.8,fr;q=0.7,nl;q=0.6,et;q=0.5", - "cache-control": "no-cache", - pragma: "no-cache", - "sec-ch-ua": '"Chromium";v="118", "Microsoft Edge";v="118", "Not=A?Brand";v="99"', - "sec-ch-ua-mobile": "?0", - "sec-ch-ua-platform": '"Windows"', - "sec-fetch-dest": "empty", - "sec-fetch-mode": "cors", - "sec-fetch-site": "same-site", + accept: 'application/json, text/plain, */*', + 'accept-language': 'en-GB,en;q=0.9,en-US;q=0.8,fr;q=0.7,nl;q=0.6,et;q=0.5', + 'cache-control': 'no-cache', + pragma: 'no-cache', + 'sec-ch-ua': + '"Chromium";v="118", "Microsoft Edge";v="118", "Not=A?Brand";v="99"', + 'sec-ch-ua-mobile': '?0', + 'sec-ch-ua-platform': '"Windows"', + 'sec-fetch-dest': 'empty', + 'sec-fetch-mode': 'cors', + 'sec-fetch-site': 'same-site', }; let basePostHeaders = { - "content-type": "text/plain", - cookie: baseCookie, - "user-agent": userAgent, + 'content-type': 'text/plain', + cookie: baseCookie, + 'user-agent': userAgent, }; -let baseUrl = "https://profile.callofduty.com"; -let apiPath = "/api/papi-client"; -let baseTelescopeUrl = "https://telescope.callofduty.com"; -let apiTelescopePath = "/api/ts-api"; +let baseUrl = 'https://profile.callofduty.com'; +let apiPath = '/api/papi-client'; +let baseTelescopeUrl = 'https://telescope.callofduty.com'; +let apiTelescopePath = '/api/ts-api'; let loggedIn = false; var platforms; (function (platforms) { - platforms["All"] = "all"; - platforms["Activision"] = "acti"; - platforms["Battlenet"] = "battle"; - platforms["PSN"] = "psn"; - platforms["Steam"] = "steam"; - platforms["Uno"] = "uno"; - platforms["XBOX"] = "xbl"; - platforms["ios"] = "ios"; - platforms["NULL"] = "_"; + platforms['All'] = 'all'; + platforms['Activision'] = 'acti'; + platforms['Battlenet'] = 'battle'; + platforms['PSN'] = 'psn'; + platforms['Steam'] = 'steam'; + platforms['Uno'] = 'uno'; + platforms['XBOX'] = 'xbl'; + platforms['ios'] = 'ios'; + platforms['NULL'] = '_'; })(platforms || (platforms = {})); exports.platforms = platforms; var games; (function (games) { - games["ModernWarfare"] = "mw"; - games["ModernWarfare2"] = "mw2"; - games["Vanguard"] = "vg"; - games["ColdWar"] = "cw"; - games["NULL"] = "_"; + games['ModernWarfare'] = 'mw'; + games['ModernWarfare2'] = 'mw2'; + games['Vanguard'] = 'vg'; + games['ColdWar'] = 'cw'; + games['NULL'] = '_'; })(games || (games = {})); var telescopeGames; (function (telescopeGames) { - telescopeGames["ModernWarfare2"] = "mw2"; - telescopeGames["Warzone2"] = "wz2"; - telescopeGames["ModernWarfare3"] = "jup"; - telescopeGames["Mobile"] = "mgl"; + telescopeGames['ModernWarfare2'] = 'mw2'; + telescopeGames['Warzone2'] = 'wz2'; + telescopeGames['ModernWarfare3'] = 'jup'; + telescopeGames['Mobile'] = 'mgl'; })(telescopeGames || (telescopeGames = {})); var modes; (function (modes) { - modes["Multiplayer"] = "mp"; - modes["Warzone"] = "wz"; - modes["Warzone2"] = "wz2"; - modes["NULL"] = "_"; + modes['Multiplayer'] = 'mp'; + modes['Warzone'] = 'wz'; + modes['Warzone2'] = 'wz2'; + modes['NULL'] = '_'; })(modes || (modes = {})); var telescopeModes; (function (telescopeModes) { - telescopeModes["Multiplayer"] = "mp"; - telescopeModes["Outbreak"] = "ob"; + telescopeModes['Multiplayer'] = 'mp'; + telescopeModes['Outbreak'] = 'ob'; })(telescopeModes || (telescopeModes = {})); var friendActions; (function (friendActions) { - friendActions["Invite"] = "invite"; - friendActions["Uninvite"] = "uninvite"; - friendActions["Remove"] = "remove"; - friendActions["Block"] = "block"; - friendActions["Unblock"] = "unblock"; + friendActions['Invite'] = 'invite'; + friendActions['Uninvite'] = 'uninvite'; + friendActions['Remove'] = 'remove'; + friendActions['Block'] = 'block'; + friendActions['Unblock'] = 'unblock'; })(friendActions || (friendActions = {})); exports.friendActions = friendActions; var generics; (function (generics) { - generics["STEAM_UNSUPPORTED"] = "Steam platform not supported by this game. Try `battle` instead."; - generics["UNO_NO_NUMERICAL_ID"] = "You must use a numerical ID when using the platform 'uno'.\nIf using an Activision ID, please use the platform 'acti'."; + generics['STEAM_UNSUPPORTED'] = + 'Steam platform not supported by this game. Try `battle` instead.'; + generics['UNO_NO_NUMERICAL_ID'] = + "You must use a numerical ID when using the platform 'uno'.\nIf using an Activision ID, please use the platform 'acti'."; })(generics || (generics = {})); -let telescopeUnoToken = ""; +let telescopeUnoToken = ''; const enableDebugMode = () => (debugMode = true); exports.enableDebugMode = enableDebugMode; const disableDebugMode = () => (debugMode = false); exports.disableDebugMode = disableDebugMode; -const sendTelescopeRequest = (url) => tslib_1.__awaiter(void 0, void 0, void 0, function* () { +const sendTelescopeRequest = (url) => + tslib_1.__awaiter(void 0, void 0, void 0, function* () { try { - if (!loggedIn) - throw new Error("Not Logged In!"); - let requestUrl = `${baseTelescopeUrl}${apiTelescopePath}${url}`; - if (debugMode) - console.log(`[DEBUG]`, `Request Uri: ${requestUrl}`); - baseTelescopeHeaders.authorization = `Bearer ${telescopeUnoToken}`; - const { body, statusCode } = yield (0, undici_1.request)(requestUrl, { - headers: baseTelescopeHeaders, - }); - if (statusCode >= 500) - throw new Error(`Received status code: '${statusCode}'. Route may be down or not exist.`); - let response = yield body.json(); - return response; + if (!loggedIn) throw new Error('Not Logged In!'); + let requestUrl = `${baseTelescopeUrl}${apiTelescopePath}${url}`; + if (debugMode) console.log(`[DEBUG]`, `Request Uri: ${requestUrl}`); + baseTelescopeHeaders.authorization = `Bearer ${telescopeUnoToken}`; + const { body, statusCode } = yield (0, undici_1.request)(requestUrl, { + headers: baseTelescopeHeaders, + }); + if (statusCode >= 500) + throw new Error( + `Received status code: '${statusCode}'. Route may be down or not exist.` + ); + let response = yield body.json(); + return response; + } catch (exception) { + throw exception; } - catch (exception) { - throw exception; - } -}); -const sendRequest = (url) => tslib_1.__awaiter(void 0, void 0, void 0, function* () { + }); +const sendRequest = (url) => + tslib_1.__awaiter(void 0, void 0, void 0, function* () { try { - if (!loggedIn) - throw new Error("Not Logged In."); - let requestUrl = `${baseUrl}${apiPath}${url}`; - if (debugMode) - console.log(`[DEBUG]`, `Request Uri: ${requestUrl}`); - if (debugMode) - console.time("Round Trip"); - const { body, statusCode } = yield (0, undici_1.request)(requestUrl, { - headers: baseHeaders, - }); - if (debugMode) - console.timeEnd("Round Trip"); - if (statusCode >= 500) - throw new Error(`Received status code: '${statusCode}'. Route may be down or not exist.`); - let response = yield body.json(); - if (debugMode) - console.log(`[DEBUG]`, `Body Size: ${JSON.stringify(response).length} bytes.`); - return response; + if (!loggedIn) throw new Error('Not Logged In.'); + let requestUrl = `${baseUrl}${apiPath}${url}`; + if (debugMode) console.log(`[DEBUG]`, `Request Uri: ${requestUrl}`); + if (debugMode) console.time('Round Trip'); + const { body, statusCode } = yield (0, undici_1.request)(requestUrl, { + headers: baseHeaders, + }); + if (debugMode) console.timeEnd('Round Trip'); + if (statusCode >= 500) + throw new Error( + `Received status code: '${statusCode}'. Route may be down or not exist.` + ); + let response = yield body.json(); + if (debugMode) + console.log( + `[DEBUG]`, + `Body Size: ${JSON.stringify(response).length} bytes.` + ); + return response; + } catch (exception) { + throw exception; } - catch (exception) { - throw exception; - } -}); -const sendPostRequest = (url, data) => tslib_1.__awaiter(void 0, void 0, void 0, function* () { + }); +const sendPostRequest = (url, data) => + tslib_1.__awaiter(void 0, void 0, void 0, function* () { try { - if (!loggedIn) - throw new Error("Not Logged In."); - let requestUrl = `${baseUrl}${apiPath}${url}`; - const { body, statusCode } = yield (0, undici_1.request)(requestUrl, { - method: "POST", - headers: basePostHeaders, - body: data, - }); - if (statusCode >= 500) - throw new Error(`Received status code: '${statusCode}'. Route may be down or not exist.`); - let response = yield body.json(); - return response; + if (!loggedIn) throw new Error('Not Logged In.'); + let requestUrl = `${baseUrl}${apiPath}${url}`; + const { body, statusCode } = yield (0, undici_1.request)(requestUrl, { + method: 'POST', + headers: basePostHeaders, + body: data, + }); + if (statusCode >= 500) + throw new Error( + `Received status code: '${statusCode}'. Route may be down or not exist.` + ); + let response = yield body.json(); + return response; + } catch (exception) { + throw exception; } - catch (exception) { - throw exception; - } -}); + }); const cleanClientName = (gamertag) => { - return encodeURIComponent(gamertag); + return encodeURIComponent(gamertag); }; const login = (ssoToken) => { - if (!ssoToken || ssoToken.trim().length <= 0) - return false; - let fakeXSRF = "68e8b62e-1d9d-4ce1-b93f-cbe5ff31a041"; - baseHeaders["X-XSRF-TOKEN"] = fakeXSRF; - baseHeaders["X-CSRF-TOKEN"] = fakeXSRF; - baseHeaders["Atvi-Auth"] = ssoToken; - baseHeaders["ACT_SSO_COOKIE"] = ssoToken; - baseHeaders["atkn"] = ssoToken; - baseHeaders["cookie"] = `${baseCookie}ACT_SSO_COOKIE=${ssoToken};XSRF-TOKEN=${fakeXSRF};API_CSRF_TOKEN=${fakeXSRF};ACT_SSO_EVENT="LOGIN_SUCCESS:1644346543228";ACT_SSO_COOKIE_EXPIRY=1645556143194;comid=cod;ssoDevId=63025d09c69f47dfa2b8d5520b5b73e4;tfa_enrollment_seen=true;gtm.custom.bot.flag=human;`; - baseSsoToken = ssoToken; - basePostHeaders["X-XSRF-TOKEN"] = fakeXSRF; - basePostHeaders["X-CSRF-TOKEN"] = fakeXSRF; - basePostHeaders["Atvi-Auth"] = ssoToken; - basePostHeaders["ACT_SSO_COOKIE"] = ssoToken; - basePostHeaders["atkn"] = ssoToken; - basePostHeaders["cookie"] = `${baseCookie}ACT_SSO_COOKIE=${ssoToken};XSRF-TOKEN=${fakeXSRF};API_CSRF_TOKEN=${fakeXSRF};ACT_SSO_EVENT="LOGIN_SUCCESS:1644346543228";ACT_SSO_COOKIE_EXPIRY=1645556143194;comid=cod;ssoDevId=63025d09c69f47dfa2b8d5520b5b73e4;tfa_enrollment_seen=true;gtm.custom.bot.flag=human;`; - loggedIn = true; - return loggedIn; + if (!ssoToken || ssoToken.trim().length <= 0) return false; + let fakeXSRF = '68e8b62e-1d9d-4ce1-b93f-cbe5ff31a041'; + baseHeaders['X-XSRF-TOKEN'] = fakeXSRF; + baseHeaders['X-CSRF-TOKEN'] = fakeXSRF; + baseHeaders['Atvi-Auth'] = ssoToken; + baseHeaders['ACT_SSO_COOKIE'] = ssoToken; + baseHeaders['atkn'] = ssoToken; + baseHeaders['cookie'] = + `${baseCookie}ACT_SSO_COOKIE=${ssoToken};XSRF-TOKEN=${fakeXSRF};API_CSRF_TOKEN=${fakeXSRF};ACT_SSO_EVENT="LOGIN_SUCCESS:1644346543228";ACT_SSO_COOKIE_EXPIRY=1645556143194;comid=cod;ssoDevId=63025d09c69f47dfa2b8d5520b5b73e4;tfa_enrollment_seen=true;gtm.custom.bot.flag=human;`; + baseSsoToken = ssoToken; + basePostHeaders['X-XSRF-TOKEN'] = fakeXSRF; + basePostHeaders['X-CSRF-TOKEN'] = fakeXSRF; + basePostHeaders['Atvi-Auth'] = ssoToken; + basePostHeaders['ACT_SSO_COOKIE'] = ssoToken; + basePostHeaders['atkn'] = ssoToken; + basePostHeaders['cookie'] = + `${baseCookie}ACT_SSO_COOKIE=${ssoToken};XSRF-TOKEN=${fakeXSRF};API_CSRF_TOKEN=${fakeXSRF};ACT_SSO_EVENT="LOGIN_SUCCESS:1644346543228";ACT_SSO_COOKIE_EXPIRY=1645556143194;comid=cod;ssoDevId=63025d09c69f47dfa2b8d5520b5b73e4;tfa_enrollment_seen=true;gtm.custom.bot.flag=human;`; + loggedIn = true; + return loggedIn; }; exports.login = login; -const telescope_login_endpoint = "https://wzm-ios-loginservice.prod.demonware.net/v1/login/uno/?titleID=7100&client=shg-cod-jup-bnet"; -const telescopeLogin = (username, password) => tslib_1.__awaiter(void 0, void 0, void 0, function* () { - if (!username || !password) - return false; - const { body, statusCode } = yield (0, undici_1.request)(telescope_login_endpoint, { - method: "POST", +const telescope_login_endpoint = + 'https://wzm-ios-loginservice.prod.demonware.net/v1/login/uno/?titleID=7100&client=shg-cod-jup-bnet'; +const telescopeLogin = (username, password) => + tslib_1.__awaiter(void 0, void 0, void 0, function* () { + if (!username || !password) return false; + const { body, statusCode } = yield (0, undici_1.request)( + telescope_login_endpoint, + { + method: 'POST', headers: baseHeaders, body: JSON.stringify({ - platform: "ios", - hardwareType: "ios", - auth: { - email: username, - password: password, - }, - version: 1492, + platform: 'ios', + hardwareType: 'ios', + auth: { + email: username, + password: password, + }, + version: 1492, }), - }); + } + ); if (statusCode === 200) { - let response = (yield body.json()); - let unoToken = response.umbrella.accessToken; - telescopeUnoToken = unoToken; - } - else if (statusCode === 403) { - let errorResponse = (yield body.json()); - console.error("Error Logging In:", errorResponse.error.msg); + let response = yield body.json(); + let unoToken = response.umbrella.accessToken; + telescopeUnoToken = unoToken; + } else if (statusCode === 403) { + let errorResponse = yield body.json(); + console.error('Error Logging In:', errorResponse.error.msg); } loggedIn = statusCode == 200; return loggedIn; -}); + }); exports.telescopeLogin = telescopeLogin; const handleLookupType = (platform) => { - return platform === platforms.Uno ? "id" : "gamer"; + return platform === platforms.Uno ? 'id' : 'gamer'; }; const checkForValidPlatform = (platform, gamertag) => { - if (!Object.values(platforms).includes(platform)) - throw new Error(`Platform '${platform}' is not valid.\nTry one of the following:\n${JSON.stringify(Object.values(platforms), null, 2)}`); - if (gamertag && isNaN(Number(gamertag)) && platform === platforms.Uno) - throw new Error(generics.UNO_NO_NUMERICAL_ID); + if (!Object.values(platforms).includes(platform)) + throw new Error( + `Platform '${platform}' is not valid.\nTry one of the following:\n${JSON.stringify( + Object.values(platforms), + null, + 2 + )}` + ); + if (gamertag && isNaN(Number(gamertag)) && platform === platforms.Uno) + throw new Error(generics.UNO_NO_NUMERICAL_ID); }; const mapGamertagToPlatform = (gamertag, platform, steamSupport = false) => { - checkForValidPlatform(platform, gamertag); - const lookupType = handleLookupType(platform); - if (!steamSupport && platform === platforms.Steam) - throw new Error(generics.STEAM_UNSUPPORTED); - if (platform == platforms.Battlenet || - platform == platforms.Activision || - platform == platforms.Uno) - if (gamertag && gamertag.length > 0) - gamertag = cleanClientName(gamertag); - if (platform === platforms.Uno || platform === platforms.Activision) - platform = platforms.Uno; - return { gamertag, _platform: platform, lookupType }; + checkForValidPlatform(platform, gamertag); + const lookupType = handleLookupType(platform); + if (!steamSupport && platform === platforms.Steam) + throw new Error(generics.STEAM_UNSUPPORTED); + if ( + platform == platforms.Battlenet || + platform == platforms.Activision || + platform == platforms.Uno + ) + if (gamertag && gamertag.length > 0) gamertag = cleanClientName(gamertag); + if (platform === platforms.Uno || platform === platforms.Activision) + platform = platforms.Uno; + return { gamertag, _platform: platform, lookupType }; }; class Endpoints { - constructor(game, gamertag, platform, mode, lookupType) { - this.fullData = () => `/stats/cod/v1/title/${this.game}/platform/${this.platform}/${this.lookupType}/${this.gamertag}/profile/type/${this.mode}`; - this.combatHistory = () => `/crm/cod/v2/title/${this.game}/platform/${this.platform}/${this.lookupType}/${this.gamertag}/matches/${this.mode}/start/0/end/0/details`; - this.combatHistoryWithDate = (startTime, endTime) => `/crm/cod/v2/title/${this.game}/platform/${this.platform}/${this.lookupType}/${this.gamertag}/matches/${this.mode}/start/${startTime}/end/${endTime}/details`; - this.breakdown = () => `/crm/cod/v2/title/${this.game}/platform/${this.platform}/${this.lookupType}/${this.gamertag}/matches/${this.mode}/start/0/end/0`; - this.breakdownWithDate = (startTime, endTime) => `/crm/cod/v2/title/${this.game}/platform/${this.platform}/${this.lookupType}/${this.gamertag}/matches/${this.mode}/start/${startTime}/end/${endTime}`; - this.matchInfo = (matchId) => `/crm/cod/v2/title/${this.game}/platform/${this.platform}/fullMatch/${this.mode}/${matchId}/en`; - this.seasonLoot = () => `/loot/title/${this.game}/platform/${this.platform}/${this.lookupType}/${this.gamertag}/status/en`; - this.mapList = () => `/ce/v1/title/${this.game}/platform/${this.platform}/gameType/${this.mode}/communityMapData/availability`; - this.purchasableItems = (gameId) => `/inventory/v1/title/${gameId}/platform/psn/purchasable/public/en`; - this.bundleInformation = (gameId, bundleId) => `/inventory/v1/title/${gameId}/bundle/${bundleId}/en`; - this.battlePassLoot = (season) => `/loot/title/${this.game}/platform/${this.platform}/list/loot_season_${season}/en`; - this.friendFeed = () => `/userfeed/v1/friendFeed/platform/${this.platform}/${this.lookupType}/${this.gamertag}/friendFeedEvents/en`; - this.eventFeed = () => `/userfeed/v1/friendFeed/rendered/en/${baseSsoToken}`; - this.loggedInIdentities = () => `/crm/cod/v2/identities/${baseSsoToken}`; - this.codPoints = () => `/inventory/v1/title/mw/platform/${this.platform}/${this.lookupType}/${this.gamertag}/currency`; - this.connectedAccounts = () => `/crm/cod/v2/accounts/platform/${this.platform}/${this.lookupType}/${this.gamertag}`; - this.settings = () => `/preferences/v1/platform/${this.platform}/${this.lookupType}/${this.gamertag}/list`; - this.friendsList = () => `/codfriends/v1/compendium`; - this.friendAction = (action) => `/codfriends/v1/${action}/${this.platform}/${this.lookupType}/${this.gamertag}`; - this.search = () => `/crm/cod/v2/platform/${this.platform}/username/${this.gamertag}/search`; - this.game = game; - this.gamertag = gamertag; - this.platform = platform; - this.lookupType = lookupType; - this.mode = mode; - } + constructor(game, gamertag, platform, mode, lookupType) { + this.fullData = () => + `/stats/cod/v1/title/${this.game}/platform/${this.platform}/${this.lookupType}/${this.gamertag}/profile/type/${this.mode}`; + this.combatHistory = () => + `/crm/cod/v2/title/${this.game}/platform/${this.platform}/${this.lookupType}/${this.gamertag}/matches/${this.mode}/start/0/end/0/details`; + this.combatHistoryWithDate = (startTime, endTime) => + `/crm/cod/v2/title/${this.game}/platform/${this.platform}/${this.lookupType}/${this.gamertag}/matches/${this.mode}/start/${startTime}/end/${endTime}/details`; + this.breakdown = () => + `/crm/cod/v2/title/${this.game}/platform/${this.platform}/${this.lookupType}/${this.gamertag}/matches/${this.mode}/start/0/end/0`; + this.breakdownWithDate = (startTime, endTime) => + `/crm/cod/v2/title/${this.game}/platform/${this.platform}/${this.lookupType}/${this.gamertag}/matches/${this.mode}/start/${startTime}/end/${endTime}`; + this.matchInfo = (matchId) => + `/crm/cod/v2/title/${this.game}/platform/${this.platform}/fullMatch/${this.mode}/${matchId}/en`; + this.seasonLoot = () => + `/loot/title/${this.game}/platform/${this.platform}/${this.lookupType}/${this.gamertag}/status/en`; + this.mapList = () => + `/ce/v1/title/${this.game}/platform/${this.platform}/gameType/${this.mode}/communityMapData/availability`; + this.purchasableItems = (gameId) => + `/inventory/v1/title/${gameId}/platform/psn/purchasable/public/en`; + this.bundleInformation = (gameId, bundleId) => + `/inventory/v1/title/${gameId}/bundle/${bundleId}/en`; + this.battlePassLoot = (season) => + `/loot/title/${this.game}/platform/${this.platform}/list/loot_season_${season}/en`; + this.friendFeed = () => + `/userfeed/v1/friendFeed/platform/${this.platform}/${this.lookupType}/${this.gamertag}/friendFeedEvents/en`; + this.eventFeed = () => + `/userfeed/v1/friendFeed/rendered/en/${baseSsoToken}`; + this.loggedInIdentities = () => `/crm/cod/v2/identities/${baseSsoToken}`; + this.codPoints = () => + `/inventory/v1/title/mw/platform/${this.platform}/${this.lookupType}/${this.gamertag}/currency`; + this.connectedAccounts = () => + `/crm/cod/v2/accounts/platform/${this.platform}/${this.lookupType}/${this.gamertag}`; + this.settings = () => + `/preferences/v1/platform/${this.platform}/${this.lookupType}/${this.gamertag}/list`; + this.friendsList = () => `/codfriends/v1/compendium`; + this.friendAction = (action) => + `/codfriends/v1/${action}/${this.platform}/${this.lookupType}/${this.gamertag}`; + this.search = () => + `/crm/cod/v2/platform/${this.platform}/username/${this.gamertag}/search`; + this.game = game; + this.gamertag = gamertag; + this.platform = platform; + this.lookupType = lookupType; + this.mode = mode; + } } class TelescopeEndpoints { - constructor(game, unoId, mode) { - this.lifeTime = () => `/cr/v1/title/${this.game}/lifetime?language=english&unoId=${this.unoId}`; - this.matches = () => `/cr/v1/title/${this.game}/matches?language=english&unoId=${this.unoId}`; - this.match = (matchId) => `/cr/v1/title/${this.game}/match/${matchId}?language=english&unoId=${this.unoId}`; - this.game = game; - this.unoId = unoId; - this.mode = mode; - } + constructor(game, unoId, mode) { + this.lifeTime = () => + `/cr/v1/title/${this.game}/lifetime?language=english&unoId=${this.unoId}`; + this.matches = () => + `/cr/v1/title/${this.game}/matches?language=english&unoId=${this.unoId}`; + this.match = (matchId) => + `/cr/v1/title/${this.game}/match/${matchId}?language=english&unoId=${this.unoId}`; + this.game = game; + this.unoId = unoId; + this.mode = mode; + } } class WZ { - constructor() { - this.fullData = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ModernWarfare, gamertag, platform, modes.Warzone, lookupType); - return yield sendRequest(endpoint.fullData()); - }); }; - this.combatHistory = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ModernWarfare, gamertag, platform, modes.Warzone, lookupType); - return yield sendRequest(endpoint.combatHistory()); - }); }; - this.combatHistoryWithDate = (gamertag, startTime, endTime, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ModernWarfare, gamertag, platform, modes.Warzone, lookupType); - return yield sendRequest(endpoint.combatHistoryWithDate(startTime, endTime)); - }); }; - this.breakdown = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ModernWarfare, gamertag, platform, modes.Warzone, lookupType); - return yield sendRequest(endpoint.breakdown()); - }); }; - this.breakdownWithDate = (gamertag, startTime, endTime, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ModernWarfare, gamertag, platform, modes.Warzone, lookupType); - return yield sendRequest(endpoint.breakdownWithDate(startTime, endTime)); - }); }; - this.matchInfo = (matchId, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform("", platform)); - const endpoint = new Endpoints(games.ModernWarfare, gamertag, platform, modes.Warzone, lookupType); - return yield sendRequest(endpoint.matchInfo(matchId)); - }); }; - this.cleanGameMode = (mode) => tslib_1.__awaiter(this, void 0, void 0, function* () { - //@ts-ignore - const foundMode = game_modes_json_1.default["modes"][mode]; - if (!foundMode) - return mode; - return foundMode; - }); - } + constructor() { + this.fullData = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ModernWarfare, + gamertag, + platform, + modes.Warzone, + lookupType + ); + return yield sendRequest(endpoint.fullData()); + }); + }; + this.combatHistory = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ModernWarfare, + gamertag, + platform, + modes.Warzone, + lookupType + ); + return yield sendRequest(endpoint.combatHistory()); + }); + }; + this.combatHistoryWithDate = (gamertag, startTime, endTime, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ModernWarfare, + gamertag, + platform, + modes.Warzone, + lookupType + ); + return yield sendRequest( + endpoint.combatHistoryWithDate(startTime, endTime) + ); + }); + }; + this.breakdown = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ModernWarfare, + gamertag, + platform, + modes.Warzone, + lookupType + ); + return yield sendRequest(endpoint.breakdown()); + }); + }; + this.breakdownWithDate = (gamertag, startTime, endTime, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ModernWarfare, + gamertag, + platform, + modes.Warzone, + lookupType + ); + return yield sendRequest( + endpoint.breakdownWithDate(startTime, endTime) + ); + }); + }; + this.matchInfo = (matchId, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform('', platform)); + const endpoint = new Endpoints( + games.ModernWarfare, + gamertag, + platform, + modes.Warzone, + lookupType + ); + return yield sendRequest(endpoint.matchInfo(matchId)); + }); + }; + this.cleanGameMode = (mode) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + //@ts-ignore + const foundMode = game_modes_json_1.default['modes'][mode]; + if (!foundMode) return mode; + return foundMode; + }); + } } class MW { - constructor() { - this.fullData = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ModernWarfare, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.fullData()); - }); }; - this.combatHistory = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ModernWarfare, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.combatHistory()); - }); }; - this.combatHistoryWithDate = (gamertag, startTime, endTime, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ModernWarfare, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.combatHistoryWithDate(startTime, endTime)); - }); }; - this.breakdown = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ModernWarfare, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.breakdown()); - }); }; - this.breakdownWithDate = (gamertag, startTime, endTime, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ModernWarfare, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.breakdownWithDate(startTime, endTime)); - }); }; - this.matchInfo = (matchId, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform("", platform)); - const endpoint = new Endpoints(games.ModernWarfare, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.matchInfo(matchId)); - }); }; - this.seasonloot = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ModernWarfare, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.seasonLoot()); - }); }; - this.mapList = (platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform("", platform)); - const endpoint = new Endpoints(games.ModernWarfare, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.mapList()); - }); }; - } + constructor() { + this.fullData = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ModernWarfare, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.fullData()); + }); + }; + this.combatHistory = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ModernWarfare, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.combatHistory()); + }); + }; + this.combatHistoryWithDate = (gamertag, startTime, endTime, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ModernWarfare, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest( + endpoint.combatHistoryWithDate(startTime, endTime) + ); + }); + }; + this.breakdown = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ModernWarfare, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.breakdown()); + }); + }; + this.breakdownWithDate = (gamertag, startTime, endTime, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ModernWarfare, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest( + endpoint.breakdownWithDate(startTime, endTime) + ); + }); + }; + this.matchInfo = (matchId, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform('', platform)); + const endpoint = new Endpoints( + games.ModernWarfare, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.matchInfo(matchId)); + }); + }; + this.seasonloot = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ModernWarfare, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.seasonLoot()); + }); + }; + this.mapList = (platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform('', platform)); + const endpoint = new Endpoints( + games.ModernWarfare, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.mapList()); + }); + }; + } } class MW2 { - constructor() { - this.fullData = (unoId) => tslib_1.__awaiter(this, void 0, void 0, function* () { - var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); - const endpoint = new TelescopeEndpoints(telescopeGames.ModernWarfare2, gamertag, telescopeModes.Multiplayer); - return yield sendTelescopeRequest(endpoint.lifeTime()); - }); - this.matches = (unoId) => tslib_1.__awaiter(this, void 0, void 0, function* () { - var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); - const endpoint = new TelescopeEndpoints(telescopeGames.ModernWarfare2, gamertag, telescopeModes.Multiplayer); - return yield sendTelescopeRequest(endpoint.matches()); - }); - this.matchInfo = (unoId, matchId) => tslib_1.__awaiter(this, void 0, void 0, function* () { - var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); - const endpoint = new TelescopeEndpoints(telescopeGames.ModernWarfare2, gamertag, telescopeModes.Multiplayer); - return yield sendTelescopeRequest(endpoint.match(matchId)); - }); - } + constructor() { + this.fullData = (unoId) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); + const endpoint = new TelescopeEndpoints( + telescopeGames.ModernWarfare2, + gamertag, + telescopeModes.Multiplayer + ); + return yield sendTelescopeRequest(endpoint.lifeTime()); + }); + this.matches = (unoId) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); + const endpoint = new TelescopeEndpoints( + telescopeGames.ModernWarfare2, + gamertag, + telescopeModes.Multiplayer + ); + return yield sendTelescopeRequest(endpoint.matches()); + }); + this.matchInfo = (unoId, matchId) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); + const endpoint = new TelescopeEndpoints( + telescopeGames.ModernWarfare2, + gamertag, + telescopeModes.Multiplayer + ); + return yield sendTelescopeRequest(endpoint.match(matchId)); + }); + } } class WZ2 { - constructor() { - this.fullData = (unoId) => tslib_1.__awaiter(this, void 0, void 0, function* () { - var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); - const endpoint = new TelescopeEndpoints(telescopeGames.Warzone2, gamertag, telescopeModes.Multiplayer); - return yield sendTelescopeRequest(endpoint.lifeTime()); - }); - this.matches = (unoId) => tslib_1.__awaiter(this, void 0, void 0, function* () { - var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); - const endpoint = new TelescopeEndpoints(telescopeGames.Warzone2, gamertag, telescopeModes.Multiplayer); - return yield sendTelescopeRequest(endpoint.matches()); - }); - this.matchInfo = (unoId, matchId) => tslib_1.__awaiter(this, void 0, void 0, function* () { - var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); - const endpoint = new TelescopeEndpoints(telescopeGames.Warzone2, gamertag, telescopeModes.Multiplayer); - return yield sendTelescopeRequest(endpoint.match(matchId)); - }); - } + constructor() { + this.fullData = (unoId) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); + const endpoint = new TelescopeEndpoints( + telescopeGames.Warzone2, + gamertag, + telescopeModes.Multiplayer + ); + return yield sendTelescopeRequest(endpoint.lifeTime()); + }); + this.matches = (unoId) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); + const endpoint = new TelescopeEndpoints( + telescopeGames.Warzone2, + gamertag, + telescopeModes.Multiplayer + ); + return yield sendTelescopeRequest(endpoint.matches()); + }); + this.matchInfo = (unoId, matchId) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); + const endpoint = new TelescopeEndpoints( + telescopeGames.Warzone2, + gamertag, + telescopeModes.Multiplayer + ); + return yield sendTelescopeRequest(endpoint.match(matchId)); + }); + } } class MW3 { - constructor() { - this.fullData = (unoId) => tslib_1.__awaiter(this, void 0, void 0, function* () { - var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); - const endpoint = new TelescopeEndpoints(telescopeGames.ModernWarfare3, gamertag, telescopeModes.Multiplayer); - return yield sendTelescopeRequest(endpoint.lifeTime()); - }); - this.matches = (unoId) => tslib_1.__awaiter(this, void 0, void 0, function* () { - var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); - const endpoint = new TelescopeEndpoints(telescopeGames.ModernWarfare3, gamertag, telescopeModes.Multiplayer); - return yield sendTelescopeRequest(endpoint.matches()); - }); - this.matchInfo = (unoId, matchId) => tslib_1.__awaiter(this, void 0, void 0, function* () { - var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); - const endpoint = new TelescopeEndpoints(telescopeGames.ModernWarfare3, gamertag, telescopeModes.Multiplayer); - return yield sendTelescopeRequest(endpoint.match(matchId)); - }); - } + constructor() { + this.fullData = (unoId) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); + const endpoint = new TelescopeEndpoints( + telescopeGames.ModernWarfare3, + gamertag, + telescopeModes.Multiplayer + ); + return yield sendTelescopeRequest(endpoint.lifeTime()); + }); + this.matches = (unoId) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); + const endpoint = new TelescopeEndpoints( + telescopeGames.ModernWarfare3, + gamertag, + telescopeModes.Multiplayer + ); + return yield sendTelescopeRequest(endpoint.matches()); + }); + this.matchInfo = (unoId, matchId) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); + const endpoint = new TelescopeEndpoints( + telescopeGames.ModernWarfare3, + gamertag, + telescopeModes.Multiplayer + ); + return yield sendTelescopeRequest(endpoint.match(matchId)); + }); + } } class WZM { - constructor() { - this.fullData = (unoId) => tslib_1.__awaiter(this, void 0, void 0, function* () { - var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); - const endpoint = new TelescopeEndpoints(telescopeGames.Mobile, gamertag, telescopeModes.Multiplayer); - return yield sendTelescopeRequest(endpoint.lifeTime()); - }); - this.matches = (unoId) => tslib_1.__awaiter(this, void 0, void 0, function* () { - var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); - const endpoint = new TelescopeEndpoints(telescopeGames.Mobile, gamertag, telescopeModes.Multiplayer); - return yield sendTelescopeRequest(endpoint.matches()); - }); - this.matchInfo = (unoId, matchId) => tslib_1.__awaiter(this, void 0, void 0, function* () { - var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); - const endpoint = new TelescopeEndpoints(telescopeGames.Mobile, gamertag, telescopeModes.Multiplayer); - return yield sendTelescopeRequest(endpoint.match(matchId)); - }); - } + constructor() { + this.fullData = (unoId) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); + const endpoint = new TelescopeEndpoints( + telescopeGames.Mobile, + gamertag, + telescopeModes.Multiplayer + ); + return yield sendTelescopeRequest(endpoint.lifeTime()); + }); + this.matches = (unoId) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); + const endpoint = new TelescopeEndpoints( + telescopeGames.Mobile, + gamertag, + telescopeModes.Multiplayer + ); + return yield sendTelescopeRequest(endpoint.matches()); + }); + this.matchInfo = (unoId, matchId) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + var { gamertag } = mapGamertagToPlatform(unoId, platforms.Uno, true); + const endpoint = new TelescopeEndpoints( + telescopeGames.Mobile, + gamertag, + telescopeModes.Multiplayer + ); + return yield sendTelescopeRequest(endpoint.match(matchId)); + }); + } } class CW { - constructor() { - this.fullData = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ColdWar, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.fullData()); - }); }; - this.combatHistory = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ColdWar, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.combatHistory()); - }); }; - this.combatHistoryWithDate = (gamertag, startTime, endTime, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ColdWar, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.combatHistoryWithDate(startTime, endTime)); - }); }; - this.breakdown = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ColdWar, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.breakdown()); - }); }; - this.breakdownWithDate = (gamertag, startTime, endTime, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ColdWar, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.breakdownWithDate(startTime, endTime)); - }); }; - this.seasonloot = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.ColdWar, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.seasonLoot()); - }); }; - this.mapList = (platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform("", platform)); - const endpoint = new Endpoints(games.ColdWar, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.mapList()); - }); }; - this.matchInfo = (matchId, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform("", platform)); - const endpoint = new Endpoints(games.ColdWar, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.matchInfo(matchId)); - }); }; - } + constructor() { + this.fullData = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ColdWar, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.fullData()); + }); + }; + this.combatHistory = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ColdWar, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.combatHistory()); + }); + }; + this.combatHistoryWithDate = (gamertag, startTime, endTime, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ColdWar, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest( + endpoint.combatHistoryWithDate(startTime, endTime) + ); + }); + }; + this.breakdown = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ColdWar, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.breakdown()); + }); + }; + this.breakdownWithDate = (gamertag, startTime, endTime, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ColdWar, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest( + endpoint.breakdownWithDate(startTime, endTime) + ); + }); + }; + this.seasonloot = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.ColdWar, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.seasonLoot()); + }); + }; + this.mapList = (platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform('', platform)); + const endpoint = new Endpoints( + games.ColdWar, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.mapList()); + }); + }; + this.matchInfo = (matchId, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform('', platform)); + const endpoint = new Endpoints( + games.ColdWar, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.matchInfo(matchId)); + }); + }; + } } class VG { - constructor() { - this.fullData = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.Vanguard, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.fullData()); - }); }; - this.combatHistory = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.Vanguard, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.combatHistory()); - }); }; - this.combatHistoryWithDate = (gamertag, startTime, endTime, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.Vanguard, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.combatHistoryWithDate(startTime, endTime)); - }); }; - this.breakdown = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.Vanguard, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.breakdown()); - }); }; - this.breakdownWithDate = (gamertag, startTime, endTime, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.Vanguard, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.breakdownWithDate(startTime, endTime)); - }); }; - this.seasonloot = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.Vanguard, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.seasonLoot()); - }); }; - this.mapList = (platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform("", platform)); - const endpoint = new Endpoints(games.Vanguard, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.mapList()); - }); }; - this.matchInfo = (matchId, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform("", platform)); - const endpoint = new Endpoints(games.Vanguard, gamertag, platform, modes.Multiplayer, lookupType); - return yield sendRequest(endpoint.matchInfo(matchId)); - }); }; - } + constructor() { + this.fullData = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.Vanguard, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.fullData()); + }); + }; + this.combatHistory = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.Vanguard, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.combatHistory()); + }); + }; + this.combatHistoryWithDate = (gamertag, startTime, endTime, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.Vanguard, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest( + endpoint.combatHistoryWithDate(startTime, endTime) + ); + }); + }; + this.breakdown = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.Vanguard, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.breakdown()); + }); + }; + this.breakdownWithDate = (gamertag, startTime, endTime, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.Vanguard, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest( + endpoint.breakdownWithDate(startTime, endTime) + ); + }); + }; + this.seasonloot = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.Vanguard, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.seasonLoot()); + }); + }; + this.mapList = (platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform('', platform)); + const endpoint = new Endpoints( + games.Vanguard, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.mapList()); + }); + }; + this.matchInfo = (matchId, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform('', platform)); + const endpoint = new Endpoints( + games.Vanguard, + gamertag, + platform, + modes.Multiplayer, + lookupType + ); + return yield sendRequest(endpoint.matchInfo(matchId)); + }); + }; + } } class SHOP { - constructor() { - this.purchasableItems = (gameId) => tslib_1.__awaiter(this, void 0, void 0, function* () { - const endpoint = new Endpoints(games.NULL, "", platforms.NULL, modes.NULL, ""); - return yield sendRequest(endpoint.purchasableItems(gameId)); - }); - this.bundleInformation = (title, bundleId) => tslib_1.__awaiter(this, void 0, void 0, function* () { - const endpoint = new Endpoints(games.NULL, "", platforms.NULL, modes.NULL, ""); - return yield sendRequest(endpoint.bundleInformation(title, bundleId)); - }); - this.battlePassLoot = (title, season, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform("", platform)); - const endpoint = new Endpoints(title, gamertag, platform, modes.NULL, lookupType); - return yield sendRequest(endpoint.battlePassLoot(season)); - }); }; - } + constructor() { + this.purchasableItems = (gameId) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + const endpoint = new Endpoints( + games.NULL, + '', + platforms.NULL, + modes.NULL, + '' + ); + return yield sendRequest(endpoint.purchasableItems(gameId)); + }); + this.bundleInformation = (title, bundleId) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + const endpoint = new Endpoints( + games.NULL, + '', + platforms.NULL, + modes.NULL, + '' + ); + return yield sendRequest(endpoint.bundleInformation(title, bundleId)); + }); + this.battlePassLoot = (title, season, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform('', platform)); + const endpoint = new Endpoints( + title, + gamertag, + platform, + modes.NULL, + lookupType + ); + return yield sendRequest(endpoint.battlePassLoot(season)); + }); + }; + } } class USER { - constructor() { - this.friendFeed = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.NULL, gamertag, platform, modes.NULL, lookupType); - return yield sendRequest(endpoint.friendFeed()); - }); }; - this.eventFeed = () => tslib_1.__awaiter(this, void 0, void 0, function* () { - const endpoint = new Endpoints(games.NULL, "", platforms.NULL, modes.NULL, ""); - return yield sendRequest(endpoint.eventFeed()); - }); - this.loggedInIdentities = () => tslib_1.__awaiter(this, void 0, void 0, function* () { - const endpoint = new Endpoints(games.NULL, "", platforms.NULL, modes.NULL, ""); - return yield sendRequest(endpoint.loggedInIdentities()); - }); - this.codPoints = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.NULL, gamertag, platform, modes.NULL, lookupType); - return yield sendRequest(endpoint.codPoints()); - }); }; - this.connectedAccounts = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.NULL, gamertag, platform, modes.NULL, lookupType); - return yield sendRequest(endpoint.connectedAccounts()); - }); }; - this.settings = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.NULL, gamertag, platform, modes.NULL, lookupType); - return yield sendRequest(endpoint.settings()); - }); }; - this.friendsList = () => tslib_1.__awaiter(this, void 0, void 0, function* () { - const endpoint = new Endpoints(games.NULL, "", platforms.NULL, modes.NULL, ""); - return yield sendRequest(endpoint.friendsList()); - }); - this.friendAction = (gamertag, platform, action) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform)); - const endpoint = new Endpoints(games.NULL, gamertag, platform, modes.NULL, lookupType); - return yield sendPostRequest(endpoint.friendAction(action), "{}"); - }); }; - } + constructor() { + this.friendFeed = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.NULL, + gamertag, + platform, + modes.NULL, + lookupType + ); + return yield sendRequest(endpoint.friendFeed()); + }); + }; + this.eventFeed = () => + tslib_1.__awaiter(this, void 0, void 0, function* () { + const endpoint = new Endpoints( + games.NULL, + '', + platforms.NULL, + modes.NULL, + '' + ); + return yield sendRequest(endpoint.eventFeed()); + }); + this.loggedInIdentities = () => + tslib_1.__awaiter(this, void 0, void 0, function* () { + const endpoint = new Endpoints( + games.NULL, + '', + platforms.NULL, + modes.NULL, + '' + ); + return yield sendRequest(endpoint.loggedInIdentities()); + }); + this.codPoints = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.NULL, + gamertag, + platform, + modes.NULL, + lookupType + ); + return yield sendRequest(endpoint.codPoints()); + }); + }; + this.connectedAccounts = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.NULL, + gamertag, + platform, + modes.NULL, + lookupType + ); + return yield sendRequest(endpoint.connectedAccounts()); + }); + }; + this.settings = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.NULL, + gamertag, + platform, + modes.NULL, + lookupType + ); + return yield sendRequest(endpoint.settings()); + }); + }; + this.friendsList = () => + tslib_1.__awaiter(this, void 0, void 0, function* () { + const endpoint = new Endpoints( + games.NULL, + '', + platforms.NULL, + modes.NULL, + '' + ); + return yield sendRequest(endpoint.friendsList()); + }); + this.friendAction = (gamertag, platform, action) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform)); + const endpoint = new Endpoints( + games.NULL, + gamertag, + platform, + modes.NULL, + lookupType + ); + return yield sendPostRequest(endpoint.friendAction(action), '{}'); + }); + }; + } } class ALT { - constructor() { - this.search = (gamertag, platform) => { var gamertag, platform, lookupType; return tslib_1.__awaiter(this, void 0, void 0, function* () { - ({ - gamertag, - _platform: platform, - lookupType - } = mapGamertagToPlatform(gamertag, platform, true)); - const endpoint = new Endpoints(games.NULL, gamertag, platform, modes.NULL, lookupType); - return yield sendRequest(endpoint.search()); - }); }; - this.cleanWeapon = (weapon) => tslib_1.__awaiter(this, void 0, void 0, function* () { - //@ts-ignore - const foundWeapon = weapon_ids_json_1.default["All Weapons"][weapon]; - if (!foundWeapon) - return weapon; - return foundWeapon; - }); - } + constructor() { + this.search = (gamertag, platform) => { + var gamertag, platform, lookupType; + return tslib_1.__awaiter(this, void 0, void 0, function* () { + ({ + gamertag, + _platform: platform, + lookupType, + } = mapGamertagToPlatform(gamertag, platform, true)); + const endpoint = new Endpoints( + games.NULL, + gamertag, + platform, + modes.NULL, + lookupType + ); + return yield sendRequest(endpoint.search()); + }); + }; + this.cleanWeapon = (weapon) => + tslib_1.__awaiter(this, void 0, void 0, function* () { + //@ts-ignore + const foundWeapon = weapon_ids_json_1.default['All Weapons'][weapon]; + if (!foundWeapon) return weapon; + return foundWeapon; + }); + } } const Warzone = new WZ(); exports.Warzone = Warzone; diff --git a/src/js/index.js.map b/src/js/index.js.map index 6e5ad99..fb7ccfb 100644 --- a/src/js/index.js.map +++ b/src/js/index.js.map @@ -1 +1,10 @@ -{"version":3,"file":"index.js","sourceRoot":"","sources":["../src/index.ts"],"names":[],"mappings":";;;;AACA,mCAAiC;AACjC,wFAAuD;AACvD,wFAAmD;AAEnD,MAAM,SAAS,GACb,qHAAqH,CAAC;AACxH,IAAI,UAAU,GAAW,iDAAiD,CAAC;AAC3E,IAAI,YAAY,GAAW,EAAE,CAAC;AAC9B,IAAI,SAAS,GAAG,KAAK,CAAC;AAYtB,IAAI,WAAW,GAAkB;IAC/B,cAAc,EAAE,kBAAkB;IAClC,MAAM,EAAE,UAAU;IAClB,YAAY,EAAE,SAAS;CACxB,CAAC;AAEF,IAAI,oBAAoB,GAAkB;IACxC,MAAM,EAAE,mCAAmC;IAC3C,iBAAiB,EAAE,uDAAuD;IAC1E,eAAe,EAAE,UAAU;IAC3B,MAAM,EAAE,UAAU;IAClB,WAAW,EACT,oEAAoE;IACtE,kBAAkB,EAAE,IAAI;IACxB,oBAAoB,EAAE,WAAW;IACjC,gBAAgB,EAAE,OAAO;IACzB,gBAAgB,EAAE,MAAM;IACxB,gBAAgB,EAAE,WAAW;CAC9B,CAAC;AAEF,IAAI,eAAe,GAAkB;IACnC,cAAc,EAAE,YAAY;IAC5B,MAAM,EAAE,UAAU;IAClB,YAAY,EAAE,SAAS;CACxB,CAAC;AAEF,IAAI,OAAO,GAAW,2BAA2B,CAAC;AAClD,IAAI,OAAO,GAAW,kBAAkB,CAAC;AACzC,IAAI,gBAAgB,GAAW,kCAAkC,CAAC;AAClE,IAAI,gBAAgB,GAAW,aAAa,CAAC;AAC7C,IAAI,QAAQ,GAAY,KAAK,CAAC;AAE9B,IAAK,SAUJ;AAVD,WAAK,SAAS;IACZ,wBAAW,CAAA;IACX,gCAAmB,CAAA;IACnB,iCAAoB,CAAA;IACpB,wBAAW,CAAA;IACX,4BAAe,CAAA;IACf,wBAAW,CAAA;IACX,yBAAY,CAAA;IACZ,wBAAW,CAAA;IACX,uBAAU,CAAA;AACZ,CAAC,EAVI,SAAS,KAAT,SAAS,QAUb;AA+rCC,8BAAS;AA7rCX,IAAK,KAMJ;AAND,WAAK,KAAK;IACR,6BAAoB,CAAA;IACpB,+BAAsB,CAAA;IACtB,wBAAe,CAAA;IACf,uBAAc,CAAA;IACd,mBAAU,CAAA;AACZ,CAAC,EANI,KAAK,KAAL,KAAK,QAMT;AAED,IAAK,cAKJ;AALD,WAAK,cAAc;IACjB,wCAAsB,CAAA;IACtB,kCAAgB,CAAA;IAChB,wCAAsB,CAAA;IACtB,gCAAc,CAAA;AAChB,CAAC,EALI,cAAc,KAAd,cAAc,QAKlB;AAED,IAAK,KAKJ;AALD,WAAK,KAAK;IACR,2BAAkB,CAAA;IAClB,uBAAc,CAAA;IACd,yBAAgB,CAAA;IAChB,mBAAU,CAAA;AACZ,CAAC,EALI,KAAK,KAAL,KAAK,QAKT;AAED,IAAK,cAGJ;AAHD,WAAK,cAAc;IACjB,oCAAkB,CAAA;IAClB,iCAAe,CAAA;AACjB,CAAC,EAHI,cAAc,KAAd,cAAc,QAGlB;AAED,IAAK,aAMJ;AAND,WAAK,aAAa;IAChB,kCAAiB,CAAA;IACjB,sCAAqB,CAAA;IACrB,kCAAiB,CAAA;IACjB,gCAAe,CAAA;IACf,oCAAmB,CAAA;AACrB,CAAC,EANI,aAAa,KAAb,aAAa,QAMjB;AA6pCC,sCAAa;AA3pCf,IAAK,QAGJ;AAHD,WAAK,QAAQ;IACX,kGAAsF,CAAA;IACtF,0JAA8I,CAAA;AAChJ,CAAC,EAHI,QAAQ,KAAR,QAAQ,QAGZ;AAoBD,IAAI,iBAAiB,GAAG,EAAE,CAAC;AAE3B,MAAM,eAAe,GAAG,GAAG,EAAE,CAAC,CAAC,SAAS,GAAG,IAAI,CAAC,CAAC;AA8oC/C,0CAAe;AA5oCjB,MAAM,gBAAgB,GAAG,GAAG,EAAE,CAAC,CAAC,SAAS,GAAG,KAAK,CAAC,CAAC;AA6oCjD,4CAAgB;AA3oClB,MAAM,oBAAoB,GAAG,CAAO,GAAW,EAAE,EAAE;IACjD,IAAI;QACF,IAAI,CAAC,QAAQ;YAAE,MAAM,IAAI,KAAK,CAAC,gBAAgB,CAAC,CAAC;QACjD,IAAI,UAAU,GAAG,GAAG,gBAAgB,GAAG,gBAAgB,GAAG,GAAG,EAAE,CAAC;QAChE,IAAI,SAAS;YAAE,OAAO,CAAC,GAAG,CAAC,SAAS,EAAE,gBAAgB,UAAU,EAAE,CAAC,CAAC;QACpE,oBAAoB,CAAC,aAAa,GAAG,UAAU,iBAAiB,EAAE,CAAC;QACnE,MAAM,EAAE,IAAI,EAAE,UAAU,EAAE,GAAG,MAAM,IAAA,gBAAO,EAAC,UAAU,EAAE;YACrD,OAAO,EAAE,oBAAoB;SAC9B,CAAC,CAAC;QAEH,IAAI,UAAU,IAAI,GAAG;YACnB,MAAM,IAAI,KAAK,CACb,0BAA0B,UAAU,oCAAoC,CACzE,CAAC;QAEJ,IAAI,QAAQ,GAAG,MAAM,IAAI,CAAC,IAAI,EAAE,CAAC;QAEjC,OAAO,QAAQ,CAAC;KACjB;IAAC,OAAO,SAAkB,EAAE;QAC3B,MAAM,SAAS,CAAC;KACjB;AACH,CAAC,CAAA,CAAC;AAEF,MAAM,WAAW,GAAG,CAAO,GAAW,EAAE,EAAE;IACxC,IAAI;QACF,IAAI,CAAC,QAAQ;YAAE,MAAM,IAAI,KAAK,CAAC,gBAAgB,CAAC,CAAC;QACjD,IAAI,UAAU,GAAG,GAAG,OAAO,GAAG,OAAO,GAAG,GAAG,EAAE,CAAC;QAE9C,IAAI,SAAS;YAAE,OAAO,CAAC,GAAG,CAAC,SAAS,EAAE,gBAAgB,UAAU,EAAE,CAAC,CAAC;QACpE,IAAI,SAAS;YAAE,OAAO,CAAC,IAAI,CAAC,YAAY,CAAC,CAAC;QAE1C,MAAM,EAAE,IAAI,EAAE,UAAU,EAAE,GAAG,MAAM,IAAA,gBAAO,EAAC,UAAU,EAAE;YACrD,OAAO,EAAE,WAAW;SACrB,CAAC,CAAC;QAEH,IAAI,SAAS;YAAE,OAAO,CAAC,OAAO,CAAC,YAAY,CAAC,CAAC;QAE7C,IAAI,UAAU,IAAI,GAAG;YACnB,MAAM,IAAI,KAAK,CACb,0BAA0B,UAAU,oCAAoC,CACzE,CAAC;QAEJ,IAAI,QAAQ,GAAG,MAAM,IAAI,CAAC,IAAI,EAAE,CAAC;QAEjC,IAAI,SAAS;YACX,OAAO,CAAC,GAAG,CACT,SAAS,EACT,cAAc,IAAI,CAAC,SAAS,CAAC,QAAQ,CAAC,CAAC,MAAM,SAAS,CACvD,CAAC;QAEJ,OAAO,QAAQ,CAAC;KACjB;IAAC,OAAO,SAAkB,EAAE;QAC3B,MAAM,SAAS,CAAC;KACjB;AACH,CAAC,CAAA,CAAC;AAEF,MAAM,eAAe,GAAG,CAAO,GAAW,EAAE,IAAY,EAAE,EAAE;IAC1D,IAAI;QACF,IAAI,CAAC,QAAQ;YAAE,MAAM,IAAI,KAAK,CAAC,gBAAgB,CAAC,CAAC;QACjD,IAAI,UAAU,GAAG,GAAG,OAAO,GAAG,OAAO,GAAG,GAAG,EAAE,CAAC;QAC9C,MAAM,EAAE,IAAI,EAAE,UAAU,EAAE,GAAG,MAAM,IAAA,gBAAO,EAAC,UAAU,EAAE;YACrD,MAAM,EAAE,MAAM;YACd,OAAO,EAAE,eAAe;YACxB,IAAI,EAAE,IAAI;SACX,CAAC,CAAC;QAEH,IAAI,UAAU,IAAI,GAAG;YACnB,MAAM,IAAI,KAAK,CACb,0BAA0B,UAAU,oCAAoC,CACzE,CAAC;QAEJ,IAAI,QAAQ,GAAG,MAAM,IAAI,CAAC,IAAI,EAAE,CAAC;QAEjC,OAAO,QAAQ,CAAC;KACjB;IAAC,OAAO,SAAkB,EAAE;QAC3B,MAAM,SAAS,CAAC;KACjB;AACH,CAAC,CAAA,CAAC;AAEF,MAAM,eAAe,GAAG,CAAC,QAAgB,EAAU,EAAE;IACnD,OAAO,kBAAkB,CAAC,QAAQ,CAAC,CAAC;AACtC,CAAC,CAAC;AAEF,MAAM,KAAK,GAAG,CAAC,QAAgB,EAAW,EAAE;IAC1C,IAAI,CAAC,QAAQ,IAAI,QAAQ,CAAC,IAAI,EAAE,CAAC,MAAM,IAAI,CAAC;QAAE,OAAO,KAAK,CAAC;IAC3D,IAAI,QAAQ,GAAG,sCAAsC,CAAC;IACtD,WAAW,CAAC,cAAc,CAAC,GAAG,QAAQ,CAAC;IACvC,WAAW,CAAC,cAAc,CAAC,GAAG,QAAQ,CAAC;IACvC,WAAW,CAAC,WAAW,CAAC,GAAG,QAAQ,CAAC;IACpC,WAAW,CAAC,gBAAgB,CAAC,GAAG,QAAQ,CAAC;IACzC,WAAW,CAAC,MAAM,CAAC,GAAG,QAAQ,CAAC;IAC/B,WAAW,CACT,QAAQ,CACT,GAAG,GAAG,UAAU,kBAAkB,QAAQ,eAAe,QAAQ,mBAAmB,QAAQ,0LAA0L,CAAC;IACxR,YAAY,GAAG,QAAQ,CAAC;IACxB,eAAe,CAAC,cAAc,CAAC,GAAG,QAAQ,CAAC;IAC3C,eAAe,CAAC,cAAc,CAAC,GAAG,QAAQ,CAAC;IAC3C,eAAe,CAAC,WAAW,CAAC,GAAG,QAAQ,CAAC;IACxC,eAAe,CAAC,gBAAgB,CAAC,GAAG,QAAQ,CAAC;IAC7C,eAAe,CAAC,MAAM,CAAC,GAAG,QAAQ,CAAC;IACnC,eAAe,CACb,QAAQ,CACT,GAAG,GAAG,UAAU,kBAAkB,QAAQ,eAAe,QAAQ,mBAAmB,QAAQ,0LAA0L,CAAC;IACxR,QAAQ,GAAG,IAAI,CAAC;IAChB,OAAO,QAAQ,CAAC;AAClB,CAAC,CAAC;AAkhCA,sBAAK;AAhhCP,MAAM,wBAAwB,GAC5B,oGAAoG,CAAC;AACvG,MAAM,cAAc,GAAG,CACrB,QAAgB,EAChB,QAAgB,EACE,EAAE;IACpB,IAAI,CAAC,QAAQ,IAAI,CAAC,QAAQ;QAAE,OAAO,KAAK,CAAC;IACzC,MAAM,EAAE,IAAI,EAAE,UAAU,EAAE,GAAG,MAAM,IAAA,gBAAO,EAAC,wBAAwB,EAAE;QACnE,MAAM,EAAE,MAAM;QACd,OAAO,EAAE,WAAW;QACpB,IAAI,EAAE,IAAI,CAAC,SAAS,CAAC;YACnB,QAAQ,EAAE,KAAK;YACf,YAAY,EAAE,KAAK;YACnB,IAAI,EAAE;gBACJ,KAAK,EAAE,QAAQ;gBACf,QAAQ,EAAE,QAAQ;aACnB;YACD,OAAO,EAAE,IAAI;SACd,CAAC;KACH,CAAC,CAAC;IAEH,IAAI,UAAU,KAAK,GAAG,EAAE;QACtB,IAAI,QAAQ,GACV,CAAC,MAAM,IAAI,CAAC,IAAI,EAAE,CAA2B,CAAC;QAChD,IAAI,QAAQ,GAAG,QAAQ,CAAC,QAAQ,CAAC,WAAW,CAAC;QAC7C,iBAAiB,GAAG,QAAQ,CAAC;KAC9B;SAAM,IAAI,UAAU,KAAK,GAAG,EAAE;QAC7B,IAAI,aAAa,GACf,CAAC,MAAM,IAAI,CAAC,IAAI,EAAE,CAAgC,CAAC;QACrD,OAAO,CAAC,KAAK,CAAC,mBAAmB,EAAE,aAAa,CAAC,KAAK,CAAC,GAAG,CAAC,CAAC;KAC7D;IACD,QAAQ,GAAG,UAAU,IAAI,GAAG,CAAC;IAC7B,OAAO,QAAQ,CAAC;AAClB,CAAC,CAAA,CAAC;AAg/BA,wCAAc;AA9+BhB,MAAM,gBAAgB,GAAG,CAAC,QAAmB,EAAE,EAAE;IAC/C,OAAO,QAAQ,KAAK,SAAS,CAAC,GAAG,CAAC,CAAC,CAAC,IAAI,CAAC,CAAC,CAAC,OAAO,CAAC;AACrD,CAAC,CAAC;AAEF,MAAM,qBAAqB,GAAG,CAAC,QAAmB,EAAE,QAAiB,EAAE,EAAE;IACvE,IAAI,CAAC,MAAM,CAAC,MAAM,CAAC,SAAS,CAAC,CAAC,QAAQ,CAAC,QAAgC,CAAC;QACtE,MAAM,IAAI,KAAK,CACb,aAAa,QAAQ,+CAA+C,IAAI,CAAC,SAAS,CAChF,MAAM,CAAC,MAAM,CAAC,SAAS,CAAC,EACxB,IAAI,EACJ,CAAC,CACF,EAAE,CACJ,CAAC;IAEJ,IAAI,QAAQ,IAAI,KAAK,CAAC,MAAM,CAAC,QAAQ,CAAC,CAAC,IAAI,QAAQ,KAAK,SAAS,CAAC,GAAG;QACnE,MAAM,IAAI,KAAK,CAAC,QAAQ,CAAC,mBAAmB,CAAC,CAAC;AAClD,CAAC,CAAC;AAEF,MAAM,qBAAqB,GAAG,CAC5B,QAAgB,EAChB,QAAmB,EACnB,eAAwB,KAAK,EAC7B,EAAE;IACF,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC,CAAC;IAE1C,MAAM,UAAU,GAAG,gBAAgB,CAAC,QAAQ,CAAC,CAAC;IAE9C,IAAI,CAAC,YAAY,IAAI,QAAQ,KAAK,SAAS,CAAC,KAAK;QAC/C,MAAM,IAAI,KAAK,CAAC,QAAQ,CAAC,iBAAiB,CAAC,CAAC;IAE9C,IACE,QAAQ,IAAI,SAAS,CAAC,SAAS;QAC/B,QAAQ,IAAI,SAAS,CAAC,UAAU;QAChC,QAAQ,IAAI,SAAS,CAAC,GAAG;QAEzB,IAAI,QAAQ,IAAI,QAAQ,CAAC,MAAM,GAAG,CAAC;YAAE,QAAQ,GAAG,eAAe,CAAC,QAAQ,CAAC,CAAC;IAE5E,IAAI,QAAQ,KAAK,SAAS,CAAC,GAAG,IAAI,QAAQ,KAAK,SAAS,CAAC,UAAU;QACjE,QAAQ,GAAG,SAAS,CAAC,GAAG,CAAC;IAE3B,OAAO,EAAE,QAAQ,EAAE,SAAS,EAAE,QAAqB,EAAE,UAAU,EAAE,CAAC;AACpE,CAAC,CAAC;AAEF,MAAM,SAAS;IAOb,YACE,IAAY,EACZ,QAAiB,EACjB,QAAoB,EACpB,IAAa,EACb,UAAmB;QASrB,aAAQ,GAAG,GAAG,EAAE,CACd,uBAAuB,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,iBAAiB,IAAI,CAAC,IAAI,EAAE,CAAC;QAC7H,kBAAa,GAAG,GAAG,EAAE,CACnB,qBAAqB,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,YAAY,IAAI,CAAC,IAAI,wBAAwB,CAAC;QAC5I,0BAAqB,GAAG,CAAC,SAAiB,EAAE,OAAe,EAAE,EAAE,CAC7D,qBAAqB,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,YAAY,IAAI,CAAC,IAAI,UAAU,SAAS,QAAQ,OAAO,UAAU,CAAC;QAChK,cAAS,GAAG,GAAG,EAAE,CACf,qBAAqB,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,YAAY,IAAI,CAAC,IAAI,gBAAgB,CAAC;QACpI,sBAAiB,GAAG,CAAC,SAAiB,EAAE,OAAe,EAAE,EAAE,CACzD,qBAAqB,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,YAAY,IAAI,CAAC,IAAI,UAAU,SAAS,QAAQ,OAAO,EAAE,CAAC;QACxJ,cAAS,GAAG,CAAC,OAAe,EAAE,EAAE,CAC9B,qBAAqB,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,iBAAiB,OAAO,KAAK,CAAC;QACxF,eAAU,GAAG,GAAG,EAAE,CAChB,eAAe,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,YAAY,CAAC;QACrG,YAAO,GAAG,GAAG,EAAE,CACb,gBAAgB,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,aAAa,IAAI,CAAC,IAAI,gCAAgC,CAAC;QAC5G,qBAAgB,GAAG,CAAC,MAAc,EAAE,EAAE,CACpC,uBAAuB,MAAM,qCAAqC,CAAC;QACrE,sBAAiB,GAAG,CAAC,MAAc,EAAE,QAAgB,EAAE,EAAE,CACvD,uBAAuB,MAAM,WAAW,QAAQ,KAAK,CAAC;QACxD,mBAAc,GAAG,CAAC,MAAc,EAAE,EAAE,CAClC,eAAe,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,qBAAqB,MAAM,KAAK,CAAC;QACrF,eAAU,GAAG,GAAG,EAAE,CAChB,oCAAoC,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,sBAAsB,CAAC;QAC9G,cAAS,GAAG,GAAG,EAAE,CAAC,uCAAuC,YAAY,EAAE,CAAC;QACxE,uBAAkB,GAAG,GAAG,EAAE,CAAC,0BAA0B,YAAY,EAAE,CAAC;QACpE,cAAS,GAAG,GAAG,EAAE,CACf,mCAAmC,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,WAAW,CAAC;QAClG,sBAAiB,GAAG,GAAG,EAAE,CACvB,iCAAiC,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,EAAE,CAAC;QACvF,aAAQ,GAAG,GAAG,EAAE,CACd,4BAA4B,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,OAAO,CAAC;QACvF,iBAAY,GAAG,CAAC,MAAqB,EAAE,EAAE,CACvC,kBAAkB,MAAM,IAAI,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,EAAE,CAAC;QAClF,WAAM,GAAG,GAAG,EAAE,CACZ,wBAAwB,IAAI,CAAC,QAAQ,aAAa,IAAI,CAAC,QAAQ,SAAS,CAAC;QA1CzE,IAAI,CAAC,IAAI,GAAG,IAAI,CAAC;QACjB,IAAI,CAAC,QAAQ,GAAG,QAAQ,CAAC;QACzB,IAAI,CAAC,QAAQ,GAAG,QAAQ,CAAC;QACzB,IAAI,CAAC,UAAU,GAAG,UAAU,CAAC;QAC7B,IAAI,CAAC,IAAI,GAAG,IAAI,CAAC;IACnB,CAAC;CAsCF;AAED,MAAM,kBAAkB;IAKtB,YAAY,IAAqB,EAAE,KAAc,EAAE,IAAqB;QAKxE,aAAQ,GAAG,GAAG,EAAE,CACd,gBAAgB,IAAI,CAAC,IAAI,oCAAoC,IAAI,CAAC,KAAK,EAAE,CAAC;QAC5E,YAAO,GAAG,GAAG,EAAE,CACb,gBAAgB,IAAI,CAAC,IAAI,mCAAmC,IAAI,CAAC,KAAK,EAAE,CAAC;QAC3E,UAAK,GAAG,CAAC,OAAe,EAAE,EAAE,CAC1B,gBAAgB,IAAI,CAAC,IAAI,UAAU,OAAO,2BAA2B,IAAI,CAAC,KAAK,EAAE,CAAC;QATlF,IAAI,CAAC,IAAI,GAAG,IAAI,CAAC;QACjB,IAAI,CAAC,KAAK,GAAG,KAAK,CAAC;QACnB,IAAI,CAAC,IAAI,GAAG,IAAI,CAAC;IACnB,CAAC;CAOF;AAED,MAAM,EAAE;IAAR;QACE,aAAQ,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,OAAO,EACb,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QAChD,CAAC,IAAA,CAAC;QAEF,kBAAa,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aAC1D;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,OAAO,EACb,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,aAAa,EAAE,CAAC,CAAC;QACrD,CAAC,IAAA,CAAC;QAEF,0BAAqB,GAAG,CACtB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,OAAO,EACb,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CACtB,QAAQ,CAAC,qBAAqB,CAAC,SAAS,EAAE,OAAO,CAAC,CACnD,CAAC;QACJ,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACtD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,OAAO,EACb,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,EAAE,CAAC,CAAC;QACjD,CAAC,IAAA,CAAC;QAEF,sBAAiB,GAAG,CAClB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,OAAO,EACb,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,iBAAiB,CAAC,SAAS,EAAE,OAAO,CAAC,CAAC,CAAC;QAC3E,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,OAAe,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,OAAO,EACb,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,CAAC,OAAO,CAAC,CAAC,CAAC;QACxD,CAAC,IAAA,CAAC;QAEF,kBAAa,GAAG,CAAO,IAAY,EAAmB,EAAE;YACtD,YAAY;YACZ,MAAM,SAAS,GAAW,yBAAU,CAAC,OAAO,CAAC,CAAC,IAAI,CAAC,CAAC;YACpD,IAAI,CAAC,SAAS;gBAAE,OAAO,IAAI,CAAC;YAC5B,OAAO,SAAS,CAAC;QACnB,CAAC,CAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,EAAE;IAAR;QACE,aAAQ,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QAChD,CAAC,IAAA,CAAC;QAEF,kBAAa,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aAC1D;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,aAAa,EAAE,CAAC,CAAC;QACrD,CAAC,IAAA,CAAC;QAEF,0BAAqB,GAAG,CACtB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CACtB,QAAQ,CAAC,qBAAqB,CAAC,SAAS,EAAE,OAAO,CAAC,CACnD,CAAC;QACJ,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACtD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,EAAE,CAAC,CAAC;QACjD,CAAC,IAAA,CAAC;QAEF,sBAAiB,GAAG,CAClB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,iBAAiB,CAAC,SAAS,EAAE,OAAO,CAAC,CAAC,CAAC;QAC3E,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,OAAe,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,CAAC,OAAO,CAAC,CAAC,CAAC;QACxD,CAAC,IAAA,CAAC;QAEF,eAAU,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACvD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,UAAU,EAAE,CAAC,CAAC;QAClD,CAAC,IAAA,CAAC;QAEF,YAAO,GAAG,CAAO,QAAmB,EAAE,EAAE;aAClC;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,OAAO,EAAE,CAAC,CAAC;QAC/C,CAAC,IAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,GAAG;IAAT;QACE,aAAQ,GAAG,CAAO,KAAa,EAAE,EAAE;YACjC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,cAAc,EAC7B,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QACzD,CAAC,CAAA,CAAC;QAEF,YAAO,GAAG,CAAO,KAAa,EAAE,EAAE;YAChC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,cAAc,EAC7B,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,OAAO,EAAE,CAAC,CAAC;QACxD,CAAC,CAAA,CAAC;QAEF,cAAS,GAAG,CAAO,KAAa,EAAE,OAAe,EAAE,EAAE;YACnD,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,cAAc,EAC7B,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,KAAK,CAAC,OAAO,CAAC,CAAC,CAAC;QAC7D,CAAC,CAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,GAAG;IAAT;QACE,aAAQ,GAAG,CAAO,KAAa,EAAE,EAAE;YACjC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,QAAQ,EACvB,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QACzD,CAAC,CAAA,CAAC;QAEF,YAAO,GAAG,CAAO,KAAa,EAAE,EAAE;YAChC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,QAAQ,EACvB,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,OAAO,EAAE,CAAC,CAAC;QACxD,CAAC,CAAA,CAAC;QAEF,cAAS,GAAG,CAAO,KAAa,EAAE,OAAe,EAAE,EAAE;YACnD,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,QAAQ,EACvB,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,KAAK,CAAC,OAAO,CAAC,CAAC,CAAC;QAC7D,CAAC,CAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,GAAG;IAAT;QACE,aAAQ,GAAG,CAAO,KAAa,EAAE,EAAE;YACjC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,cAAc,EAC7B,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QACzD,CAAC,CAAA,CAAC;QAEF,YAAO,GAAG,CAAO,KAAa,EAAE,EAAE;YAChC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,cAAc,EAC7B,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,OAAO,EAAE,CAAC,CAAC;QACxD,CAAC,CAAA,CAAC;QAEF,cAAS,GAAG,CAAO,KAAa,EAAE,OAAe,EAAE,EAAE;YACnD,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,cAAc,EAC7B,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,KAAK,CAAC,OAAO,CAAC,CAAC,CAAC;QAC7D,CAAC,CAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,GAAG;IAAT;QACE,aAAQ,GAAG,CAAO,KAAa,EAAE,EAAE;YACjC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,MAAM,EACrB,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QACzD,CAAC,CAAA,CAAC;QAEF,YAAO,GAAG,CAAO,KAAa,EAAE,EAAE;YAChC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,MAAM,EACrB,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,OAAO,EAAE,CAAC,CAAC;QACxD,CAAC,CAAA,CAAC;QAEF,cAAS,GAAG,CAAO,KAAa,EAAE,OAAe,EAAE,EAAE;YACnD,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,MAAM,EACrB,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,KAAK,CAAC,OAAO,CAAC,CAAC,CAAC;QAC7D,CAAC,CAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,EAAE;IAAR;QACE,aAAQ,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QAChD,CAAC,IAAA,CAAC;QAEF,kBAAa,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aAC1D;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,aAAa,EAAE,CAAC,CAAC;QACrD,CAAC,IAAA,CAAC;QAEF,0BAAqB,GAAG,CACtB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CACtB,QAAQ,CAAC,qBAAqB,CAAC,SAAS,EAAE,OAAO,CAAC,CACnD,CAAC;QACJ,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACtD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,EAAE,CAAC,CAAC;QACjD,CAAC,IAAA,CAAC;QAEF,sBAAiB,GAAG,CAClB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,iBAAiB,CAAC,SAAS,EAAE,OAAO,CAAC,CAAC,CAAC;QAC3E,CAAC,IAAA,CAAC;QAEF,eAAU,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACvD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,UAAU,EAAE,CAAC,CAAC;QAClD,CAAC,IAAA,CAAC;QAEF,YAAO,GAAG,CAAO,QAAmB,EAAE,EAAE;aAClC;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,OAAO,EAAE,CAAC,CAAC;QAC/C,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,OAAe,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,CAAC,OAAO,CAAC,CAAC,CAAC;QACxD,CAAC,IAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,EAAE;IAAR;QACE,aAAQ,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QAChD,CAAC,IAAA,CAAC;QAEF,kBAAa,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aAC1D;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,aAAa,EAAE,CAAC,CAAC;QACrD,CAAC,IAAA,CAAC;QAEF,0BAAqB,GAAG,CACtB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CACtB,QAAQ,CAAC,qBAAqB,CAAC,SAAS,EAAE,OAAO,CAAC,CACnD,CAAC;QACJ,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACtD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,EAAE,CAAC,CAAC;QACjD,CAAC,IAAA,CAAC;QAEF,sBAAiB,GAAG,CAClB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,iBAAiB,CAAC,SAAS,EAAE,OAAO,CAAC,CAAC,CAAC;QAC3E,CAAC,IAAA,CAAC;QAEF,eAAU,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACvD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,UAAU,EAAE,CAAC,CAAC;QAClD,CAAC,IAAA,CAAC;QAEF,YAAO,GAAG,CAAO,QAAmB,EAAE,EAAE;aAClC;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,OAAO,EAAE,CAAC,CAAC;QAC/C,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,OAAe,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,CAAC,OAAO,CAAC,CAAC,CAAC;QACxD,CAAC,IAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,IAAI;IAAV;QACE,qBAAgB,GAAG,CAAO,MAAc,EAAE,EAAE;YAC1C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,EAAE,EACF,SAAS,CAAC,IAAI,EACd,KAAK,CAAC,IAAI,EACV,EAAE,CACH,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,gBAAgB,CAAC,MAAM,CAAC,CAAC,CAAC;QAC9D,CAAC,CAAA,CAAC;QAEF,sBAAiB,GAAG,CAAO,KAAa,EAAE,QAAgB,EAAE,EAAE;YAC5D,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,EAAE,EACF,SAAS,CAAC,IAAI,EACd,KAAK,CAAC,IAAI,EACV,EAAE,CACH,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,iBAAiB,CAAC,KAAK,EAAE,QAAQ,CAAC,CAAC,CAAC;QACxE,CAAC,CAAA,CAAC;QAEF,mBAAc,GAAG,CACf,KAAY,EACZ,MAAc,EACd,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,EACL,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,IAAI,EACV,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,cAAc,CAAC,MAAM,CAAC,CAAC,CAAC;QAC5D,CAAC,IAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,IAAI;IAAV;QACE,eAAU,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACvD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,IAAI,EACV,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,UAAU,EAAE,CAAC,CAAC;QAClD,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,GAAS,EAAE;YACrB,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,EAAE,EACF,SAAS,CAAC,IAAI,EACd,KAAK,CAAC,IAAI,EACV,EAAE,CACH,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,EAAE,CAAC,CAAC;QACjD,CAAC,CAAA,CAAC;QAEF,uBAAkB,GAAG,GAAS,EAAE;YAC9B,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,EAAE,EACF,SAAS,CAAC,IAAI,EACd,KAAK,CAAC,IAAI,EACV,EAAE,CACH,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,kBAAkB,EAAE,CAAC,CAAC;QAC1D,CAAC,CAAA,CAAC;QAEF,cAAS,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACtD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,IAAI,EACV,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,EAAE,CAAC,CAAC;QACjD,CAAC,IAAA,CAAC;QAEF,sBAAiB,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aAC9D;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,IAAI,EACV,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,iBAAiB,EAAE,CAAC,CAAC;QACzD,CAAC,IAAA,CAAC;QAEF,aAAQ,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,IAAI,EACV,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QAChD,CAAC,IAAA,CAAC;QAEF,iBAAY,GAAG,CACb,QAAgB,EAChB,QAAmB,EACnB,MAAqB,EACrB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,IAAI,EACV,UAAU,CACX,CAAC;YACF,OAAO,MAAM,eAAe,CAAC,QAAQ,CAAC,YAAY,CAAC,MAAM,CAAC,EAAE,IAAI,CAAC,CAAC;QACpE,CAAC,IAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,GAAG;IAAT;QACE,WAAM,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACnD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,EAAE,IAAI,CAAC;YACnD,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,IAAI,EACV,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,MAAM,EAAE,CAAC,CAAC;QAC9C,CAAC,IAAA,CAAC;QAEF,gBAAW,GAAG,CAAO,MAAc,EAAmB,EAAE;YACtD,YAAY;YACZ,MAAM,WAAW,GAAW,yBAAc,CAAC,aAAa,CAAC,CAAC,MAAM,CAAC,CAAC;YAClE,IAAI,CAAC,WAAW;gBAAE,OAAO,MAAM,CAAC;YAChC,OAAO,WAAW,CAAC;QACrB,CAAC,CAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,OAAO,GAAG,IAAI,EAAE,EAAE,CAAC;AAiBvB,0BAAO;AAhBT,MAAM,aAAa,GAAG,IAAI,EAAE,EAAE,CAAC;AAiB7B,sCAAa;AAhBf,MAAM,cAAc,GAAG,IAAI,GAAG,EAAE,CAAC;AAiB/B,wCAAc;AAhBhB,MAAM,QAAQ,GAAG,IAAI,GAAG,EAAE,CAAC;AAmBzB,4BAAQ;AAlBV,MAAM,cAAc,GAAG,IAAI,GAAG,EAAE,CAAC;AAgB/B,wCAAc;AAfhB,MAAM,aAAa,GAAG,IAAI,GAAG,EAAE,CAAC;AAgB9B,sCAAa;AAff,MAAM,OAAO,GAAG,IAAI,EAAE,EAAE,CAAC;AAiBvB,0BAAO;AAhBT,MAAM,QAAQ,GAAG,IAAI,EAAE,EAAE,CAAC;AAiBxB,4BAAQ;AAhBV,MAAM,KAAK,GAAG,IAAI,IAAI,EAAE,CAAC;AAiBvB,sBAAK;AAhBP,MAAM,EAAE,GAAG,IAAI,IAAI,EAAE,CAAC;AAiBpB,gBAAE;AAhBJ,MAAM,IAAI,GAAG,IAAI,GAAG,EAAE,CAAC;AAiBrB,oBAAI"} \ No newline at end of file +{ + "version": 3, + "file": "index.js", + "sourceRoot": "", + "sources": [ + "../src/index.ts" + ], + "names": [], + "mappings": ";;;;AACA,mCAAiC;AACjC,wFAAuD;AACvD,wFAAmD;AAEnD,MAAM,SAAS,GACb,qHAAqH,CAAC;AACxH,IAAI,UAAU,GAAW,iDAAiD,CAAC;AAC3E,IAAI,YAAY,GAAW,EAAE,CAAC;AAC9B,IAAI,SAAS,GAAG,KAAK,CAAC;AAYtB,IAAI,WAAW,GAAkB;IAC/B,cAAc,EAAE,kBAAkB;IAClC,MAAM,EAAE,UAAU;IAClB,YAAY,EAAE,SAAS;CACxB,CAAC;AAEF,IAAI,oBAAoB,GAAkB;IACxC,MAAM,EAAE,mCAAmC;IAC3C,iBAAiB,EAAE,uDAAuD;IAC1E,eAAe,EAAE,UAAU;IAC3B,MAAM,EAAE,UAAU;IAClB,WAAW,EACT,oEAAoE;IACtE,kBAAkB,EAAE,IAAI;IACxB,oBAAoB,EAAE,WAAW;IACjC,gBAAgB,EAAE,OAAO;IACzB,gBAAgB,EAAE,MAAM;IACxB,gBAAgB,EAAE,WAAW;CAC9B,CAAC;AAEF,IAAI,eAAe,GAAkB;IACnC,cAAc,EAAE,YAAY;IAC5B,MAAM,EAAE,UAAU;IAClB,YAAY,EAAE,SAAS;CACxB,CAAC;AAEF,IAAI,OAAO,GAAW,2BAA2B,CAAC;AAClD,IAAI,OAAO,GAAW,kBAAkB,CAAC;AACzC,IAAI,gBAAgB,GAAW,kCAAkC,CAAC;AAClE,IAAI,gBAAgB,GAAW,aAAa,CAAC;AAC7C,IAAI,QAAQ,GAAY,KAAK,CAAC;AAE9B,IAAK,SAUJ;AAVD,WAAK,SAAS;IACZ,wBAAW,CAAA;IACX,gCAAmB,CAAA;IACnB,iCAAoB,CAAA;IACpB,wBAAW,CAAA;IACX,4BAAe,CAAA;IACf,wBAAW,CAAA;IACX,yBAAY,CAAA;IACZ,wBAAW,CAAA;IACX,uBAAU,CAAA;AACZ,CAAC,EAVI,SAAS,KAAT,SAAS,QAUb;AA+rCC,8BAAS;AA7rCX,IAAK,KAMJ;AAND,WAAK,KAAK;IACR,6BAAoB,CAAA;IACpB,+BAAsB,CAAA;IACtB,wBAAe,CAAA;IACf,uBAAc,CAAA;IACd,mBAAU,CAAA;AACZ,CAAC,EANI,KAAK,KAAL,KAAK,QAMT;AAED,IAAK,cAKJ;AALD,WAAK,cAAc;IACjB,wCAAsB,CAAA;IACtB,kCAAgB,CAAA;IAChB,wCAAsB,CAAA;IACtB,gCAAc,CAAA;AAChB,CAAC,EALI,cAAc,KAAd,cAAc,QAKlB;AAED,IAAK,KAKJ;AALD,WAAK,KAAK;IACR,2BAAkB,CAAA;IAClB,uBAAc,CAAA;IACd,yBAAgB,CAAA;IAChB,mBAAU,CAAA;AACZ,CAAC,EALI,KAAK,KAAL,KAAK,QAKT;AAED,IAAK,cAGJ;AAHD,WAAK,cAAc;IACjB,oCAAkB,CAAA;IAClB,iCAAe,CAAA;AACjB,CAAC,EAHI,cAAc,KAAd,cAAc,QAGlB;AAED,IAAK,aAMJ;AAND,WAAK,aAAa;IAChB,kCAAiB,CAAA;IACjB,sCAAqB,CAAA;IACrB,kCAAiB,CAAA;IACjB,gCAAe,CAAA;IACf,oCAAmB,CAAA;AACrB,CAAC,EANI,aAAa,KAAb,aAAa,QAMjB;AA6pCC,sCAAa;AA3pCf,IAAK,QAGJ;AAHD,WAAK,QAAQ;IACX,kGAAsF,CAAA;IACtF,0JAA8I,CAAA;AAChJ,CAAC,EAHI,QAAQ,KAAR,QAAQ,QAGZ;AAoBD,IAAI,iBAAiB,GAAG,EAAE,CAAC;AAE3B,MAAM,eAAe,GAAG,GAAG,EAAE,CAAC,CAAC,SAAS,GAAG,IAAI,CAAC,CAAC;AA8oC/C,0CAAe;AA5oCjB,MAAM,gBAAgB,GAAG,GAAG,EAAE,CAAC,CAAC,SAAS,GAAG,KAAK,CAAC,CAAC;AA6oCjD,4CAAgB;AA3oClB,MAAM,oBAAoB,GAAG,CAAO,GAAW,EAAE,EAAE;IACjD,IAAI;QACF,IAAI,CAAC,QAAQ;YAAE,MAAM,IAAI,KAAK,CAAC,gBAAgB,CAAC,CAAC;QACjD,IAAI,UAAU,GAAG,GAAG,gBAAgB,GAAG,gBAAgB,GAAG,GAAG,EAAE,CAAC;QAChE,IAAI,SAAS;YAAE,OAAO,CAAC,GAAG,CAAC,SAAS,EAAE,gBAAgB,UAAU,EAAE,CAAC,CAAC;QACpE,oBAAoB,CAAC,aAAa,GAAG,UAAU,iBAAiB,EAAE,CAAC;QACnE,MAAM,EAAE,IAAI,EAAE,UAAU,EAAE,GAAG,MAAM,IAAA,gBAAO,EAAC,UAAU,EAAE;YACrD,OAAO,EAAE,oBAAoB;SAC9B,CAAC,CAAC;QAEH,IAAI,UAAU,IAAI,GAAG;YACnB,MAAM,IAAI,KAAK,CACb,0BAA0B,UAAU,oCAAoC,CACzE,CAAC;QAEJ,IAAI,QAAQ,GAAG,MAAM,IAAI,CAAC,IAAI,EAAE,CAAC;QAEjC,OAAO,QAAQ,CAAC;KACjB;IAAC,OAAO,SAAkB,EAAE;QAC3B,MAAM,SAAS,CAAC;KACjB;AACH,CAAC,CAAA,CAAC;AAEF,MAAM,WAAW,GAAG,CAAO,GAAW,EAAE,EAAE;IACxC,IAAI;QACF,IAAI,CAAC,QAAQ;YAAE,MAAM,IAAI,KAAK,CAAC,gBAAgB,CAAC,CAAC;QACjD,IAAI,UAAU,GAAG,GAAG,OAAO,GAAG,OAAO,GAAG,GAAG,EAAE,CAAC;QAE9C,IAAI,SAAS;YAAE,OAAO,CAAC,GAAG,CAAC,SAAS,EAAE,gBAAgB,UAAU,EAAE,CAAC,CAAC;QACpE,IAAI,SAAS;YAAE,OAAO,CAAC,IAAI,CAAC,YAAY,CAAC,CAAC;QAE1C,MAAM,EAAE,IAAI,EAAE,UAAU,EAAE,GAAG,MAAM,IAAA,gBAAO,EAAC,UAAU,EAAE;YACrD,OAAO,EAAE,WAAW;SACrB,CAAC,CAAC;QAEH,IAAI,SAAS;YAAE,OAAO,CAAC,OAAO,CAAC,YAAY,CAAC,CAAC;QAE7C,IAAI,UAAU,IAAI,GAAG;YACnB,MAAM,IAAI,KAAK,CACb,0BAA0B,UAAU,oCAAoC,CACzE,CAAC;QAEJ,IAAI,QAAQ,GAAG,MAAM,IAAI,CAAC,IAAI,EAAE,CAAC;QAEjC,IAAI,SAAS;YACX,OAAO,CAAC,GAAG,CACT,SAAS,EACT,cAAc,IAAI,CAAC,SAAS,CAAC,QAAQ,CAAC,CAAC,MAAM,SAAS,CACvD,CAAC;QAEJ,OAAO,QAAQ,CAAC;KACjB;IAAC,OAAO,SAAkB,EAAE;QAC3B,MAAM,SAAS,CAAC;KACjB;AACH,CAAC,CAAA,CAAC;AAEF,MAAM,eAAe,GAAG,CAAO,GAAW,EAAE,IAAY,EAAE,EAAE;IAC1D,IAAI;QACF,IAAI,CAAC,QAAQ;YAAE,MAAM,IAAI,KAAK,CAAC,gBAAgB,CAAC,CAAC;QACjD,IAAI,UAAU,GAAG,GAAG,OAAO,GAAG,OAAO,GAAG,GAAG,EAAE,CAAC;QAC9C,MAAM,EAAE,IAAI,EAAE,UAAU,EAAE,GAAG,MAAM,IAAA,gBAAO,EAAC,UAAU,EAAE;YACrD,MAAM,EAAE,MAAM;YACd,OAAO,EAAE,eAAe;YACxB,IAAI,EAAE,IAAI;SACX,CAAC,CAAC;QAEH,IAAI,UAAU,IAAI,GAAG;YACnB,MAAM,IAAI,KAAK,CACb,0BAA0B,UAAU,oCAAoC,CACzE,CAAC;QAEJ,IAAI,QAAQ,GAAG,MAAM,IAAI,CAAC,IAAI,EAAE,CAAC;QAEjC,OAAO,QAAQ,CAAC;KACjB;IAAC,OAAO,SAAkB,EAAE;QAC3B,MAAM,SAAS,CAAC;KACjB;AACH,CAAC,CAAA,CAAC;AAEF,MAAM,eAAe,GAAG,CAAC,QAAgB,EAAU,EAAE;IACnD,OAAO,kBAAkB,CAAC,QAAQ,CAAC,CAAC;AACtC,CAAC,CAAC;AAEF,MAAM,KAAK,GAAG,CAAC,QAAgB,EAAW,EAAE;IAC1C,IAAI,CAAC,QAAQ,IAAI,QAAQ,CAAC,IAAI,EAAE,CAAC,MAAM,IAAI,CAAC;QAAE,OAAO,KAAK,CAAC;IAC3D,IAAI,QAAQ,GAAG,sCAAsC,CAAC;IACtD,WAAW,CAAC,cAAc,CAAC,GAAG,QAAQ,CAAC;IACvC,WAAW,CAAC,cAAc,CAAC,GAAG,QAAQ,CAAC;IACvC,WAAW,CAAC,WAAW,CAAC,GAAG,QAAQ,CAAC;IACpC,WAAW,CAAC,gBAAgB,CAAC,GAAG,QAAQ,CAAC;IACzC,WAAW,CAAC,MAAM,CAAC,GAAG,QAAQ,CAAC;IAC/B,WAAW,CACT,QAAQ,CACT,GAAG,GAAG,UAAU,kBAAkB,QAAQ,eAAe,QAAQ,mBAAmB,QAAQ,0LAA0L,CAAC;IACxR,YAAY,GAAG,QAAQ,CAAC;IACxB,eAAe,CAAC,cAAc,CAAC,GAAG,QAAQ,CAAC;IAC3C,eAAe,CAAC,cAAc,CAAC,GAAG,QAAQ,CAAC;IAC3C,eAAe,CAAC,WAAW,CAAC,GAAG,QAAQ,CAAC;IACxC,eAAe,CAAC,gBAAgB,CAAC,GAAG,QAAQ,CAAC;IAC7C,eAAe,CAAC,MAAM,CAAC,GAAG,QAAQ,CAAC;IACnC,eAAe,CACb,QAAQ,CACT,GAAG,GAAG,UAAU,kBAAkB,QAAQ,eAAe,QAAQ,mBAAmB,QAAQ,0LAA0L,CAAC;IACxR,QAAQ,GAAG,IAAI,CAAC;IAChB,OAAO,QAAQ,CAAC;AAClB,CAAC,CAAC;AAkhCA,sBAAK;AAhhCP,MAAM,wBAAwB,GAC5B,oGAAoG,CAAC;AACvG,MAAM,cAAc,GAAG,CACrB,QAAgB,EAChB,QAAgB,EACE,EAAE;IACpB,IAAI,CAAC,QAAQ,IAAI,CAAC,QAAQ;QAAE,OAAO,KAAK,CAAC;IACzC,MAAM,EAAE,IAAI,EAAE,UAAU,EAAE,GAAG,MAAM,IAAA,gBAAO,EAAC,wBAAwB,EAAE;QACnE,MAAM,EAAE,MAAM;QACd,OAAO,EAAE,WAAW;QACpB,IAAI,EAAE,IAAI,CAAC,SAAS,CAAC;YACnB,QAAQ,EAAE,KAAK;YACf,YAAY,EAAE,KAAK;YACnB,IAAI,EAAE;gBACJ,KAAK,EAAE,QAAQ;gBACf,QAAQ,EAAE,QAAQ;aACnB;YACD,OAAO,EAAE,IAAI;SACd,CAAC;KACH,CAAC,CAAC;IAEH,IAAI,UAAU,KAAK,GAAG,EAAE;QACtB,IAAI,QAAQ,GACV,CAAC,MAAM,IAAI,CAAC,IAAI,EAAE,CAA2B,CAAC;QAChD,IAAI,QAAQ,GAAG,QAAQ,CAAC,QAAQ,CAAC,WAAW,CAAC;QAC7C,iBAAiB,GAAG,QAAQ,CAAC;KAC9B;SAAM,IAAI,UAAU,KAAK,GAAG,EAAE;QAC7B,IAAI,aAAa,GACf,CAAC,MAAM,IAAI,CAAC,IAAI,EAAE,CAAgC,CAAC;QACrD,OAAO,CAAC,KAAK,CAAC,mBAAmB,EAAE,aAAa,CAAC,KAAK,CAAC,GAAG,CAAC,CAAC;KAC7D;IACD,QAAQ,GAAG,UAAU,IAAI,GAAG,CAAC;IAC7B,OAAO,QAAQ,CAAC;AAClB,CAAC,CAAA,CAAC;AAg/BA,wCAAc;AA9+BhB,MAAM,gBAAgB,GAAG,CAAC,QAAmB,EAAE,EAAE;IAC/C,OAAO,QAAQ,KAAK,SAAS,CAAC,GAAG,CAAC,CAAC,CAAC,IAAI,CAAC,CAAC,CAAC,OAAO,CAAC;AACrD,CAAC,CAAC;AAEF,MAAM,qBAAqB,GAAG,CAAC,QAAmB,EAAE,QAAiB,EAAE,EAAE;IACvE,IAAI,CAAC,MAAM,CAAC,MAAM,CAAC,SAAS,CAAC,CAAC,QAAQ,CAAC,QAAgC,CAAC;QACtE,MAAM,IAAI,KAAK,CACb,aAAa,QAAQ,+CAA+C,IAAI,CAAC,SAAS,CAChF,MAAM,CAAC,MAAM,CAAC,SAAS,CAAC,EACxB,IAAI,EACJ,CAAC,CACF,EAAE,CACJ,CAAC;IAEJ,IAAI,QAAQ,IAAI,KAAK,CAAC,MAAM,CAAC,QAAQ,CAAC,CAAC,IAAI,QAAQ,KAAK,SAAS,CAAC,GAAG;QACnE,MAAM,IAAI,KAAK,CAAC,QAAQ,CAAC,mBAAmB,CAAC,CAAC;AAClD,CAAC,CAAC;AAEF,MAAM,qBAAqB,GAAG,CAC5B,QAAgB,EAChB,QAAmB,EACnB,eAAwB,KAAK,EAC7B,EAAE;IACF,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC,CAAC;IAE1C,MAAM,UAAU,GAAG,gBAAgB,CAAC,QAAQ,CAAC,CAAC;IAE9C,IAAI,CAAC,YAAY,IAAI,QAAQ,KAAK,SAAS,CAAC,KAAK;QAC/C,MAAM,IAAI,KAAK,CAAC,QAAQ,CAAC,iBAAiB,CAAC,CAAC;IAE9C,IACE,QAAQ,IAAI,SAAS,CAAC,SAAS;QAC/B,QAAQ,IAAI,SAAS,CAAC,UAAU;QAChC,QAAQ,IAAI,SAAS,CAAC,GAAG;QAEzB,IAAI,QAAQ,IAAI,QAAQ,CAAC,MAAM,GAAG,CAAC;YAAE,QAAQ,GAAG,eAAe,CAAC,QAAQ,CAAC,CAAC;IAE5E,IAAI,QAAQ,KAAK,SAAS,CAAC,GAAG,IAAI,QAAQ,KAAK,SAAS,CAAC,UAAU;QACjE,QAAQ,GAAG,SAAS,CAAC,GAAG,CAAC;IAE3B,OAAO,EAAE,QAAQ,EAAE,SAAS,EAAE,QAAqB,EAAE,UAAU,EAAE,CAAC;AACpE,CAAC,CAAC;AAEF,MAAM,SAAS;IAOb,YACE,IAAY,EACZ,QAAiB,EACjB,QAAoB,EACpB,IAAa,EACb,UAAmB;QASrB,aAAQ,GAAG,GAAG,EAAE,CACd,uBAAuB,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,iBAAiB,IAAI,CAAC,IAAI,EAAE,CAAC;QAC7H,kBAAa,GAAG,GAAG,EAAE,CACnB,qBAAqB,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,YAAY,IAAI,CAAC,IAAI,wBAAwB,CAAC;QAC5I,0BAAqB,GAAG,CAAC,SAAiB,EAAE,OAAe,EAAE,EAAE,CAC7D,qBAAqB,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,YAAY,IAAI,CAAC,IAAI,UAAU,SAAS,QAAQ,OAAO,UAAU,CAAC;QAChK,cAAS,GAAG,GAAG,EAAE,CACf,qBAAqB,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,YAAY,IAAI,CAAC,IAAI,gBAAgB,CAAC;QACpI,sBAAiB,GAAG,CAAC,SAAiB,EAAE,OAAe,EAAE,EAAE,CACzD,qBAAqB,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,YAAY,IAAI,CAAC,IAAI,UAAU,SAAS,QAAQ,OAAO,EAAE,CAAC;QACxJ,cAAS,GAAG,CAAC,OAAe,EAAE,EAAE,CAC9B,qBAAqB,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,iBAAiB,OAAO,KAAK,CAAC;QACxF,eAAU,GAAG,GAAG,EAAE,CAChB,eAAe,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,YAAY,CAAC;QACrG,YAAO,GAAG,GAAG,EAAE,CACb,gBAAgB,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,aAAa,IAAI,CAAC,IAAI,gCAAgC,CAAC;QAC5G,qBAAgB,GAAG,CAAC,MAAc,EAAE,EAAE,CACpC,uBAAuB,MAAM,qCAAqC,CAAC;QACrE,sBAAiB,GAAG,CAAC,MAAc,EAAE,QAAgB,EAAE,EAAE,CACvD,uBAAuB,MAAM,WAAW,QAAQ,KAAK,CAAC;QACxD,mBAAc,GAAG,CAAC,MAAc,EAAE,EAAE,CAClC,eAAe,IAAI,CAAC,IAAI,aAAa,IAAI,CAAC,QAAQ,qBAAqB,MAAM,KAAK,CAAC;QACrF,eAAU,GAAG,GAAG,EAAE,CAChB,oCAAoC,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,sBAAsB,CAAC;QAC9G,cAAS,GAAG,GAAG,EAAE,CAAC,uCAAuC,YAAY,EAAE,CAAC;QACxE,uBAAkB,GAAG,GAAG,EAAE,CAAC,0BAA0B,YAAY,EAAE,CAAC;QACpE,cAAS,GAAG,GAAG,EAAE,CACf,mCAAmC,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,WAAW,CAAC;QAClG,sBAAiB,GAAG,GAAG,EAAE,CACvB,iCAAiC,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,EAAE,CAAC;QACvF,aAAQ,GAAG,GAAG,EAAE,CACd,4BAA4B,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,OAAO,CAAC;QACvF,iBAAY,GAAG,CAAC,MAAqB,EAAE,EAAE,CACvC,kBAAkB,MAAM,IAAI,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,EAAE,CAAC;QAClF,WAAM,GAAG,GAAG,EAAE,CACZ,wBAAwB,IAAI,CAAC,QAAQ,aAAa,IAAI,CAAC,QAAQ,SAAS,CAAC;QA1CzE,IAAI,CAAC,IAAI,GAAG,IAAI,CAAC;QACjB,IAAI,CAAC,QAAQ,GAAG,QAAQ,CAAC;QACzB,IAAI,CAAC,QAAQ,GAAG,QAAQ,CAAC;QACzB,IAAI,CAAC,UAAU,GAAG,UAAU,CAAC;QAC7B,IAAI,CAAC,IAAI,GAAG,IAAI,CAAC;IACnB,CAAC;CAsCF;AAED,MAAM,kBAAkB;IAKtB,YAAY,IAAqB,EAAE,KAAc,EAAE,IAAqB;QAKxE,aAAQ,GAAG,GAAG,EAAE,CACd,gBAAgB,IAAI,CAAC,IAAI,oCAAoC,IAAI,CAAC,KAAK,EAAE,CAAC;QAC5E,YAAO,GAAG,GAAG,EAAE,CACb,gBAAgB,IAAI,CAAC,IAAI,mCAAmC,IAAI,CAAC,KAAK,EAAE,CAAC;QAC3E,UAAK,GAAG,CAAC,OAAe,EAAE,EAAE,CAC1B,gBAAgB,IAAI,CAAC,IAAI,UAAU,OAAO,2BAA2B,IAAI,CAAC,KAAK,EAAE,CAAC;QATlF,IAAI,CAAC,IAAI,GAAG,IAAI,CAAC;QACjB,IAAI,CAAC,KAAK,GAAG,KAAK,CAAC;QACnB,IAAI,CAAC,IAAI,GAAG,IAAI,CAAC;IACnB,CAAC;CAOF;AAED,MAAM,EAAE;IAAR;QACE,aAAQ,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,OAAO,EACb,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QAChD,CAAC,IAAA,CAAC;QAEF,kBAAa,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aAC1D;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,OAAO,EACb,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,aAAa,EAAE,CAAC,CAAC;QACrD,CAAC,IAAA,CAAC;QAEF,0BAAqB,GAAG,CACtB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,OAAO,EACb,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CACtB,QAAQ,CAAC,qBAAqB,CAAC,SAAS,EAAE,OAAO,CAAC,CACnD,CAAC;QACJ,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACtD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,OAAO,EACb,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,EAAE,CAAC,CAAC;QACjD,CAAC,IAAA,CAAC;QAEF,sBAAiB,GAAG,CAClB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,OAAO,EACb,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,iBAAiB,CAAC,SAAS,EAAE,OAAO,CAAC,CAAC,CAAC;QAC3E,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,OAAe,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,OAAO,EACb,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,CAAC,OAAO,CAAC,CAAC,CAAC;QACxD,CAAC,IAAA,CAAC;QAEF,kBAAa,GAAG,CAAO,IAAY,EAAmB,EAAE;YACtD,YAAY;YACZ,MAAM,SAAS,GAAW,yBAAU,CAAC,OAAO,CAAC,CAAC,IAAI,CAAC,CAAC;YACpD,IAAI,CAAC,SAAS;gBAAE,OAAO,IAAI,CAAC;YAC5B,OAAO,SAAS,CAAC;QACnB,CAAC,CAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,EAAE;IAAR;QACE,aAAQ,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QAChD,CAAC,IAAA,CAAC;QAEF,kBAAa,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aAC1D;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,aAAa,EAAE,CAAC,CAAC;QACrD,CAAC,IAAA,CAAC;QAEF,0BAAqB,GAAG,CACtB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CACtB,QAAQ,CAAC,qBAAqB,CAAC,SAAS,EAAE,OAAO,CAAC,CACnD,CAAC;QACJ,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACtD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,EAAE,CAAC,CAAC;QACjD,CAAC,IAAA,CAAC;QAEF,sBAAiB,GAAG,CAClB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,iBAAiB,CAAC,SAAS,EAAE,OAAO,CAAC,CAAC,CAAC;QAC3E,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,OAAe,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,CAAC,OAAO,CAAC,CAAC,CAAC;QACxD,CAAC,IAAA,CAAC;QAEF,eAAU,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACvD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,UAAU,EAAE,CAAC,CAAC;QAClD,CAAC,IAAA,CAAC;QAEF,YAAO,GAAG,CAAO,QAAmB,EAAE,EAAE;aAClC;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,aAAa,EACnB,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,OAAO,EAAE,CAAC,CAAC;QAC/C,CAAC,IAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,GAAG;IAAT;QACE,aAAQ,GAAG,CAAO,KAAa,EAAE,EAAE;YACjC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,cAAc,EAC7B,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QACzD,CAAC,CAAA,CAAC;QAEF,YAAO,GAAG,CAAO,KAAa,EAAE,EAAE;YAChC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,cAAc,EAC7B,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,OAAO,EAAE,CAAC,CAAC;QACxD,CAAC,CAAA,CAAC;QAEF,cAAS,GAAG,CAAO,KAAa,EAAE,OAAe,EAAE,EAAE;YACnD,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,cAAc,EAC7B,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,KAAK,CAAC,OAAO,CAAC,CAAC,CAAC;QAC7D,CAAC,CAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,GAAG;IAAT;QACE,aAAQ,GAAG,CAAO,KAAa,EAAE,EAAE;YACjC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,QAAQ,EACvB,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QACzD,CAAC,CAAA,CAAC;QAEF,YAAO,GAAG,CAAO,KAAa,EAAE,EAAE;YAChC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,QAAQ,EACvB,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,OAAO,EAAE,CAAC,CAAC;QACxD,CAAC,CAAA,CAAC;QAEF,cAAS,GAAG,CAAO,KAAa,EAAE,OAAe,EAAE,EAAE;YACnD,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,QAAQ,EACvB,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,KAAK,CAAC,OAAO,CAAC,CAAC,CAAC;QAC7D,CAAC,CAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,GAAG;IAAT;QACE,aAAQ,GAAG,CAAO,KAAa,EAAE,EAAE;YACjC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,cAAc,EAC7B,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QACzD,CAAC,CAAA,CAAC;QAEF,YAAO,GAAG,CAAO,KAAa,EAAE,EAAE;YAChC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,cAAc,EAC7B,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,OAAO,EAAE,CAAC,CAAC;QACxD,CAAC,CAAA,CAAC;QAEF,cAAS,GAAG,CAAO,KAAa,EAAE,OAAe,EAAE,EAAE;YACnD,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,cAAc,EAC7B,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,KAAK,CAAC,OAAO,CAAC,CAAC,CAAC;QAC7D,CAAC,CAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,GAAG;IAAT;QACE,aAAQ,GAAG,CAAO,KAAa,EAAE,EAAE;YACjC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,MAAM,EACrB,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QACzD,CAAC,CAAA,CAAC;QAEF,YAAO,GAAG,CAAO,KAAa,EAAE,EAAE;YAChC,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,MAAM,EACrB,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,OAAO,EAAE,CAAC,CAAC;QACxD,CAAC,CAAA,CAAC;QAEF,cAAS,GAAG,CAAO,KAAa,EAAE,OAAe,EAAE,EAAE;YACnD,IAAI,EAAE,QAAQ,EAAE,GAAG,qBAAqB,CAAC,KAAK,EAAE,SAAS,CAAC,GAAG,EAAE,IAAI,CAAC,CAAC;YAErE,MAAM,QAAQ,GAAG,IAAI,kBAAkB,CACrC,cAAc,CAAC,MAAM,EACrB,QAAQ,EACR,cAAc,CAAC,WAAW,CAC3B,CAAC;YAEF,OAAO,MAAM,oBAAoB,CAAC,QAAQ,CAAC,KAAK,CAAC,OAAO,CAAC,CAAC,CAAC;QAC7D,CAAC,CAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,EAAE;IAAR;QACE,aAAQ,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QAChD,CAAC,IAAA,CAAC;QAEF,kBAAa,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aAC1D;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,aAAa,EAAE,CAAC,CAAC;QACrD,CAAC,IAAA,CAAC;QAEF,0BAAqB,GAAG,CACtB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CACtB,QAAQ,CAAC,qBAAqB,CAAC,SAAS,EAAE,OAAO,CAAC,CACnD,CAAC;QACJ,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACtD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,EAAE,CAAC,CAAC;QACjD,CAAC,IAAA,CAAC;QAEF,sBAAiB,GAAG,CAClB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,iBAAiB,CAAC,SAAS,EAAE,OAAO,CAAC,CAAC,CAAC;QAC3E,CAAC,IAAA,CAAC;QAEF,eAAU,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACvD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,UAAU,EAAE,CAAC,CAAC;QAClD,CAAC,IAAA,CAAC;QAEF,YAAO,GAAG,CAAO,QAAmB,EAAE,EAAE;aAClC;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,OAAO,EAAE,CAAC,CAAC;QAC/C,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,OAAe,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,OAAO,EACb,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,CAAC,OAAO,CAAC,CAAC,CAAC;QACxD,CAAC,IAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,EAAE;IAAR;QACE,aAAQ,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QAChD,CAAC,IAAA,CAAC;QAEF,kBAAa,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aAC1D;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,aAAa,EAAE,CAAC,CAAC;QACrD,CAAC,IAAA,CAAC;QAEF,0BAAqB,GAAG,CACtB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CACtB,QAAQ,CAAC,qBAAqB,CAAC,SAAS,EAAE,OAAO,CAAC,CACnD,CAAC;QACJ,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACtD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,EAAE,CAAC,CAAC;QACjD,CAAC,IAAA,CAAC;QAEF,sBAAiB,GAAG,CAClB,QAAgB,EAChB,SAAiB,EACjB,OAAe,EACf,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,iBAAiB,CAAC,SAAS,EAAE,OAAO,CAAC,CAAC,CAAC;QAC3E,CAAC,IAAA,CAAC;QAEF,eAAU,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACvD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,UAAU,EAAE,CAAC,CAAC;QAClD,CAAC,IAAA,CAAC;QAEF,YAAO,GAAG,CAAO,QAAmB,EAAE,EAAE;aAClC;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,OAAO,EAAE,CAAC,CAAC;QAC/C,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,CAAO,OAAe,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,QAAQ,EACd,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,WAAW,EACjB,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,CAAC,OAAO,CAAC,CAAC,CAAC;QACxD,CAAC,IAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,IAAI;IAAV;QACE,qBAAgB,GAAG,CAAO,MAAc,EAAE,EAAE;YAC1C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,EAAE,EACF,SAAS,CAAC,IAAI,EACd,KAAK,CAAC,IAAI,EACV,EAAE,CACH,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,gBAAgB,CAAC,MAAM,CAAC,CAAC,CAAC;QAC9D,CAAC,CAAA,CAAC;QAEF,sBAAiB,GAAG,CAAO,KAAa,EAAE,QAAgB,EAAE,EAAE;YAC5D,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,EAAE,EACF,SAAS,CAAC,IAAI,EACd,KAAK,CAAC,IAAI,EACV,EAAE,CACH,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,iBAAiB,CAAC,KAAK,EAAE,QAAQ,CAAC,CAAC,CAAC;QACxE,CAAC,CAAA,CAAC;QAEF,mBAAc,GAAG,CACf,KAAY,EACZ,MAAc,EACd,QAAmB,EACnB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,EAAE,EAAE,QAAQ,CAAC;YACvC,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,EACL,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,IAAI,EACV,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,cAAc,CAAC,MAAM,CAAC,CAAC,CAAC;QAC5D,CAAC,IAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,IAAI;IAAV;QACE,eAAU,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACvD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,IAAI,EACV,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,UAAU,EAAE,CAAC,CAAC;QAClD,CAAC,IAAA,CAAC;QAEF,cAAS,GAAG,GAAS,EAAE;YACrB,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,EAAE,EACF,SAAS,CAAC,IAAI,EACd,KAAK,CAAC,IAAI,EACV,EAAE,CACH,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,EAAE,CAAC,CAAC;QACjD,CAAC,CAAA,CAAC;QAEF,uBAAkB,GAAG,GAAS,EAAE;YAC9B,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,EAAE,EACF,SAAS,CAAC,IAAI,EACd,KAAK,CAAC,IAAI,EACV,EAAE,CACH,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,kBAAkB,EAAE,CAAC,CAAC;QAC1D,CAAC,CAAA,CAAC;QAEF,cAAS,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACtD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,IAAI,EACV,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,SAAS,EAAE,CAAC,CAAC;QACjD,CAAC,IAAA,CAAC;QAEF,sBAAiB,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aAC9D;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,IAAI,EACV,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,iBAAiB,EAAE,CAAC,CAAC;QACzD,CAAC,IAAA,CAAC;QAEF,aAAQ,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACrD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,IAAI,EACV,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,QAAQ,EAAE,CAAC,CAAC;QAChD,CAAC,IAAA,CAAC;QAEF,iBAAY,GAAG,CACb,QAAgB,EAChB,QAAmB,EACnB,MAAqB,EACrB,EAAE;aACE;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,CAAC;YAC7C,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,IAAI,EACV,UAAU,CACX,CAAC;YACF,OAAO,MAAM,eAAe,CAAC,QAAQ,CAAC,YAAY,CAAC,MAAM,CAAC,EAAE,IAAI,CAAC,CAAC;QACpE,CAAC,IAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,GAAG;IAAT;QACE,WAAM,GAAG,CAAO,QAAgB,EAAE,QAAmB,EAAE,EAAE;aACnD;gBACF,QAAQ;gBACR,SAAS,EAAE,QAAQ;gBACnB,UAAU;aACX,GAAG,qBAAqB,CAAC,QAAQ,EAAE,QAAQ,EAAE,IAAI,CAAC;YACnD,MAAM,QAAQ,GAAG,IAAI,SAAS,CAC5B,KAAK,CAAC,IAAI,EACV,QAAQ,EACR,QAAQ,EACR,KAAK,CAAC,IAAI,EACV,UAAU,CACX,CAAC;YACF,OAAO,MAAM,WAAW,CAAC,QAAQ,CAAC,MAAM,EAAE,CAAC,CAAC;QAC9C,CAAC,IAAA,CAAC;QAEF,gBAAW,GAAG,CAAO,MAAc,EAAmB,EAAE;YACtD,YAAY;YACZ,MAAM,WAAW,GAAW,yBAAc,CAAC,aAAa,CAAC,CAAC,MAAM,CAAC,CAAC;YAClE,IAAI,CAAC,WAAW;gBAAE,OAAO,MAAM,CAAC;YAChC,OAAO,WAAW,CAAC;QACrB,CAAC,CAAA,CAAC;IACJ,CAAC;CAAA;AAED,MAAM,OAAO,GAAG,IAAI,EAAE,EAAE,CAAC;AAiBvB,0BAAO;AAhBT,MAAM,aAAa,GAAG,IAAI,EAAE,EAAE,CAAC;AAiB7B,sCAAa;AAhBf,MAAM,cAAc,GAAG,IAAI,GAAG,EAAE,CAAC;AAiB/B,wCAAc;AAhBhB,MAAM,QAAQ,GAAG,IAAI,GAAG,EAAE,CAAC;AAmBzB,4BAAQ;AAlBV,MAAM,cAAc,GAAG,IAAI,GAAG,EAAE,CAAC;AAgB/B,wCAAc;AAfhB,MAAM,aAAa,GAAG,IAAI,GAAG,EAAE,CAAC;AAgB9B,sCAAa;AAff,MAAM,OAAO,GAAG,IAAI,EAAE,EAAE,CAAC;AAiBvB,0BAAO;AAhBT,MAAM,QAAQ,GAAG,IAAI,EAAE,EAAE,CAAC;AAiBxB,4BAAQ;AAhBV,MAAM,KAAK,GAAG,IAAI,IAAI,EAAE,CAAC;AAiBvB,sBAAK;AAhBP,MAAM,EAAE,GAAG,IAAI,IAAI,EAAE,CAAC;AAiBpB,gBAAE;AAhBJ,MAAM,IAAI,GAAG,IAAI,GAAG,EAAE,CAAC;AAiBrB,oBAAI" +} diff --git a/src/js/index.ts b/src/js/index.ts index 8d6195e..d369c40 100644 --- a/src/js/index.ts +++ b/src/js/index.ts @@ -1,105 +1,105 @@ -import { IncomingHttpHeaders } from "http"; -import { request } from "undici"; -import weaponMappings from "../data/weapon-ids.json"; -import wzMappings from "../data/game-modes.json"; +import { IncomingHttpHeaders } from 'http'; +import { request } from 'undici'; +import weaponMappings from '../data/weapon-ids.json'; +import wzMappings from '../data/game-modes.json'; const userAgent: string = - "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/74.0.3729.169 Safari/537.36"; -let baseCookie: string = "new_SiteId=cod;ACT_SSO_LOCALE=en_US;country=US;"; -let baseSsoToken: string = ""; + 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/74.0.3729.169 Safari/537.36'; +let baseCookie: string = 'new_SiteId=cod;ACT_SSO_LOCALE=en_US;country=US;'; +let baseSsoToken: string = ''; let debugMode = false; interface CustomHeaders extends IncomingHttpHeaders { - "X-XSRF-TOKEN"?: string | undefined; - "X-CSRF-TOKEN"?: string | undefined; - "Atvi-Auth"?: string | undefined; + 'X-XSRF-TOKEN'?: string | undefined; + 'X-CSRF-TOKEN'?: string | undefined; + 'Atvi-Auth'?: string | undefined; ACT_SSO_COOKIE?: string | undefined; atkn?: string | undefined; cookie?: string | undefined; - "content-type"?: string | undefined; + 'content-type'?: string | undefined; } let baseHeaders: CustomHeaders = { - "content-type": "application/json", + 'content-type': 'application/json', cookie: baseCookie, - "user-agent": userAgent, + 'user-agent': userAgent, }; let baseTelescopeHeaders: CustomHeaders = { - accept: "application/json, text/plain, */*", - "accept-language": "en-GB,en;q=0.9,en-US;q=0.8,fr;q=0.7,nl;q=0.6,et;q=0.5", - "cache-control": "no-cache", - pragma: "no-cache", - "sec-ch-ua": + accept: 'application/json, text/plain, */*', + 'accept-language': 'en-GB,en;q=0.9,en-US;q=0.8,fr;q=0.7,nl;q=0.6,et;q=0.5', + 'cache-control': 'no-cache', + pragma: 'no-cache', + 'sec-ch-ua': '"Chromium";v="118", "Microsoft Edge";v="118", "Not=A?Brand";v="99"', - "sec-ch-ua-mobile": "?0", - "sec-ch-ua-platform": '"Windows"', - "sec-fetch-dest": "empty", - "sec-fetch-mode": "cors", - "sec-fetch-site": "same-site", + 'sec-ch-ua-mobile': '?0', + 'sec-ch-ua-platform': '"Windows"', + 'sec-fetch-dest': 'empty', + 'sec-fetch-mode': 'cors', + 'sec-fetch-site': 'same-site', }; let basePostHeaders: CustomHeaders = { - "content-type": "text/plain", + 'content-type': 'text/plain', cookie: baseCookie, - "user-agent": userAgent, + 'user-agent': userAgent, }; -let baseUrl: string = "https://profile.callofduty.com"; -let apiPath: string = "/api/papi-client"; -let baseTelescopeUrl: string = "https://telescope.callofduty.com"; -let apiTelescopePath: string = "/api/ts-api"; +let baseUrl: string = 'https://profile.callofduty.com'; +let apiPath: string = '/api/papi-client'; +let baseTelescopeUrl: string = 'https://telescope.callofduty.com'; +let apiTelescopePath: string = '/api/ts-api'; let loggedIn: boolean = false; enum platforms { - All = "all", - Activision = "acti", - Battlenet = "battle", - PSN = "psn", - Steam = "steam", - Uno = "uno", - XBOX = "xbl", - ios = "ios", - NULL = "_", + All = 'all', + Activision = 'acti', + Battlenet = 'battle', + PSN = 'psn', + Steam = 'steam', + Uno = 'uno', + XBOX = 'xbl', + ios = 'ios', + NULL = '_', } enum games { - ModernWarfare = "mw", - ModernWarfare2 = "mw2", - Vanguard = "vg", - ColdWar = "cw", - NULL = "_", + ModernWarfare = 'mw', + ModernWarfare2 = 'mw2', + Vanguard = 'vg', + ColdWar = 'cw', + NULL = '_', } enum telescopeGames { - ModernWarfare2 = "mw2", - Warzone2 = "wz2", - ModernWarfare3 = "jup", - Mobile = "mgl", + ModernWarfare2 = 'mw2', + Warzone2 = 'wz2', + ModernWarfare3 = 'jup', + Mobile = 'mgl', } enum modes { - Multiplayer = "mp", - Warzone = "wz", - Warzone2 = "wz2", - NULL = "_", + Multiplayer = 'mp', + Warzone = 'wz', + Warzone2 = 'wz2', + NULL = '_', } enum telescopeModes { - Multiplayer = "mp", - Outbreak = "ob", + Multiplayer = 'mp', + Outbreak = 'ob', } enum friendActions { - Invite = "invite", - Uninvite = "uninvite", - Remove = "remove", - Block = "block", - Unblock = "unblock", + Invite = 'invite', + Uninvite = 'uninvite', + Remove = 'remove', + Block = 'block', + Unblock = 'unblock', } enum generics { - STEAM_UNSUPPORTED = "Steam platform not supported by this game. Try `battle` instead.", + STEAM_UNSUPPORTED = 'Steam platform not supported by this game. Try `battle` instead.', UNO_NO_NUMERICAL_ID = `You must use a numerical ID when using the platform 'uno'.\nIf using an Activision ID, please use the platform 'acti'.`, } @@ -121,7 +121,7 @@ interface telescopeLoginErrorResponse { error: telescopeLoginErrorNestedResponse; } -let telescopeUnoToken = ""; +let telescopeUnoToken = ''; const enableDebugMode = () => (debugMode = true); @@ -129,7 +129,7 @@ const disableDebugMode = () => (debugMode = false); const sendTelescopeRequest = async (url: string) => { try { - if (!loggedIn) throw new Error("Not Logged In!"); + if (!loggedIn) throw new Error('Not Logged In!'); let requestUrl = `${baseTelescopeUrl}${apiTelescopePath}${url}`; if (debugMode) console.log(`[DEBUG]`, `Request Uri: ${requestUrl}`); baseTelescopeHeaders.authorization = `Bearer ${telescopeUnoToken}`; @@ -152,17 +152,17 @@ const sendTelescopeRequest = async (url: string) => { const sendRequest = async (url: string) => { try { - if (!loggedIn) throw new Error("Not Logged In."); + if (!loggedIn) throw new Error('Not Logged In.'); let requestUrl = `${baseUrl}${apiPath}${url}`; if (debugMode) console.log(`[DEBUG]`, `Request Uri: ${requestUrl}`); - if (debugMode) console.time("Round Trip"); + if (debugMode) console.time('Round Trip'); const { body, statusCode } = await request(requestUrl, { headers: baseHeaders, }); - if (debugMode) console.timeEnd("Round Trip"); + if (debugMode) console.timeEnd('Round Trip'); if (statusCode >= 500) throw new Error( @@ -185,10 +185,10 @@ const sendRequest = async (url: string) => { const sendPostRequest = async (url: string, data: string) => { try { - if (!loggedIn) throw new Error("Not Logged In."); + if (!loggedIn) throw new Error('Not Logged In.'); let requestUrl = `${baseUrl}${apiPath}${url}`; const { body, statusCode } = await request(requestUrl, { - method: "POST", + method: 'POST', headers: basePostHeaders, body: data, }); @@ -212,41 +212,39 @@ const cleanClientName = (gamertag: string): string => { const login = (ssoToken: string): boolean => { if (!ssoToken || ssoToken.trim().length <= 0) return false; - let fakeXSRF = "68e8b62e-1d9d-4ce1-b93f-cbe5ff31a041"; - baseHeaders["X-XSRF-TOKEN"] = fakeXSRF; - baseHeaders["X-CSRF-TOKEN"] = fakeXSRF; - baseHeaders["Atvi-Auth"] = ssoToken; - baseHeaders["ACT_SSO_COOKIE"] = ssoToken; - baseHeaders["atkn"] = ssoToken; - baseHeaders[ - "cookie" - ] = `${baseCookie}ACT_SSO_COOKIE=${ssoToken};XSRF-TOKEN=${fakeXSRF};API_CSRF_TOKEN=${fakeXSRF};ACT_SSO_EVENT="LOGIN_SUCCESS:1644346543228";ACT_SSO_COOKIE_EXPIRY=1645556143194;comid=cod;ssoDevId=63025d09c69f47dfa2b8d5520b5b73e4;tfa_enrollment_seen=true;gtm.custom.bot.flag=human;`; + let fakeXSRF = '68e8b62e-1d9d-4ce1-b93f-cbe5ff31a041'; + baseHeaders['X-XSRF-TOKEN'] = fakeXSRF; + baseHeaders['X-CSRF-TOKEN'] = fakeXSRF; + baseHeaders['Atvi-Auth'] = ssoToken; + baseHeaders['ACT_SSO_COOKIE'] = ssoToken; + baseHeaders['atkn'] = ssoToken; + baseHeaders['cookie'] = + `${baseCookie}ACT_SSO_COOKIE=${ssoToken};XSRF-TOKEN=${fakeXSRF};API_CSRF_TOKEN=${fakeXSRF};ACT_SSO_EVENT="LOGIN_SUCCESS:1644346543228";ACT_SSO_COOKIE_EXPIRY=1645556143194;comid=cod;ssoDevId=63025d09c69f47dfa2b8d5520b5b73e4;tfa_enrollment_seen=true;gtm.custom.bot.flag=human;`; baseSsoToken = ssoToken; - basePostHeaders["X-XSRF-TOKEN"] = fakeXSRF; - basePostHeaders["X-CSRF-TOKEN"] = fakeXSRF; - basePostHeaders["Atvi-Auth"] = ssoToken; - basePostHeaders["ACT_SSO_COOKIE"] = ssoToken; - basePostHeaders["atkn"] = ssoToken; - basePostHeaders[ - "cookie" - ] = `${baseCookie}ACT_SSO_COOKIE=${ssoToken};XSRF-TOKEN=${fakeXSRF};API_CSRF_TOKEN=${fakeXSRF};ACT_SSO_EVENT="LOGIN_SUCCESS:1644346543228";ACT_SSO_COOKIE_EXPIRY=1645556143194;comid=cod;ssoDevId=63025d09c69f47dfa2b8d5520b5b73e4;tfa_enrollment_seen=true;gtm.custom.bot.flag=human;`; + basePostHeaders['X-XSRF-TOKEN'] = fakeXSRF; + basePostHeaders['X-CSRF-TOKEN'] = fakeXSRF; + basePostHeaders['Atvi-Auth'] = ssoToken; + basePostHeaders['ACT_SSO_COOKIE'] = ssoToken; + basePostHeaders['atkn'] = ssoToken; + basePostHeaders['cookie'] = + `${baseCookie}ACT_SSO_COOKIE=${ssoToken};XSRF-TOKEN=${fakeXSRF};API_CSRF_TOKEN=${fakeXSRF};ACT_SSO_EVENT="LOGIN_SUCCESS:1644346543228";ACT_SSO_COOKIE_EXPIRY=1645556143194;comid=cod;ssoDevId=63025d09c69f47dfa2b8d5520b5b73e4;tfa_enrollment_seen=true;gtm.custom.bot.flag=human;`; loggedIn = true; return loggedIn; }; const telescope_login_endpoint = - "https://wzm-ios-loginservice.prod.demonware.net/v1/login/uno/?titleID=7100&client=shg-cod-jup-bnet"; + 'https://wzm-ios-loginservice.prod.demonware.net/v1/login/uno/?titleID=7100&client=shg-cod-jup-bnet'; const telescopeLogin = async ( username: string, password: string ): Promise => { if (!username || !password) return false; const { body, statusCode } = await request(telescope_login_endpoint, { - method: "POST", + method: 'POST', headers: baseHeaders, body: JSON.stringify({ - platform: "ios", - hardwareType: "ios", + platform: 'ios', + hardwareType: 'ios', auth: { email: username, password: password, @@ -263,14 +261,14 @@ const telescopeLogin = async ( } else if (statusCode === 403) { let errorResponse: telescopeLoginErrorResponse = (await body.json()) as telescopeLoginErrorResponse; - console.error("Error Logging In:", errorResponse.error.msg); + console.error('Error Logging In:', errorResponse.error.msg); } loggedIn = statusCode == 200; return loggedIn; }; const handleLookupType = (platform: platforms) => { - return platform === platforms.Uno ? "id" : "gamer"; + return platform === platforms.Uno ? 'id' : 'gamer'; }; const checkForValidPlatform = (platform: platforms, gamertag?: string) => { @@ -487,7 +485,7 @@ class WZ { gamertag, _platform: platform, lookupType, - } = mapGamertagToPlatform("", platform); + } = mapGamertagToPlatform('', platform); const endpoint = new Endpoints( games.ModernWarfare, gamertag, @@ -500,7 +498,7 @@ class WZ { cleanGameMode = async (mode: string): Promise => { //@ts-ignore - const foundMode: string = wzMappings["modes"][mode]; + const foundMode: string = wzMappings['modes'][mode]; if (!foundMode) return mode; return foundMode; }; @@ -604,7 +602,7 @@ class MW { gamertag, _platform: platform, lookupType, - } = mapGamertagToPlatform("", platform); + } = mapGamertagToPlatform('', platform); const endpoint = new Endpoints( games.ModernWarfare, gamertag, @@ -636,7 +634,7 @@ class MW { gamertag, _platform: platform, lookupType, - } = mapGamertagToPlatform("", platform); + } = mapGamertagToPlatform('', platform); const endpoint = new Endpoints( games.ModernWarfare, gamertag, @@ -914,7 +912,7 @@ class CW { gamertag, _platform: platform, lookupType, - } = mapGamertagToPlatform("", platform); + } = mapGamertagToPlatform('', platform); const endpoint = new Endpoints( games.ColdWar, gamertag, @@ -930,7 +928,7 @@ class CW { gamertag, _platform: platform, lookupType, - } = mapGamertagToPlatform("", platform); + } = mapGamertagToPlatform('', platform); const endpoint = new Endpoints( games.ColdWar, gamertag, @@ -1056,7 +1054,7 @@ class VG { gamertag, _platform: platform, lookupType, - } = mapGamertagToPlatform("", platform); + } = mapGamertagToPlatform('', platform); const endpoint = new Endpoints( games.Vanguard, gamertag, @@ -1072,7 +1070,7 @@ class VG { gamertag, _platform: platform, lookupType, - } = mapGamertagToPlatform("", platform); + } = mapGamertagToPlatform('', platform); const endpoint = new Endpoints( games.Vanguard, gamertag, @@ -1088,10 +1086,10 @@ class SHOP { purchasableItems = async (gameId: string) => { const endpoint = new Endpoints( games.NULL, - "", + '', platforms.NULL, modes.NULL, - "" + '' ); return await sendRequest(endpoint.purchasableItems(gameId)); }; @@ -1099,10 +1097,10 @@ class SHOP { bundleInformation = async (title: string, bundleId: string) => { const endpoint = new Endpoints( games.NULL, - "", + '', platforms.NULL, modes.NULL, - "" + '' ); return await sendRequest(endpoint.bundleInformation(title, bundleId)); }; @@ -1116,7 +1114,7 @@ class SHOP { gamertag, _platform: platform, lookupType, - } = mapGamertagToPlatform("", platform); + } = mapGamertagToPlatform('', platform); const endpoint = new Endpoints( title, gamertag, @@ -1148,10 +1146,10 @@ class USER { eventFeed = async () => { const endpoint = new Endpoints( games.NULL, - "", + '', platforms.NULL, modes.NULL, - "" + '' ); return await sendRequest(endpoint.eventFeed()); }; @@ -1159,10 +1157,10 @@ class USER { loggedInIdentities = async () => { const endpoint = new Endpoints( games.NULL, - "", + '', platforms.NULL, modes.NULL, - "" + '' ); return await sendRequest(endpoint.loggedInIdentities()); }; @@ -1232,7 +1230,7 @@ class USER { modes.NULL, lookupType ); - return await sendPostRequest(endpoint.friendAction(action), "{}"); + return await sendPostRequest(endpoint.friendAction(action), '{}'); }; } @@ -1255,7 +1253,7 @@ class ALT { cleanWeapon = async (weapon: string): Promise => { //@ts-ignore - const foundWeapon: string = weaponMappings["All Weapons"][weapon]; + const foundWeapon: string = weaponMappings['All Weapons'][weapon]; if (!foundWeapon) return weapon; return foundWeapon; }; diff --git a/src/js/localStorage.js b/src/js/localStorage.js index 63fb6b3..d1db4ac 100644 --- a/src/js/localStorage.js +++ b/src/js/localStorage.js @@ -1,103 +1,109 @@ -document.addEventListener("DOMContentLoaded", function () { - // Fields to save in localStorage with their respective keys - const fieldsToSave = [ - // Stats tab - { id: "username", key: "cod_username" }, - { id: "platform", key: "cod_platform" }, - { id: "game", key: "cod_game" }, - { id: "apiCall", key: "cod_apiCall" }, - - // Matches tab - { id: "matchUsername", key: "cod_matchUsername" }, - { id: "matchPlatform", key: "cod_matchPlatform" }, - { id: "matchGame", key: "cod_matchGame" }, - { id: "matchId", key: "cod_matchId" }, - - // User tab - { id: "userUsername", key: "cod_userUsername" }, - { id: "userPlatform", key: "cod_userPlatform" }, - { id: "userCall", key: "cod_userCall" }, - - // Other/Search tab - { id: "searchUsername", key: "cod_searchUsername" }, - { id: "searchPlatform", key: "cod_searchPlatform" }, - - // Format and processing options - { id: "outputFormat", key: "cod_outputFormat" }, - { id: "sanitizeOption", key: "cod_sanitizeOption" }, - { id: "replaceKeysOption", key: "cod_replaceKeysOption" }, - { id: "convertTimeOption", key: "cod_convertTimeOption" }, - { id: "timezoneSelect", key: "cod_timezone" } - ]; - - // Load saved values - fieldsToSave.forEach(field => { - const element = document.getElementById(field.id); - if (!element) return; // Skip if element doesn't exist - - const savedValue = localStorage.getItem(field.key); - if (savedValue !== null) { - // Handle different input types - if (element.type === "checkbox") { - element.checked = savedValue === "true"; - } else if (element.tagName === "SELECT") { - element.value = savedValue; - } else { - element.value = savedValue; - } - } - }); - - // Save values on change - fieldsToSave.forEach(field => { - const element = document.getElementById(field.id); - if (!element) return; // Skip if element doesn't exist - - // Different event listener based on input type - if (element.type === "checkbox") { - element.addEventListener("change", function() { - localStorage.setItem(field.key, element.checked); - }); - } else if (element.tagName === "SELECT") { - element.addEventListener("change", function() { - localStorage.setItem(field.key, element.value); - }); - } else { - element.addEventListener("input", function() { - localStorage.setItem(field.key, element.value); - }); - } - }); - - // Special handling for SSO Token - const ssoTokenInput = document.getElementById("ssoToken"); - const savedSsoToken = localStorage.getItem("cod_ssoToken"); - - if (savedSsoToken) { - ssoTokenInput.value = savedSsoToken; - } +document.addEventListener('DOMContentLoaded', function () { + // Fields to save in localStorage with their respective keys + const fieldsToSave = [ + // Stats tab + { id: 'username', key: 'cod_username' }, + { id: 'platform', key: 'cod_platform' }, + { id: 'game', key: 'cod_game' }, + { id: 'apiCall', key: 'cod_apiCall' }, - // Ask the user before saving SSO token - ssoTokenInput.addEventListener("input", function() { - if (confirm("Would you like to save your SSO token? Note: This is stored on your device only.")) { - localStorage.setItem("cod_ssoToken", ssoTokenInput.value); + // Matches tab + { id: 'matchUsername', key: 'cod_matchUsername' }, + { id: 'matchPlatform', key: 'cod_matchPlatform' }, + { id: 'matchGame', key: 'cod_matchGame' }, + { id: 'matchId', key: 'cod_matchId' }, + + // User tab + { id: 'userUsername', key: 'cod_userUsername' }, + { id: 'userPlatform', key: 'cod_userPlatform' }, + { id: 'userCall', key: 'cod_userCall' }, + + // Other/Search tab + { id: 'searchUsername', key: 'cod_searchUsername' }, + { id: 'searchPlatform', key: 'cod_searchPlatform' }, + + // Format and processing options + { id: 'outputFormat', key: 'cod_outputFormat' }, + { id: 'sanitizeOption', key: 'cod_sanitizeOption' }, + { id: 'replaceKeysOption', key: 'cod_replaceKeysOption' }, + { id: 'convertTimeOption', key: 'cod_convertTimeOption' }, + { id: 'timezoneSelect', key: 'cod_timezone' }, + ]; + + // Load saved values + fieldsToSave.forEach((field) => { + const element = document.getElementById(field.id); + if (!element) return; // Skip if element doesn't exist + + const savedValue = localStorage.getItem(field.key); + if (savedValue !== null) { + // Handle different input types + if (element.type === 'checkbox') { + element.checked = savedValue === 'true'; + } else if (element.tagName === 'SELECT') { + element.value = savedValue; + } else { + element.value = savedValue; } - }); - - // Add a clear data button to the UI - const container = document.querySelector('.container'); - const clearButton = document.createElement('button'); - clearButton.textContent = 'Clear Saved Data'; - clearButton.className = 'clear-data-btn'; - clearButton.style.marginTop = '10px'; - clearButton.addEventListener('click', function() { - if (confirm('Are you sure you want to clear all saved form data?')) { - fieldsToSave.forEach(field => { - localStorage.removeItem(field.key); - }); - localStorage.removeItem("cod_ssoToken"); - alert('All saved data has been cleared. Refresh the page to see changes.'); - } - }); - container.appendChild(clearButton); - }); \ No newline at end of file + } + }); + + // Save values on change + fieldsToSave.forEach((field) => { + const element = document.getElementById(field.id); + if (!element) return; // Skip if element doesn't exist + + // Different event listener based on input type + if (element.type === 'checkbox') { + element.addEventListener('change', function () { + localStorage.setItem(field.key, element.checked); + }); + } else if (element.tagName === 'SELECT') { + element.addEventListener('change', function () { + localStorage.setItem(field.key, element.value); + }); + } else { + element.addEventListener('input', function () { + localStorage.setItem(field.key, element.value); + }); + } + }); + + // Special handling for SSO Token + const ssoTokenInput = document.getElementById('ssoToken'); + const savedSsoToken = localStorage.getItem('cod_ssoToken'); + + if (savedSsoToken) { + ssoTokenInput.value = savedSsoToken; + } + + // Ask the user before saving SSO token + ssoTokenInput.addEventListener('input', function () { + if ( + confirm( + 'Would you like to save your SSO token? Note: This is stored on your device only.' + ) + ) { + localStorage.setItem('cod_ssoToken', ssoTokenInput.value); + } + }); + + // Add a clear data button to the UI + const container = document.querySelector('.container'); + const clearButton = document.createElement('button'); + clearButton.textContent = 'Clear Saved Data'; + clearButton.className = 'clear-data-btn'; + clearButton.style.marginTop = '10px'; + clearButton.addEventListener('click', function () { + if (confirm('Are you sure you want to clear all saved form data?')) { + fieldsToSave.forEach((field) => { + localStorage.removeItem(field.key); + }); + localStorage.removeItem('cod_ssoToken'); + alert( + 'All saved data has been cleared. Refresh the page to see changes.' + ); + } + }); + container.appendChild(clearButton); +}); diff --git a/src/js/logger.js b/src/js/logger.js index d258e77..604fa79 100644 --- a/src/js/logger.js +++ b/src/js/logger.js @@ -3,51 +3,51 @@ const fs = require('fs'); const path = require('path'); class Logger { -constructor(options = {}) { + constructor(options = {}) { // Dynamically determine the base directory const isPackaged = process.pkg !== undefined; let baseDir; - + if (isPackaged) { - // If running as a packaged executable, use the directory where the executable is located - baseDir = path.dirname(process.execPath); + // If running as a packaged executable, use the directory where the executable is located + baseDir = path.dirname(process.execPath); } else { - // In development, use the project root directory - baseDir = process.cwd(); + // In development, use the project root directory + baseDir = process.cwd(); } - + this.options = { - logToConsole: options.logToConsole !== false, - logToFile: options.logToFile || false, - // Use the determined base directory + logs - logDirectory: options.logDirectory || path.join(baseDir, 'logs'), - userActivityLogFile: options.userActivityLogFile || 'user-activity.log', - apiLogFile: options.apiLogFile || 'api.log', - minLevel: options.minLevel || 'info' + logToConsole: options.logToConsole !== false, + logToFile: options.logToFile || false, + // Use the determined base directory + logs + logDirectory: options.logDirectory || path.join(baseDir, 'logs'), + userActivityLogFile: options.userActivityLogFile || 'user-activity.log', + apiLogFile: options.apiLogFile || 'api.log', + minLevel: options.minLevel || 'info', }; - + // Create log directory if it doesn't exist and logging to file is enabled if (this.options.logToFile) { - try { + try { if (!fs.existsSync(this.options.logDirectory)) { - fs.mkdirSync(this.options.logDirectory, { recursive: true }); + fs.mkdirSync(this.options.logDirectory, { recursive: true }); } - } catch (err) { + } catch (err) { console.error(`Failed to create log directory: ${err.message}`); // Fall back to logging in the same directory as the executable if directory creation fails this.options.logDirectory = baseDir; console.log(`Falling back to logging in: ${this.options.logDirectory}`); - } + } } // Log levels and their priorities this.levels = { - debug: 0, - info: 1, - warn: 2, - error: 3 + debug: 0, + info: 1, + warn: 2, + error: 3, }; - } + } shouldLog(level) { return this.levels[level] >= this.levels[this.options.minLevel]; @@ -58,7 +58,7 @@ constructor(options = {}) { const logObject = { timestamp, type, - message + message, }; if (Object.keys(data).length > 0) { @@ -70,11 +70,12 @@ constructor(options = {}) { writeToFile(content, isUserActivity = false) { if (!this.options.logToFile) return; - - const logFile = isUserActivity - ? path.join(this.options.logDirectory, this.options.userActivityLogFile) + + const logFile = + isUserActivity ? + path.join(this.options.logDirectory, this.options.userActivityLogFile) : path.join(this.options.logDirectory, this.options.apiLogFile); - + // Check if the log directory exists before writing try { // Ensure the directory exists @@ -82,77 +83,79 @@ constructor(options = {}) { fs.mkdirSync(this.options.logDirectory, { recursive: true }); console.log(`Log directory recreated at: ${this.options.logDirectory}`); } - + // Now write the log fs.appendFileSync(logFile, content + '\n'); } catch (err) { console.error(`Error writing to log file: ${err.message}`); // Fall back to console logging if file writing fails if (this.options.logToConsole) { - console.log(`Failed to write to log file, logging to console instead: ${content}`); + console.log( + `Failed to write to log file, logging to console instead: ${content}` + ); } } } debug(message, data = {}) { if (!this.shouldLog('debug')) return; - + const logEntry = this.formatLogEntry('DEBUG', message, data); - + if (this.options.logToConsole) { console.debug(logEntry); } - + this.writeToFile(logEntry); } info(message, data = {}) { if (!this.shouldLog('info')) return; - + const logEntry = this.formatLogEntry('INFO', message, data); - + if (this.options.logToConsole) { console.log(logEntry); } - + this.writeToFile(logEntry); } warn(message, data = {}) { if (!this.shouldLog('warn')) return; - + const logEntry = this.formatLogEntry('WARN', message, data); - + if (this.options.logToConsole) { console.warn(logEntry); } - + this.writeToFile(logEntry); } error(message, data = {}) { if (!this.shouldLog('error')) return; - + const logEntry = this.formatLogEntry('ERROR', message, data); - + if (this.options.logToConsole) { console.error(logEntry); } - + this.writeToFile(logEntry); } // Specialized method for user activity logging userActivity(eventType, data = {}) { const logEntry = this.formatLogEntry('USER_ACTIVITY', eventType, data); - + // Don't log user activity to the console /* if (this.options.logToConsole) { console.log(`[USER_ACTIVITY] ${logEntry}`); } */ - + this.writeToFile(logEntry, true); } } @@ -161,10 +164,10 @@ constructor(options = {}) { const defaultLogger = new Logger({ logToConsole: true, logToFile: true, - minLevel: process.env.NODE_ENV === 'production' ? 'info' : 'debug' + minLevel: process.env.NODE_ENV === 'production' ? 'info' : 'debug', }); module.exports = { Logger, - logger: defaultLogger -}; \ No newline at end of file + logger: defaultLogger, +};