-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathqa-test.mjs
More file actions
227 lines (208 loc) · 11.2 KB
/
qa-test.mjs
File metadata and controls
227 lines (208 loc) · 11.2 KB
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
// QA test harness — runs all 10 test cases against real proxy credentials
import { agentproxyFetch, validateFetchParams } from "./build/tools/fetch.js";
import { agentproxySearch, validateSearchParams } from "./build/tools/search.js";
import { agentproxySession, validateSessionParams } from "./build/tools/session.js";
import { agentproxyStatus } from "./build/tools/status.js";
const PROXY_USER = process.env.NOVADA_PROXY_USER;
const PROXY_PASS = process.env.NOVADA_PROXY_PASS;
const NOVADA_API_KEY = process.env.NOVADA_API_KEY;
const results = [];
let pass = 0, fail = 0;
function log(testName, status, note, output = "") {
const icon = status === "PASS" ? "✅" : status === "FAIL" ? "❌" : "⚠️";
console.log(`\n${icon} ${testName}: ${status}`);
if (note) console.log(` ${note}`);
if (output) {
const lines = output.split("\n").slice(0, 6);
console.log(" Output (first 6 lines):");
lines.forEach(l => console.log(` ${l}`));
}
results.push({ testName, status, note });
if (status === "PASS") pass++;
else if (status === "FAIL") fail++;
}
async function runTest(name, fn) {
try {
await fn();
} catch (err) {
log(name, "FAIL", `Unexpected exception: ${err.message}`);
}
}
// ── Test 1: Basic fetch — raw IP ──────────────────────────────────────────────
await runTest("T1: agentproxy_fetch basic (httpbin.org/ip, raw)", async () => {
const out = await agentproxyFetch(
validateFetchParams({ url: "https://httpbin.org/ip", format: "raw" }),
PROXY_USER, PROXY_PASS
);
const match = out.match(/"origin":\s*"([\d.]+)"/);
const ip = match?.[1];
// Simple check: must return an IP and it must not be a private IP
const isPrivate = ip && (ip.startsWith("192.168") || ip.startsWith("10.") || ip.startsWith("127."));
if (!ip) {
log("T1: Basic fetch", "FAIL", `No IP in response. Output: ${out.slice(0, 200)}`);
} else if (isPrivate) {
log("T1: Basic fetch", "FAIL", `Got private IP (${ip}) — not routed through residential proxy`);
} else {
log("T1: Basic fetch", "PASS", `Got IP: ${ip} (non-private, proxy confirmed)`, out.slice(0, 300));
}
});
// ── Test 2: Country targeting (DE) ───────────────────────────────────────────
await runTest("T2: agentproxy_fetch country=DE", async () => {
const out = await agentproxyFetch(
validateFetchParams({ url: "https://httpbin.org/ip", format: "raw", country: "DE" }),
PROXY_USER, PROXY_PASS
);
const ipMatch = out.match(/"origin":\s*"([\d.]+)"/);
const ip = ipMatch?.[1];
// We verify the response includes the DE meta tag from the tool
const hasDE = out.includes("Country: DE");
if (!ip) {
log("T2: Country DE", "FAIL", `No IP found. Output: ${out.slice(0, 200)}`);
} else if (!hasDE) {
log("T2: Country DE", "WARN", `IP ${ip} returned but no 'Country: DE' in meta — check routing`, out.slice(0, 300));
} else {
log("T2: Country DE", "PASS", `IP: ${ip} | Meta confirms DE routing`, out.slice(0, 300));
}
});
// ── Test 3: Markdown conversion ───────────────────────────────────────────────
await runTest("T3: agentproxy_fetch markdown (example.com)", async () => {
const out = await agentproxyFetch(
validateFetchParams({ url: "https://example.com", format: "markdown" }),
PROXY_USER, PROXY_PASS
);
const hasHtmlTag = /<html|<body|<head/i.test(out);
const hasScriptTag = /<script/i.test(out);
const hasContent = out.includes("Example Domain");
if (hasHtmlTag || hasScriptTag) {
log("T3: Markdown", "FAIL", `Raw HTML leaked into markdown output`, out.slice(0, 400));
} else if (!hasContent) {
log("T3: Markdown", "FAIL", `Expected 'Example Domain' not found in output`, out.slice(0, 400));
} else {
log("T3: Markdown", "PASS", `Clean markdown — no HTML tags, content present`, out.slice(0, 400));
}
});
// ── Test 4: Anti-bot (Amazon) ─────────────────────────────────────────────────
await runTest("T4: agentproxy_fetch Amazon anti-bot", async () => {
const out = await agentproxyFetch(
validateFetchParams({ url: "https://www.amazon.com/dp/B0BSHF7WHW", country: "US", format: "markdown", timeout: 60 }),
PROXY_USER, PROXY_PASS
);
const blocked = out.toLowerCase().includes("robot") || out.toLowerCase().includes("captcha") ||
out.toLowerCase().includes("sorry") || out.toLowerCase().includes("automated");
const hasProduct = out.toLowerCase().includes("kindle") || out.toLowerCase().includes("amazon") ||
out.toLowerCase().includes("add to cart") || out.toLowerCase().includes("price") ||
out.toLowerCase().includes("buy");
const status = out.match(/Status:\s*(\d+)/)?.[1];
if (blocked && !hasProduct) {
log("T4: Amazon anti-bot", "FAIL", `Blocked. Status: ${status}. Keywords: robot/captcha detected`, out.slice(0, 600));
} else if (hasProduct) {
log("T4: Amazon anti-bot", "PASS", `Product content returned. Status: ${status}`, out.slice(0, 600));
} else {
log("T4: Amazon anti-bot", "WARN", `Status: ${status} — ambiguous response (no clear block or product)`, out.slice(0, 600));
}
});
// ── Test 5: Session stickiness ────────────────────────────────────────────────
await runTest("T5: agentproxy_session sticky IP", async () => {
const s1a = await agentproxySession(
validateSessionParams({ session_id: "testqa001", url: "https://httpbin.org/ip" }),
PROXY_USER, PROXY_PASS
);
const s1b = await agentproxySession(
validateSessionParams({ session_id: "testqa001", url: "https://httpbin.org/ip" }),
PROXY_USER, PROXY_PASS
);
const s2 = await agentproxySession(
validateSessionParams({ session_id: "testqa002", url: "https://httpbin.org/ip" }),
PROXY_USER, PROXY_PASS
);
const ip1a = s1a.match(/"origin":\s*"([\d.]+)"/)?.[1];
const ip1b = s1b.match(/"origin":\s*"([\d.]+)"/)?.[1];
const ip2 = s2.match(/"origin":\s*"([\d.]+)"/)?.[1];
console.log(` Session testqa001 call 1: ${ip1a}`);
console.log(` Session testqa001 call 2: ${ip1b}`);
console.log(` Session testqa002: ${ip2}`);
const stickyOk = ip1a && ip1b && ip1a === ip1b;
const differentOk = ip1a && ip2 && ip1a !== ip2;
if (!stickyOk && !differentOk) {
log("T5: Session stickiness", "FAIL", `Could not verify — IPs: ${ip1a}, ${ip1b}, ${ip2}`);
} else if (!stickyOk) {
log("T5: Session stickiness", "FAIL", `Same session returned different IPs: ${ip1a} vs ${ip1b}`);
} else if (!differentOk) {
log("T5: Session stickiness", "WARN", `Sticky IPs match (${ip1a}) but both sessions got same IP — may be coincidence`);
} else {
log("T5: Session stickiness", "PASS", `Same session: ${ip1a} === ${ip1b} | Different session: ${ip2}`);
}
});
// ── Test 6: Hyphen guard ──────────────────────────────────────────────────────
await runTest("T6: session_id hyphen guard", async () => {
try {
validateSessionParams({ session_id: "my-bad-id", url: "https://httpbin.org/ip" });
// If we get here, validation passed — which is wrong for v1.3.0
// Check if validateSessionParams actually validates hyphens in session_id
log("T6: Hyphen guard", "FAIL", `'my-bad-id' passed validation — session_id hyphen guard missing in validateSessionParams`);
} catch (err) {
if (err.message.includes("hyphen") || err.message.includes("session_id") || err.message.includes("underscore")) {
log("T6: Hyphen guard", "PASS", `Correctly rejected: ${err.message}`);
} else {
log("T6: Hyphen guard", "WARN", `Rejected but unclear message: ${err.message}`);
}
}
});
// ── Test 7: Search — Google ───────────────────────────────────────────────────
await runTest("T7: agentproxy_search Google", async () => {
const out = await agentproxySearch(
validateSearchParams({ query: "residential proxy API 2025", engine: "google", num: 5 }),
NOVADA_API_KEY
);
const hasResults = out.includes("**") && out.includes("http");
const lineCount = out.split("\n").length;
if (!hasResults) {
log("T7: Google search", "FAIL", `No structured results found`, out.slice(0, 400));
} else {
log("T7: Google search", "PASS", `${lineCount} lines returned, structured results present`, out.slice(0, 500));
}
});
// ── Test 8: Search — Bing ─────────────────────────────────────────────────────
await runTest("T8: agentproxy_search Bing", async () => {
const out = await agentproxySearch(
validateSearchParams({ query: "Novada proxy", engine: "bing", num: 3 }),
NOVADA_API_KEY
);
const hasResults = out.includes("**") && out.includes("http");
if (!hasResults) {
log("T8: Bing search", "FAIL", `No structured results`, out.slice(0, 400));
} else {
log("T8: Bing search", "PASS", `Bing results returned`, out.slice(0, 400));
}
});
// ── Test 9: Status ─────────────────────────────────────────────────────────────
await runTest("T9: agentproxy_status", async () => {
const out = await agentproxyStatus();
const hasStatus = out.includes("Status:");
const nodeMatch = out.match(/Connected nodes:\s*([\d,]+)/);
const nodeCount = nodeMatch ? parseInt(nodeMatch[1].replace(/,/g, "")) : 0;
if (!hasStatus) {
log("T9: Status", "FAIL", `No status field in response`, out);
} else if (nodeCount < 100) {
log("T9: Status", "WARN", `Low node count: ${nodeCount}`, out);
} else {
log("T9: Status", "PASS", `Nodes: ${nodeCount.toLocaleString()}`, out);
}
});
// ── Test 10: Error handling — bad URL ─────────────────────────────────────────
await runTest("T10: Error handling — bad URL", async () => {
try {
validateFetchParams({ url: "ftp://bad-url.com" });
log("T10: URL validation", "FAIL", "ftp:// should have been rejected by validateFetchParams");
} catch (err) {
log("T10: URL validation", "PASS", `Correctly rejected: ${err.message}`);
}
});
// ── Summary ────────────────────────────────────────────────────────────────────
console.log("\n" + "=".repeat(60));
console.log(`SUMMARY: ${pass} passed, ${fail} failed, ${results.length - pass - fail} warnings`);
console.log("=".repeat(60));
results.forEach(r => {
const icon = r.status === "PASS" ? "✅" : r.status === "FAIL" ? "❌" : "⚠️";
console.log(`${icon} ${r.testName}: ${r.status}${r.note ? " — " + r.note.slice(0, 80) : ""}`);
});