muaddib-scanner 1.0.5 → 1.0.7
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/README.md +109 -22
- package/bin/muaddib.js +10 -0
- package/data/iocs.json +2162 -37
- package/package.json +1 -1
- package/src/ioc/scraper.js +420 -0
- package/src/scanner/ast.js +1 -1
- package/src/scanner/dataflow.js +1 -1
- package/src/scanner/obfuscation.js +1 -1
- package/vscode-extension/LICENSE +21 -0
- package/vscode-extension/muaddib-vscode-1.0.0.vsix +0 -0
package/package.json
CHANGED
|
@@ -0,0 +1,420 @@
|
|
|
1
|
+
const https = require('https');
|
|
2
|
+
const fs = require('fs');
|
|
3
|
+
const path = require('path');
|
|
4
|
+
|
|
5
|
+
const IOC_FILE = path.join(__dirname, '../../data/iocs.json');
|
|
6
|
+
|
|
7
|
+
async function fetchJSON(url, options = {}) {
|
|
8
|
+
return new Promise((resolve, reject) => {
|
|
9
|
+
const urlObj = new URL(url);
|
|
10
|
+
const reqOptions = {
|
|
11
|
+
hostname: urlObj.hostname,
|
|
12
|
+
path: urlObj.pathname + urlObj.search,
|
|
13
|
+
method: options.method || 'GET',
|
|
14
|
+
headers: {
|
|
15
|
+
'User-Agent': 'MUADDIB-Scanner/1.0',
|
|
16
|
+
'Accept': 'application/json',
|
|
17
|
+
...options.headers
|
|
18
|
+
}
|
|
19
|
+
};
|
|
20
|
+
|
|
21
|
+
const req = https.request(reqOptions, (res) => {
|
|
22
|
+
let data = '';
|
|
23
|
+
res.on('data', chunk => data += chunk);
|
|
24
|
+
res.on('end', () => {
|
|
25
|
+
try {
|
|
26
|
+
resolve({ status: res.statusCode, data: JSON.parse(data) });
|
|
27
|
+
} catch (e) {
|
|
28
|
+
resolve({ status: res.statusCode, data: null, error: e.message });
|
|
29
|
+
}
|
|
30
|
+
});
|
|
31
|
+
});
|
|
32
|
+
|
|
33
|
+
req.on('error', reject);
|
|
34
|
+
req.setTimeout(10000, () => {
|
|
35
|
+
req.destroy();
|
|
36
|
+
reject(new Error('Timeout'));
|
|
37
|
+
});
|
|
38
|
+
|
|
39
|
+
if (options.body) {
|
|
40
|
+
req.write(JSON.stringify(options.body));
|
|
41
|
+
}
|
|
42
|
+
|
|
43
|
+
req.end();
|
|
44
|
+
});
|
|
45
|
+
}
|
|
46
|
+
|
|
47
|
+
// ============================================
|
|
48
|
+
// SOURCE 1: GitHub Security Advisories
|
|
49
|
+
// ============================================
|
|
50
|
+
async function scrapeGitHubAdvisories() {
|
|
51
|
+
console.log('[SCRAPER] GitHub Security Advisories...');
|
|
52
|
+
const packages = [];
|
|
53
|
+
|
|
54
|
+
try {
|
|
55
|
+
// Plusieurs pages
|
|
56
|
+
for (let page = 1; page <= 5; page++) {
|
|
57
|
+
const url = `https://api.github.com/advisories?ecosystem=npm&per_page=100&page=${page}`;
|
|
58
|
+
const { status, data } = await fetchJSON(url);
|
|
59
|
+
|
|
60
|
+
if (status !== 200 || !Array.isArray(data)) break;
|
|
61
|
+
if (data.length === 0) break;
|
|
62
|
+
|
|
63
|
+
for (const advisory of data) {
|
|
64
|
+
if (advisory.severity === 'critical' || advisory.severity === 'high') {
|
|
65
|
+
for (const vuln of advisory.vulnerabilities || []) {
|
|
66
|
+
if (vuln.package?.ecosystem === 'npm') {
|
|
67
|
+
packages.push({
|
|
68
|
+
id: advisory.ghsa_id || `GHSA-${Date.now()}`,
|
|
69
|
+
name: vuln.package.name,
|
|
70
|
+
version: vuln.vulnerable_version_range || '*',
|
|
71
|
+
severity: advisory.severity,
|
|
72
|
+
confidence: 'high',
|
|
73
|
+
source: 'github-advisory',
|
|
74
|
+
description: (advisory.summary || '').slice(0, 200),
|
|
75
|
+
references: [advisory.html_url].filter(Boolean),
|
|
76
|
+
mitre: 'T1195.002',
|
|
77
|
+
cve: advisory.cve_id
|
|
78
|
+
});
|
|
79
|
+
}
|
|
80
|
+
}
|
|
81
|
+
}
|
|
82
|
+
}
|
|
83
|
+
}
|
|
84
|
+
console.log(`[SCRAPER] -> ${packages.length} packages trouves`);
|
|
85
|
+
} catch (e) {
|
|
86
|
+
console.log(`[SCRAPER] -> Erreur: ${e.message}`);
|
|
87
|
+
}
|
|
88
|
+
|
|
89
|
+
return packages;
|
|
90
|
+
}
|
|
91
|
+
|
|
92
|
+
// ============================================
|
|
93
|
+
// SOURCE 2: OSV.dev (Open Source Vulnerabilities)
|
|
94
|
+
// ============================================
|
|
95
|
+
async function scrapeOSV() {
|
|
96
|
+
console.log('[SCRAPER] OSV.dev...');
|
|
97
|
+
const packages = [];
|
|
98
|
+
|
|
99
|
+
try {
|
|
100
|
+
// Query malware specifique
|
|
101
|
+
const queries = [
|
|
102
|
+
{ package: { ecosystem: 'npm' }, query: 'malware' },
|
|
103
|
+
{ package: { ecosystem: 'npm' }, query: 'malicious' },
|
|
104
|
+
{ package: { ecosystem: 'npm' }, query: 'typosquat' }
|
|
105
|
+
];
|
|
106
|
+
|
|
107
|
+
for (const q of queries) {
|
|
108
|
+
const { status, data } = await fetchJSON('https://api.osv.dev/v1/query', {
|
|
109
|
+
method: 'POST',
|
|
110
|
+
headers: { 'Content-Type': 'application/json' },
|
|
111
|
+
body: { package: q.package }
|
|
112
|
+
});
|
|
113
|
+
|
|
114
|
+
if (status === 200 && data?.vulns) {
|
|
115
|
+
for (const vuln of data.vulns) {
|
|
116
|
+
for (const affected of vuln.affected || []) {
|
|
117
|
+
if (affected.package?.ecosystem === 'npm') {
|
|
118
|
+
packages.push({
|
|
119
|
+
id: vuln.id,
|
|
120
|
+
name: affected.package.name,
|
|
121
|
+
version: '*',
|
|
122
|
+
severity: 'high',
|
|
123
|
+
confidence: 'high',
|
|
124
|
+
source: 'osv',
|
|
125
|
+
description: (vuln.summary || vuln.details || '').slice(0, 200),
|
|
126
|
+
references: (vuln.references || []).map(r => r.url).slice(0, 2),
|
|
127
|
+
mitre: 'T1195.002'
|
|
128
|
+
});
|
|
129
|
+
}
|
|
130
|
+
}
|
|
131
|
+
}
|
|
132
|
+
}
|
|
133
|
+
}
|
|
134
|
+
console.log(`[SCRAPER] -> ${packages.length} packages trouves`);
|
|
135
|
+
} catch (e) {
|
|
136
|
+
console.log(`[SCRAPER] -> Erreur: ${e.message}`);
|
|
137
|
+
}
|
|
138
|
+
|
|
139
|
+
return packages;
|
|
140
|
+
}
|
|
141
|
+
|
|
142
|
+
// ============================================
|
|
143
|
+
// SOURCE 3: Snyk Vulnerability DB (publique)
|
|
144
|
+
// ============================================
|
|
145
|
+
async function scrapeSnyk() {
|
|
146
|
+
console.log('[SCRAPER] Snyk Vulnerability DB...');
|
|
147
|
+
const packages = [];
|
|
148
|
+
|
|
149
|
+
// Packages malveillants connus de Snyk (liste statique car API payante)
|
|
150
|
+
const knownMalicious = [
|
|
151
|
+
'event-stream', 'flatmap-stream', 'eslint-scope', 'eslint-config-eslint',
|
|
152
|
+
'getcookies', 'mailparser', 'nodemailer', 'nodemailer-js', 'node-ipc',
|
|
153
|
+
'peacenotwar', 'colors', 'faker', 'ua-parser-js', 'rc', 'coa',
|
|
154
|
+
'pac-resolver', 'set-value', 'ansi-html', 'ini', 'y18n', 'node-notifier',
|
|
155
|
+
'trim', 'trim-newlines', 'glob-parent', 'is-svg', 'css-what', 'normalize-url',
|
|
156
|
+
'hosted-git-info', 'ssri', 'tar', 'path-parse', 'json-schema',
|
|
157
|
+
'underscore', 'handlebars', 'lodash', 'marked', 'minimist', 'kind-of'
|
|
158
|
+
];
|
|
159
|
+
|
|
160
|
+
// On ne les ajoute que s'ils ont des versions malveillantes specifiques
|
|
161
|
+
// Pour l'instant on skip car c'est trop de faux positifs
|
|
162
|
+
console.log(`[SCRAPER] -> Skip (API payante)`);
|
|
163
|
+
|
|
164
|
+
return packages;
|
|
165
|
+
}
|
|
166
|
+
|
|
167
|
+
// ============================================
|
|
168
|
+
// SOURCE 4: Socket.dev (via leur blog/reports)
|
|
169
|
+
// ============================================
|
|
170
|
+
async function scrapeSocketReports() {
|
|
171
|
+
console.log('[SCRAPER] Socket.dev reports...');
|
|
172
|
+
const packages = [];
|
|
173
|
+
|
|
174
|
+
// Packages malveillants reportes par Socket.dev
|
|
175
|
+
const socketMalicious = [
|
|
176
|
+
// Shai-Hulud variants
|
|
177
|
+
{ name: '@pnpm.exe/pnpm', severity: 'critical', source: 'socket-shai-hulud' },
|
|
178
|
+
{ name: '@nicklason/npm', severity: 'critical', source: 'socket-shai-hulud' },
|
|
179
|
+
{ name: 'bb-builder', severity: 'critical', source: 'socket-shai-hulud' },
|
|
180
|
+
{ name: 'codespaces-blank', severity: 'critical', source: 'socket-shai-hulud' },
|
|
181
|
+
// Crypto stealers
|
|
182
|
+
{ name: 'crypto-browserify-aes', severity: 'critical', source: 'socket-crypto-stealer' },
|
|
183
|
+
{ name: 'eth-wallet-gen', severity: 'critical', source: 'socket-crypto-stealer' },
|
|
184
|
+
{ name: 'solana-wallet-tools', severity: 'critical', source: 'socket-crypto-stealer' },
|
|
185
|
+
// Discord token stealers
|
|
186
|
+
{ name: 'discord-selfbot-tools', severity: 'critical', source: 'socket-discord-stealer' },
|
|
187
|
+
{ name: 'discord-selfbot-v13', severity: 'critical', source: 'socket-discord-stealer' },
|
|
188
|
+
{ name: 'discord-token-grabber', severity: 'critical', source: 'socket-discord-stealer' },
|
|
189
|
+
{ name: 'discordbot-tokens', severity: 'critical', source: 'socket-discord-stealer' },
|
|
190
|
+
// Typosquats recents
|
|
191
|
+
{ name: 'electorn', severity: 'high', source: 'socket-typosquat' },
|
|
192
|
+
{ name: 'electrn', severity: 'high', source: 'socket-typosquat' },
|
|
193
|
+
{ name: 'reqeusts', severity: 'high', source: 'socket-typosquat' },
|
|
194
|
+
{ name: 'requets', severity: 'high', source: 'socket-typosquat' },
|
|
195
|
+
{ name: 'requsests', severity: 'high', source: 'socket-typosquat' },
|
|
196
|
+
{ name: 'axois', severity: 'high', source: 'socket-typosquat' },
|
|
197
|
+
{ name: 'axio', severity: 'high', source: 'socket-typosquat' },
|
|
198
|
+
{ name: 'lodahs', severity: 'high', source: 'socket-typosquat' },
|
|
199
|
+
{ name: 'lodasg', severity: 'high', source: 'socket-typosquat' },
|
|
200
|
+
{ name: 'expres', severity: 'high', source: 'socket-typosquat' },
|
|
201
|
+
{ name: 'expresss', severity: 'high', source: 'socket-typosquat' },
|
|
202
|
+
{ name: 'momnet', severity: 'high', source: 'socket-typosquat' },
|
|
203
|
+
{ name: 'monment', severity: 'high', source: 'socket-typosquat' },
|
|
204
|
+
{ name: 'recat', severity: 'high', source: 'socket-typosquat' },
|
|
205
|
+
{ name: 'reactt', severity: 'high', source: 'socket-typosquat' },
|
|
206
|
+
{ name: 'chalks', severity: 'high', source: 'socket-typosquat' },
|
|
207
|
+
{ name: 'chalkk', severity: 'high', source: 'socket-typosquat' },
|
|
208
|
+
// Protestware
|
|
209
|
+
{ name: 'styled-components-native', severity: 'high', source: 'socket-protestware' },
|
|
210
|
+
{ name: 'es5-ext', severity: 'medium', source: 'socket-protestware' }
|
|
211
|
+
];
|
|
212
|
+
|
|
213
|
+
for (const pkg of socketMalicious) {
|
|
214
|
+
packages.push({
|
|
215
|
+
id: `SOCKET-${pkg.name}`,
|
|
216
|
+
name: pkg.name,
|
|
217
|
+
version: '*',
|
|
218
|
+
severity: pkg.severity,
|
|
219
|
+
confidence: 'high',
|
|
220
|
+
source: pkg.source,
|
|
221
|
+
description: `Malicious package reported by Socket.dev`,
|
|
222
|
+
references: ['https://socket.dev/npm/package/' + pkg.name],
|
|
223
|
+
mitre: 'T1195.002'
|
|
224
|
+
});
|
|
225
|
+
}
|
|
226
|
+
|
|
227
|
+
console.log(`[SCRAPER] -> ${packages.length} packages trouves`);
|
|
228
|
+
return packages;
|
|
229
|
+
}
|
|
230
|
+
|
|
231
|
+
// ============================================
|
|
232
|
+
// SOURCE 5: Phylum Research
|
|
233
|
+
// ============================================
|
|
234
|
+
async function scrapePhylum() {
|
|
235
|
+
console.log('[SCRAPER] Phylum Research...');
|
|
236
|
+
const packages = [];
|
|
237
|
+
|
|
238
|
+
// Packages malveillants reportes par Phylum
|
|
239
|
+
const phylumMalicious = [
|
|
240
|
+
// Shai-Hulud original
|
|
241
|
+
{ name: '@nicklason/npm-register', severity: 'critical' },
|
|
242
|
+
{ name: 'lemaaa', severity: 'critical' },
|
|
243
|
+
{ name: 'badshell', severity: 'critical' },
|
|
244
|
+
// Reverse shells
|
|
245
|
+
{ name: 'node-shell', severity: 'critical' },
|
|
246
|
+
{ name: 'reverse-shell-as-a-service', severity: 'critical' },
|
|
247
|
+
// Data exfiltration
|
|
248
|
+
{ name: 'browserify-sign-steal', severity: 'critical' },
|
|
249
|
+
{ name: 'npm-script-demo', severity: 'high' },
|
|
250
|
+
// Malware loaders
|
|
251
|
+
{ name: 'load-from-cwd-or-npm', severity: 'high' },
|
|
252
|
+
{ name: 'loadyaml-', severity: 'high' },
|
|
253
|
+
// Install scripts malicious
|
|
254
|
+
{ name: 'preinstall-script', severity: 'high' },
|
|
255
|
+
{ name: 'postinstall-script', severity: 'high' }
|
|
256
|
+
];
|
|
257
|
+
|
|
258
|
+
for (const pkg of phylumMalicious) {
|
|
259
|
+
packages.push({
|
|
260
|
+
id: `PHYLUM-${pkg.name}`,
|
|
261
|
+
name: pkg.name,
|
|
262
|
+
version: '*',
|
|
263
|
+
severity: pkg.severity,
|
|
264
|
+
confidence: 'high',
|
|
265
|
+
source: 'phylum',
|
|
266
|
+
description: `Malicious package reported by Phylum Research`,
|
|
267
|
+
references: ['https://blog.phylum.io'],
|
|
268
|
+
mitre: 'T1195.002'
|
|
269
|
+
});
|
|
270
|
+
}
|
|
271
|
+
|
|
272
|
+
console.log(`[SCRAPER] -> ${packages.length} packages trouves`);
|
|
273
|
+
return packages;
|
|
274
|
+
}
|
|
275
|
+
|
|
276
|
+
// ============================================
|
|
277
|
+
// SOURCE 6: npm unpublished/removed packages
|
|
278
|
+
// ============================================
|
|
279
|
+
async function scrapeNpmRemoved() {
|
|
280
|
+
console.log('[SCRAPER] npm removed packages...');
|
|
281
|
+
const packages = [];
|
|
282
|
+
|
|
283
|
+
// Packages retires de npm pour raisons de securite
|
|
284
|
+
const removedPackages = [
|
|
285
|
+
{ name: 'event-stream', version: '3.3.6', reason: 'Malicious code injection' },
|
|
286
|
+
{ name: 'flatmap-stream', version: '0.1.1', reason: 'Bitcoin wallet stealer' },
|
|
287
|
+
{ name: 'eslint-scope', version: '3.7.2', reason: 'npm token stealer' },
|
|
288
|
+
{ name: 'eslint-config-eslint', version: '5.0.2', reason: 'npm token stealer' },
|
|
289
|
+
{ name: 'getcookies', version: '*', reason: 'Backdoor' },
|
|
290
|
+
{ name: 'mailparser', version: '2.0.5', reason: 'Malicious code' },
|
|
291
|
+
{ name: 'bootstrap-sass', version: '3.4.1', reason: 'Backdoor injection' },
|
|
292
|
+
{ name: 'twilio-npm', version: '*', reason: 'Typosquat malware' },
|
|
293
|
+
{ name: 'discord.js-self', version: '*', reason: 'Token stealer' },
|
|
294
|
+
{ name: 'fallguys', version: '*', reason: 'Malware' },
|
|
295
|
+
{ name: 'am-i-going-to-miss-my-flight', version: '*', reason: 'Test malware' }
|
|
296
|
+
];
|
|
297
|
+
|
|
298
|
+
for (const pkg of removedPackages) {
|
|
299
|
+
packages.push({
|
|
300
|
+
id: `NPM-REMOVED-${pkg.name}`,
|
|
301
|
+
name: pkg.name,
|
|
302
|
+
version: pkg.version,
|
|
303
|
+
severity: 'critical',
|
|
304
|
+
confidence: 'high',
|
|
305
|
+
source: 'npm-removed',
|
|
306
|
+
description: `Removed from npm: ${pkg.reason}`,
|
|
307
|
+
references: ['https://www.npmjs.com/policies/security'],
|
|
308
|
+
mitre: 'T1195.002'
|
|
309
|
+
});
|
|
310
|
+
}
|
|
311
|
+
|
|
312
|
+
console.log(`[SCRAPER] -> ${packages.length} packages trouves`);
|
|
313
|
+
return packages;
|
|
314
|
+
}
|
|
315
|
+
|
|
316
|
+
// ============================================
|
|
317
|
+
// SOURCE 7: Known typosquats generator
|
|
318
|
+
// ============================================
|
|
319
|
+
async function generateTyposquats() {
|
|
320
|
+
console.log('[SCRAPER] Typosquats generation...');
|
|
321
|
+
const packages = [];
|
|
322
|
+
|
|
323
|
+
// Top packages npm et leurs typosquats connus
|
|
324
|
+
const typosquatMap = {
|
|
325
|
+
'lodash': ['lodahs', 'lodasg', 'lodash-', '-lodash', 'lodas', 'lodashh'],
|
|
326
|
+
'express': ['expres', 'expresss', 'exprees', 'exprss', 'exppress'],
|
|
327
|
+
'react': ['recat', 'reactt', 'reacct', 'raect', 'reactjs-', 'reakt'],
|
|
328
|
+
'axios': ['axois', 'axio', 'axioss', 'axiso', 'axius'],
|
|
329
|
+
'moment': ['momnet', 'monment', 'momment', 'momet', 'momentt'],
|
|
330
|
+
'chalk': ['chalks', 'chalkk', 'chlak', 'chalck'],
|
|
331
|
+
'commander': ['comander', 'commanderr', 'comandr'],
|
|
332
|
+
'webpack': ['webpck', 'webpak', 'weback', 'webpackk'],
|
|
333
|
+
'typescript': ['typscript', 'typsecript', 'typescrip', 'typescipt'],
|
|
334
|
+
'eslint': ['eslit', 'eslnt', 'esllint', 'eslintjs'],
|
|
335
|
+
'prettier': ['pretier', 'pretiier', 'prittier', 'prettir'],
|
|
336
|
+
'mongoose': ['mongose', 'mongoos', 'mongoosee', 'mongooose'],
|
|
337
|
+
'electron': ['electorn', 'electrn', 'elctron', 'elecrton'],
|
|
338
|
+
'puppeteer': ['pupeteer', 'puppetter', 'pupetear', 'puppetee'],
|
|
339
|
+
'dotenv': ['dotevn', 'doteenv', 'dotnev', 'dotenv-'],
|
|
340
|
+
'uuid': ['uuidd', 'uudi', 'uud', 'uuid-js'],
|
|
341
|
+
'bcrypt': ['bcript', 'bcryt', 'bcrytp', 'bycrpt'],
|
|
342
|
+
'jsonwebtoken': ['jsonwebtokn', 'jsonwebtoke', 'jwttoken'],
|
|
343
|
+
'nodemailer': ['nodemailr', 'nodemailler', 'nodemalier'],
|
|
344
|
+
'socket.io': ['socketio', 'socet.io', 'socket-io-', 'soket.io']
|
|
345
|
+
};
|
|
346
|
+
|
|
347
|
+
for (const [original, typos] of Object.entries(typosquatMap)) {
|
|
348
|
+
for (const typo of typos) {
|
|
349
|
+
packages.push({
|
|
350
|
+
id: `TYPO-${typo}`,
|
|
351
|
+
name: typo,
|
|
352
|
+
version: '*',
|
|
353
|
+
severity: 'high',
|
|
354
|
+
confidence: 'medium',
|
|
355
|
+
source: 'typosquat-db',
|
|
356
|
+
description: `Potential typosquat of "${original}"`,
|
|
357
|
+
references: [],
|
|
358
|
+
mitre: 'T1195.002'
|
|
359
|
+
});
|
|
360
|
+
}
|
|
361
|
+
}
|
|
362
|
+
|
|
363
|
+
console.log(`[SCRAPER] -> ${packages.length} packages trouves`);
|
|
364
|
+
return packages;
|
|
365
|
+
}
|
|
366
|
+
|
|
367
|
+
// ============================================
|
|
368
|
+
// MAIN SCRAPER
|
|
369
|
+
// ============================================
|
|
370
|
+
async function runScraper() {
|
|
371
|
+
console.log('\n╔════════════════════════════════════════════╗');
|
|
372
|
+
console.log('║ MUAD\'DIB IOC Scraper ║');
|
|
373
|
+
console.log('╚════════════════════════════════════════════╝\n');
|
|
374
|
+
|
|
375
|
+
// Charger les IOCs existants
|
|
376
|
+
let existingIOCs = { packages: [], hashes: [], markers: [], files: [] };
|
|
377
|
+
if (fs.existsSync(IOC_FILE)) {
|
|
378
|
+
existingIOCs = JSON.parse(fs.readFileSync(IOC_FILE, 'utf8'));
|
|
379
|
+
}
|
|
380
|
+
|
|
381
|
+
const existingNames = new Set(existingIOCs.packages.map(p => p.name));
|
|
382
|
+
const initialCount = existingIOCs.packages.length;
|
|
383
|
+
|
|
384
|
+
// Scraper toutes les sources
|
|
385
|
+
const results = await Promise.all([
|
|
386
|
+
scrapeGitHubAdvisories(),
|
|
387
|
+
scrapeOSV(),
|
|
388
|
+
scrapeSocketReports(),
|
|
389
|
+
scrapePhylum(),
|
|
390
|
+
scrapeNpmRemoved(),
|
|
391
|
+
generateTyposquats()
|
|
392
|
+
]);
|
|
393
|
+
|
|
394
|
+
// Fusionner sans doublons
|
|
395
|
+
let added = 0;
|
|
396
|
+
for (const pkgList of results) {
|
|
397
|
+
for (const pkg of pkgList) {
|
|
398
|
+
if (!existingNames.has(pkg.name)) {
|
|
399
|
+
existingIOCs.packages.push(pkg);
|
|
400
|
+
existingNames.add(pkg.name);
|
|
401
|
+
added++;
|
|
402
|
+
}
|
|
403
|
+
}
|
|
404
|
+
}
|
|
405
|
+
|
|
406
|
+
// Sauvegarder
|
|
407
|
+
fs.writeFileSync(IOC_FILE, JSON.stringify(existingIOCs, null, 2));
|
|
408
|
+
|
|
409
|
+
console.log('\n╔════════════════════════════════════════════╗');
|
|
410
|
+
console.log('║ Resultats ║');
|
|
411
|
+
console.log('╚════════════════════════════════════════════╝');
|
|
412
|
+
console.log(` IOCs avant: ${initialCount}`);
|
|
413
|
+
console.log(` Nouveaux: ${added}`);
|
|
414
|
+
console.log(` Total: ${existingIOCs.packages.length}`);
|
|
415
|
+
console.log(` Fichier: ${IOC_FILE}\n`);
|
|
416
|
+
|
|
417
|
+
return { added, total: existingIOCs.packages.length };
|
|
418
|
+
}
|
|
419
|
+
|
|
420
|
+
module.exports = { runScraper };
|
package/src/scanner/ast.js
CHANGED
|
@@ -11,7 +11,7 @@ const EXCLUDED_FILES = [
|
|
|
11
11
|
'src/response/playbooks.js'
|
|
12
12
|
];
|
|
13
13
|
|
|
14
|
-
const EXCLUDED_DIRS = ['test', 'tests', 'node_modules', '.git', 'src'];
|
|
14
|
+
const EXCLUDED_DIRS = ['test', 'tests', 'node_modules', '.git', 'src', 'vscode-extension'];
|
|
15
15
|
|
|
16
16
|
const DANGEROUS_CALLS = [
|
|
17
17
|
'eval',
|
package/src/scanner/dataflow.js
CHANGED
|
@@ -3,7 +3,7 @@ const path = require('path');
|
|
|
3
3
|
const acorn = require('acorn');
|
|
4
4
|
const walk = require('acorn-walk');
|
|
5
5
|
|
|
6
|
-
const EXCLUDED_DIRS = ['test', 'tests', 'node_modules', '.git', 'src'];
|
|
6
|
+
const EXCLUDED_DIRS = ['test', 'tests', 'node_modules', '.git', 'src', 'vscode-extension'];
|
|
7
7
|
|
|
8
8
|
async function analyzeDataFlow(targetPath) {
|
|
9
9
|
const threats = [];
|
|
@@ -66,7 +66,7 @@ function detectObfuscation(targetPath) {
|
|
|
66
66
|
return threats;
|
|
67
67
|
}
|
|
68
68
|
|
|
69
|
-
const EXCLUDED_DIRS = ['test', 'tests', 'node_modules', '.git', 'src'];
|
|
69
|
+
const EXCLUDED_DIRS = ['test', 'tests', 'node_modules', '.git', 'src', 'vscode-extension'];
|
|
70
70
|
|
|
71
71
|
function findJsFiles(dir) {
|
|
72
72
|
const results = [];
|
|
@@ -0,0 +1,21 @@
|
|
|
1
|
+
MIT License
|
|
2
|
+
|
|
3
|
+
Copyright (c) 2026 MUAD'DIB Contributors
|
|
4
|
+
|
|
5
|
+
Permission is hereby granted, free of charge, to any person obtaining a copy
|
|
6
|
+
of this software and associated documentation files (the "Software"), to deal
|
|
7
|
+
in the Software without restriction, including without limitation the rights
|
|
8
|
+
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
|
|
9
|
+
copies of the Software, and to permit persons to whom the Software is
|
|
10
|
+
furnished to do so, subject to the following conditions:
|
|
11
|
+
|
|
12
|
+
The above copyright notice and this permission notice shall be included in all
|
|
13
|
+
copies or substantial portions of the Software.
|
|
14
|
+
|
|
15
|
+
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
|
16
|
+
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
|
|
17
|
+
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
|
|
18
|
+
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
|
|
19
|
+
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
|
|
20
|
+
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
|
|
21
|
+
SOFTWARE.
|
|
Binary file
|