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** → ** |
-```
+```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+
- The #1 Open Source Call of Duty Statistic Tracker since cod.tracker.gg shutdown!
-
-
-
-
-
-
- Player Stats
- Matches
- User Info
- Other
- |