|
|
|
|
|
const express = require('express'); |
|
const bodyParser = require('body-parser'); |
|
const axios = require('axios'); |
|
const path = require('path'); |
|
const mysql = require('mysql2'); |
|
const morgan = require('morgan'); |
|
const helmet = require('helmet'); |
|
const { body, validationResult } = require('express-validator'); |
|
require('dotenv').config(); |
|
|
|
const app = express(); |
|
const port = process.env.PORT || 3000; |
|
|
|
|
|
app.use(bodyParser.urlencoded({ extended: true })); |
|
app.use(bodyParser.json()); |
|
app.use(helmet()); |
|
app.use(morgan('combined')); |
|
app.use(express.static('public')); |
|
|
|
|
|
const pool = mysql.createPool({ |
|
host: process.env.DB_HOST, |
|
port: process.env.DB_PORT || 3306, |
|
user: process.env.DB_USER, |
|
password: process.env.DB_PASSWORD, |
|
database: process.env.DB_NAME, |
|
waitForConnections: true, |
|
connectionLimit: 10, |
|
queueLimit: 0 |
|
}); |
|
|
|
|
|
const promisePool = pool.promise(); |
|
|
|
|
|
async function initializeDatabase() { |
|
try { |
|
|
|
const createRedemptionCodesTable = ` |
|
CREATE TABLE IF NOT EXISTS redemption_codes ( |
|
id INT AUTO_INCREMENT PRIMARY KEY, |
|
code TEXT NOT NULL, |
|
name VARCHAR(255), |
|
quota INT, |
|
count INT, |
|
user_ip VARCHAR(45), |
|
created_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP |
|
) |
|
`; |
|
|
|
await promisePool.query(createRedemptionCodesTable); |
|
console.log('Redemption codes table is ready.'); |
|
|
|
|
|
const createSessionCookiesTable = ` |
|
CREATE TABLE IF NOT EXISTS session_cookies ( |
|
id INT AUTO_INCREMENT PRIMARY KEY, |
|
username VARCHAR(255) NOT NULL, |
|
session_cookies TEXT NOT NULL, |
|
created_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP, |
|
updated_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP |
|
) |
|
`; |
|
|
|
await promisePool.query(createSessionCookiesTable); |
|
console.log('Session_cookies table is ready.'); |
|
} catch (err) { |
|
console.error('Error initializing database tables:', err); |
|
process.exit(1); |
|
} |
|
} |
|
|
|
|
|
initializeDatabase(); |
|
|
|
|
|
app.get('/', (req, res) => { |
|
res.sendFile(path.join(__dirname, 'views', 'index.html')); |
|
}); |
|
|
|
|
|
function getUserIP(req) { |
|
const xForwardedFor = req.headers['x-forwarded-for']; |
|
if (xForwardedFor) { |
|
const ips = xForwardedFor.split(',').map(ip => ip.trim()); |
|
return ips[0]; |
|
} |
|
return req.socket.remoteAddress; |
|
} |
|
|
|
|
|
async function saveSessionCookies(username, sessionCookies) { |
|
try { |
|
const insertQuery = ` |
|
INSERT INTO session_cookies (username, session_cookies) |
|
VALUES (?, ?) |
|
`; |
|
|
|
await promisePool.query(insertQuery, [username, sessionCookies]); |
|
console.log(`New session cookies for user '${username}' saved successfully.`); |
|
} catch (err) { |
|
console.error(`Error saving session cookies for user '${username}':`, err); |
|
throw err; |
|
} |
|
} |
|
|
|
|
|
async function performLogin() { |
|
const loginUrl = `${process.env.REDEMPTION_API_BASE_URL}/api/user/login?turnstile=`; |
|
|
|
const headers = { |
|
'Accept': 'application/json, text/plain, */*', |
|
'Accept-Language': 'en-US,en;q=0.9', |
|
'Connection': 'keep-alive', |
|
'Content-Type': 'application/json', |
|
'Origin': process.env.REDEMPTION_API_BASE_URL, |
|
'Referer': `${process.env.REDEMPTION_API_BASE_URL}/login`, |
|
'User-Agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/131.0.0.0 Safari/537.36', |
|
'VoApi-User': '-1' |
|
}; |
|
|
|
const data = { |
|
username: process.env.ADMIN_USERNAME, |
|
password: process.env.ADMIN_PASSWORD |
|
}; |
|
|
|
try { |
|
const response = await axios.post(loginUrl, data, { |
|
headers: headers, |
|
withCredentials: true, |
|
httpsAgent: new (require('https').Agent)({ rejectUnauthorized: false }) |
|
}); |
|
|
|
|
|
const setCookieHeader = response.headers['set-cookie']; |
|
if (setCookieHeader) { |
|
|
|
const cookies = setCookieHeader.map(cookie => cookie.split(';')[0]); |
|
const cookieString = cookies.join('; '); |
|
|
|
if (cookieString) { |
|
console.log('Session cookies obtained from login.'); |
|
return cookieString; |
|
} |
|
} |
|
|
|
throw new Error('No session cookies received from login response.'); |
|
} catch (error) { |
|
if (error.response) { |
|
throw new Error(`Login API Error: ${JSON.stringify(error.response.data)}`); |
|
} else if (error.request) { |
|
throw new Error('Login API Error: No response received from the login service.'); |
|
} else { |
|
throw new Error(`Login Error: ${error.message}`); |
|
} |
|
} |
|
} |
|
|
|
|
|
async function generateRedemptionCode(name, quota, count, sessionCookies) { |
|
console.log(`Using session cookies: ${sessionCookies}`); |
|
|
|
const url = `${process.env.REDEMPTION_API_BASE_URL}/api/redemption/`; |
|
|
|
const headers = { |
|
'Accept': 'application/json, text/plain, */*', |
|
'Accept-Language': 'en-US,en;q=0.9', |
|
'Connection': 'keep-alive', |
|
'Content-Type': 'application/json', |
|
'Origin': process.env.REDEMPTION_API_BASE_URL, |
|
'Referer': `${process.env.REDEMPTION_API_BASE_URL}/redemption`, |
|
'User-Agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/131.0.0.0 Safari/537.36', |
|
'VoApi-User': '1', |
|
'Cookie': sessionCookies |
|
}; |
|
|
|
const data = { |
|
name: name, |
|
quota: parseInt(quota), |
|
count: parseInt(count) |
|
}; |
|
|
|
try { |
|
const response = await axios.post(url, data, { |
|
headers: headers, |
|
httpsAgent: new (require('https').Agent)({ rejectUnauthorized: false }) |
|
}); |
|
|
|
console.log('Redemption code generated successfully.'); |
|
return response.data; |
|
} catch (error) { |
|
if (error.response) { |
|
throw new Error(`API Error: ${JSON.stringify(error.response.data)}`); |
|
} else if (error.request) { |
|
throw new Error('API Error: No response received from the redemption service.'); |
|
} else { |
|
throw new Error(`Error: ${error.message}`); |
|
} |
|
} |
|
} |
|
|
|
|
|
async function saveRedemptionCode(codeData, name, quota, count, userIP) { |
|
try { |
|
|
|
const code = codeData.code || JSON.stringify(codeData); |
|
|
|
const insertQuery = ` |
|
INSERT INTO redemption_codes (code, name, quota, count, user_ip) |
|
VALUES (?, ?, ?, ?, ?) |
|
`; |
|
|
|
await promisePool.query(insertQuery, [code, name, quota, count, userIP]); |
|
console.log('Redemption code saved to database.'); |
|
} catch (err) { |
|
console.error('Error saving redemption code to database:', err); |
|
throw err; |
|
} |
|
} |
|
|
|
|
|
app.post('/api/create', [ |
|
body('username').isString().trim().notEmpty(), |
|
body('name').isString().trim().notEmpty(), |
|
body('quota').isInt({ min: 1 }), |
|
body('count').isInt({ min: 1 }) |
|
], async (req, res) => { |
|
|
|
const errors = validationResult(req); |
|
if (!errors.isEmpty()) { |
|
return res.status(400).json({ success: false, errors: errors.array() }); |
|
} |
|
|
|
const { username, name, quota, count } = req.body; |
|
const userIP = getUserIP(req); |
|
const apiKey = req.headers['x-api-key']; |
|
|
|
|
|
if (apiKey !== process.env.API_KEY) { |
|
return res.status(401).json({ |
|
success: false, |
|
error: 'Unauthorized: Invalid API key' |
|
}); |
|
} |
|
|
|
try { |
|
|
|
console.log('Performing login to obtain new session cookies...'); |
|
const sessionCookies = await performLogin(); |
|
|
|
|
|
await saveSessionCookies(username, sessionCookies); |
|
console.log('New session cookies saved to the database.'); |
|
|
|
|
|
const redemptionCode = await generateRedemptionCode(name, quota, count, sessionCookies); |
|
|
|
|
|
await saveRedemptionCode(redemptionCode, name, quota, count, userIP); |
|
|
|
res.json({ |
|
success: true, |
|
data: redemptionCode |
|
}); |
|
} catch (error) { |
|
console.error('Error:', error.message); |
|
res.status(500).json({ |
|
success: false, |
|
error: error.message |
|
}); |
|
} |
|
}); |
|
|
|
|
|
app.listen(port, () => { |
|
console.log(`App is running at http://localhost:${port}`); |
|
}); |
|
|