File size: 12,298 Bytes
68ca1f1 9d9ae82 faaa384 9d9ae82 68ca1f1 9d9ae82 68ca1f1 9d9ae82 68ca1f1 9d9ae82 68ca1f1 9d9ae82 68ca1f1 9d9ae82 68ca1f1 9d9ae82 68ca1f1 9d9ae82 68ca1f1 9d9ae82 68ca1f1 9d9ae82 68ca1f1 9d9ae82 68ca1f1 5f07afe 68ca1f1 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 |
const express = require('express');
const bodyParser = require('body-parser');
const multer = require('multer');
const cheerio = require('cheerio');
const { minifyHtml } = require('./minify');
const { removeMedia } = require('./removeMedia');
const app = express();
// Configure size limits
const MAX_SIZE = '50mb';
// Configure multer with size limits
const upload = multer({
limits: {
fileSize: 50 * 1024 * 1024, // 50MB limit
fieldSize: 50 * 1024 * 1024 // 50MB limit for fields
}
});
// Configure body parsers with consistent limits
app.use(express.static('public'));
app.use(bodyParser.json({limit: MAX_SIZE}));
app.use(bodyParser.urlencoded({
extended: true,
limit: MAX_SIZE,
parameterLimit: 50000
}));
app.use(express.json({limit: MAX_SIZE}));
app.use(express.urlencoded({
limit: MAX_SIZE,
extended: true,
parameterLimit: 50000
}));
function compressHtmlForLlm(html, options = {}) {
const operationStatus = {
minification: { success: false, error: null },
cheerioLoad: { success: false, error: null },
headCleaning: { success: false, error: null },
scriptRemoval: { success: false, error: null },
styleRemoval: { success: false, error: null },
mediaRemoval: { success: false, error: null },
repeatingElements: { success: false, error: null },
textTruncation: { success: false, error: null }
};
let processed = html;
let $ = null;
// Step 1: Minification
if (options.minifyHtml) {
const minifyResult = minifyHtml(html, {
removeScripts: options.removeScripts,
removeStyles: options.removeStyles
});
if (minifyResult.success) {
processed = minifyResult.minifiedHtml;
operationStatus.minification = { success: true, error: null };
} else {
operationStatus.minification = {
success: false,
error: minifyResult.error?.message || 'Minification failed'
};
}
}
// Step 2: Load with Cheerio
try {
$ = cheerio.load(processed, {
decodeEntities: false,
xmlMode: false,
lowerCaseTags: true
});
operationStatus.cheerioLoad.success = true;
} catch (err) {
operationStatus.cheerioLoad.error = err.message.substring(0, 100);
console.error('Cheerio load failed:', err);
return { html: processed, status: operationStatus };
}
// Step 3: Remove scripts
if (options.removeScripts) {
try {
$('script').remove();
operationStatus.scriptRemoval.success = true;
} catch (err) {
operationStatus.scriptRemoval.error = err.message.substring(0, 100);
console.warn('Script removal failed:', err);
}
}
// Step 4: Remove styles
if (options.removeStyles) {
try {
$('style').remove();
$('link[rel="stylesheet"]').remove();
operationStatus.styleRemoval.success = true;
} catch (err) {
operationStatus.styleRemoval.error = err.message.substring(0, 100);
console.warn('Style removal failed:', err);
}
}
// Step 5: Remove media
if (options.removeMedia) {
try {
const mediaResult = removeMedia($);
if (mediaResult.success) {
operationStatus.mediaRemoval.success = true;
} else {
operationStatus.mediaRemoval.error = mediaResult.error.substring(0, 100);
console.warn('Media removal failed:', mediaResult.error);
}
} catch (err) {
operationStatus.mediaRemoval.error = err.message.substring(0, 100);
console.warn('Media removal failed:', err);
}
}
// Step 6: Clean head
if (options.cleanHead) {
try {
cleanHead($);
operationStatus.headCleaning.success = true;
} catch (err) {
operationStatus.headCleaning.error = err.message.substring(0, 100);
}
}
// Step 7: Handle repeating elements
if (options.handleRepeatingElements) {
try {
handleRepeatingElements($);
operationStatus.repeatingElements.success = true;
} catch (err) {
operationStatus.repeatingElements.error = err.message.substring(0, 100);
}
}
// Step 8: Truncate text
if (options.truncateText) {
try {
truncateText($, options.truncateLength);
operationStatus.textTruncation.success = true;
} catch (err) {
operationStatus.textTruncation.error = err.message.substring(0, 100);
}
}
let finalHtml = '';
try {
finalHtml = $.html();
} catch (err) {
console.error('Final HTML generation failed:', err);
finalHtml = processed;
}
const structure = generateStructureJson($);
return {
html: finalHtml,
json: JSON.stringify(structure, null, 2),
status: operationStatus
};
}
function cleanHead($) {
$('head').each((_, head) => {
$(head).find('link').remove();
$(head).find('script').remove();
$(head).find('meta').each((_, meta) => {
const name = $(meta).attr('name')?.toLowerCase();
const property = $(meta).attr('property')?.toLowerCase();
if (!['charset', 'viewport', 'description', 'keywords'].includes(name) &&
!property?.includes('og:')) {
$(meta).remove();
}
});
});
}
function handleRepeatingElements($) {
$('*').each((_, elem) => {
const $elem = $(elem);
const children = $elem.children();
if (children.length > 3 && areElementsSimilar(children, $)) {
children.slice(1, -1).each((i, child) => {
if (i !== Math.floor(children.length / 2) - 1) {
$(child).remove();
}
});
}
});
}
function truncateText($, truncateLength) {
$('*').each((_, elem) => {
const $elem = $(elem);
if ($elem.children().length === 0) {
let text = $elem.text();
if (text.length > truncateLength) {
text = text.substring(0, truncateLength/2) + '...' +
text.substring(text.length - truncateLength/2);
$elem.text(text);
}
}
});
}
function areElementsSimilar(elements, $) {
if (elements.length < 4) return false;
const firstTag = elements[0].tagName;
const firstClasses = $(elements[0]).attr('class');
let similarCount = 0;
elements.each((_, elem) => {
if (elem.tagName === firstTag && $(elem).attr('class') === firstClasses) {
similarCount++;
}
});
return similarCount / elements.length > 0.7;
}
function generateStructureJson($) {
try {
const structure = [];
$('*').each((_, el) => {
const $el = $(el);
const attributes = {};
Object.entries($el.attr() || {}).forEach(([key, value]) => {
attributes[key] = value;
});
const textContent = $el.clone().children().remove().end().text().trim();
const truncatedText = textContent.length > 50
? textContent.substring(0, 25) + '...' + textContent.substring(textContent.length - 25)
: textContent;
structure.push({
tag: el.tagName,
attributes: Object.keys(attributes).length ? attributes : undefined,
textContent: truncatedText || undefined,
childrenCount: $el.children().length,
selector: generateSelector($, el)
});
});
return structure;
} catch (err) {
console.error('Structure generation failed:', err);
return [];
}
}
function generateSelector($, element) {
try {
const $el = $(element);
let selector = element.tagName;
if ($el.attr('id')) {
selector += `#${$el.attr('id')}`;
} else if ($el.attr('class')) {
selector += `.${$el.attr('class').replace(/\s+/g, '.')}`;
}
return selector;
} catch (err) {
console.warn('Selector generation failed:', err);
return element.tagName || 'unknown';
}
}
function computeStats(html, processed) {
try {
const $ = cheerio.load(html);
const $processed = cheerio.load(processed);
const stats = {
originalElementCount: $('*').length,
processedElementCount: $processed('*').length,
originalTextLength: html.length,
processedTextLength: processed.length,
};
return {
elementReduction: `${(1 - stats.processedElementCount / stats.originalElementCount) * 100}%`,
sizeReduction: `${(1 - stats.processedTextLength / stats.originalTextLength) * 100}%`,
originalElements: stats.originalElementCount,
remainingElements: stats.processedElementCount,
originalSize: stats.originalTextLength,
processedSize: stats.processedTextLength
};
} catch (err) {
console.error('Stats computation failed:', err);
return {
elementReduction: 'N/A',
sizeReduction: 'N/A',
originalElements: 'N/A',
remainingElements: 'N/A',
originalSize: html.length,
processedSize: processed.length
};
}
}
function validateScript(scriptContent) {
if (!scriptContent.includes('function extract(')) {
throw new Error('Script must contain a function named "extract"');
}
}
function executeCheerioScript(html, scriptContent) {
try {
validateScript(scriptContent);
const context = {
cheerio,
input: html
};
const extractorFunction = new Function('input', 'cheerio', `
${scriptContent}
return extract(input, cheerio);
`);
const result = extractorFunction(html, cheerio);
if (!result || typeof result !== 'object') {
throw new Error('Extract function must return an object');
}
if (!('success' in result && 'data' in result && 'error' in result)) {
throw new Error('Return object must contain success, data, and error fields');
}
return result;
} catch (err) {
return {
success: false,
data: null,
error: err.message
};
}
}
app.post('/process', upload.single('htmlFile'), (req, res) => {
try {
const startTime = Date.now();
let htmlContent = req.file
? req.file.buffer.toString('utf8')
: req.body.html || '';
if (!htmlContent.trim()) {
return res.status(400).json({ error: 'No HTML content provided.' });
}
const options = {
cleanHead: req.body.cleanHead === 'true',
removeScripts: req.body.removeScripts === 'true',
removeStyles: req.body.removeStyles === 'true',
handleRepeatingElements: req.body.handleRepeatingElements === 'true',
truncateText: req.body.truncateText === 'true',
truncateLength: parseInt(req.body.truncateLength) || 100,
minifyHtml: req.body.minifyHtml === 'true',
removeMedia: req.body.removeMedia === 'true'
};
const processed = compressHtmlForLlm(htmlContent, options);
const stats = computeStats(htmlContent, processed.html);
return res.json({
success: true,
result: processed,
stats: {
processingTime: `${Date.now() - startTime}ms`,
elementReduction: stats.elementReduction,
sizeReduction: stats.sizeReduction,
originalElements: stats.originalElements,
remainingElements: stats.remainingElements,
originalSize: `${stats.originalSize} chars`,
processedSize: `${stats.processedSize} chars`
},
options,
operationStatus: processed.status
});
} catch (err) {
console.error('Processing failed:', err);
return res.status(500).json({
error: 'Internal server error.',
details: err.message.substring(0, 100)
});
}
});
app.post('/extract', upload.single('htmlFile'), (req, res) => {
try {
const startTime = Date.now();
let htmlContent = req.file
? req.file.buffer.toString('utf8')
: req.body.html || '';
const extractorScript = req.body.script;
if (!htmlContent.trim()) {
return res.status(400).json({ error: 'No HTML content provided.' });
}
if (!extractorScript) {
return res.status(400).json({ error: 'No extractor script provided.' });
}
const result = executeCheerioScript(htmlContent, extractorScript);
return res.json({
success: result.success,
data: result.data,
error: result.error,
processingTime: `${Date.now() - startTime}ms`
});
} catch (err) {
console.error('Extraction failed:', err);
return res.status(500).json({
success: false,
error: 'Internal server error.',
details: err.message.substring(0, 100)
});
}
});
const PORT = process.env.PORT || 3000;
app.listen(PORT, () => {
console.log(`Server running on http://localhost:${PORT}`);
}); |