princejs 1.5.0 → 1.5.2
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/dist/create.js +153 -0
- package/dist/index.js +42 -82
- package/dist/middleware.js +54 -5
- package/dist/prince.js +141 -363
- package/package.json +27 -8
- package/bin/create.ts +0 -16
package/dist/create.js
ADDED
|
@@ -0,0 +1,153 @@
|
|
|
1
|
+
#!/usr/bin/env bun
|
|
2
|
+
// @bun
|
|
3
|
+
|
|
4
|
+
// bin/create.ts
|
|
5
|
+
import { existsSync, mkdirSync, writeFileSync } from "fs";
|
|
6
|
+
import { join } from "path";
|
|
7
|
+
var name = Bun.argv[2];
|
|
8
|
+
if (!name) {
|
|
9
|
+
console.error("\u274C Error: Please provide a project name");
|
|
10
|
+
console.log("Usage: bunx create-princejs <project-name>");
|
|
11
|
+
process.exit(1);
|
|
12
|
+
}
|
|
13
|
+
if (existsSync(name)) {
|
|
14
|
+
console.error(`\u274C Error: Directory "${name}" already exists`);
|
|
15
|
+
process.exit(1);
|
|
16
|
+
}
|
|
17
|
+
console.log(`\uD83C\uDFA8 Creating PrinceJS project: ${name}...`);
|
|
18
|
+
mkdirSync(name, { recursive: true });
|
|
19
|
+
mkdirSync(join(name, "src"), { recursive: true });
|
|
20
|
+
var packageJson = {
|
|
21
|
+
name,
|
|
22
|
+
version: "1.0.0",
|
|
23
|
+
type: "module",
|
|
24
|
+
scripts: {
|
|
25
|
+
dev: "bun --watch src/index.ts",
|
|
26
|
+
start: "bun src/index.ts"
|
|
27
|
+
},
|
|
28
|
+
dependencies: {
|
|
29
|
+
princejs: "latest"
|
|
30
|
+
},
|
|
31
|
+
devDependencies: {
|
|
32
|
+
"@types/bun": "latest",
|
|
33
|
+
"bun-types": "latest"
|
|
34
|
+
}
|
|
35
|
+
};
|
|
36
|
+
writeFileSync(join(name, "package.json"), JSON.stringify(packageJson, null, 2));
|
|
37
|
+
var indexContent = `import { prince } from "princejs";
|
|
38
|
+
import { cors, logger } from "princejs/middleware";
|
|
39
|
+
|
|
40
|
+
const app = prince(true); // dev mode enabled
|
|
41
|
+
|
|
42
|
+
// Middleware
|
|
43
|
+
app.use(cors());
|
|
44
|
+
app.use(logger({ format: "dev" }));
|
|
45
|
+
|
|
46
|
+
// Routes
|
|
47
|
+
app.get("/", () => {
|
|
48
|
+
return { message: "Welcome to PrinceJS! \uD83D\uDE80" };
|
|
49
|
+
});
|
|
50
|
+
|
|
51
|
+
app.get("/hello/:name", (req) => {
|
|
52
|
+
return { message: \`Hello, \${req.params.name}!\` };
|
|
53
|
+
});
|
|
54
|
+
|
|
55
|
+
app.post("/echo", (req) => {
|
|
56
|
+
return { echo: req.body };
|
|
57
|
+
});
|
|
58
|
+
|
|
59
|
+
// WebSocket example
|
|
60
|
+
app.ws("/ws", {
|
|
61
|
+
open: (ws) => {
|
|
62
|
+
console.log("Client connected");
|
|
63
|
+
ws.send("Welcome to WebSocket!");
|
|
64
|
+
},
|
|
65
|
+
message: (ws, msg) => {
|
|
66
|
+
console.log("Received:", msg);
|
|
67
|
+
ws.send(\`Echo: \${msg}\`);
|
|
68
|
+
},
|
|
69
|
+
close: (ws) => {
|
|
70
|
+
console.log("Client disconnected");
|
|
71
|
+
}
|
|
72
|
+
});
|
|
73
|
+
|
|
74
|
+
// Start server
|
|
75
|
+
const PORT = process.env.PORT || 3000;
|
|
76
|
+
app.listen(PORT);
|
|
77
|
+
`;
|
|
78
|
+
writeFileSync(join(name, "src", "index.ts"), indexContent);
|
|
79
|
+
var tsconfigContent = {
|
|
80
|
+
compilerOptions: {
|
|
81
|
+
lib: ["ESNext"],
|
|
82
|
+
target: "ESNext",
|
|
83
|
+
module: "ESNext",
|
|
84
|
+
moduleDetection: "force",
|
|
85
|
+
jsx: "react-jsx",
|
|
86
|
+
allowJs: true,
|
|
87
|
+
moduleResolution: "bundler",
|
|
88
|
+
allowImportingTsExtensions: true,
|
|
89
|
+
verbatimModuleSyntax: true,
|
|
90
|
+
noEmit: true,
|
|
91
|
+
strict: true,
|
|
92
|
+
skipLibCheck: true,
|
|
93
|
+
noFallthroughCasesInSwitch: true,
|
|
94
|
+
noUnusedLocals: false,
|
|
95
|
+
noUnusedParameters: false,
|
|
96
|
+
noPropertyAccessFromIndexSignature: false,
|
|
97
|
+
types: ["bun-types"]
|
|
98
|
+
}
|
|
99
|
+
};
|
|
100
|
+
writeFileSync(join(name, "tsconfig.json"), JSON.stringify(tsconfigContent, null, 2));
|
|
101
|
+
var gitignoreContent = `node_modules
|
|
102
|
+
.DS_Store
|
|
103
|
+
*.log
|
|
104
|
+
dist
|
|
105
|
+
.env
|
|
106
|
+
.env.local
|
|
107
|
+
`;
|
|
108
|
+
writeFileSync(join(name, ".gitignore"), gitignoreContent);
|
|
109
|
+
var readmeContent = `# ${name}
|
|
110
|
+
|
|
111
|
+
A PrinceJS application.
|
|
112
|
+
|
|
113
|
+
## Getting Started
|
|
114
|
+
|
|
115
|
+
Install dependencies:
|
|
116
|
+
\`\`\`bash
|
|
117
|
+
bun install
|
|
118
|
+
\`\`\`
|
|
119
|
+
|
|
120
|
+
Run the development server:
|
|
121
|
+
\`\`\`bash
|
|
122
|
+
bun run dev
|
|
123
|
+
\`\`\`
|
|
124
|
+
|
|
125
|
+
Your server will be running at \`http://localhost:3000\`
|
|
126
|
+
|
|
127
|
+
## Available Endpoints
|
|
128
|
+
|
|
129
|
+
- \`GET /\` - Welcome message
|
|
130
|
+
- \`GET /hello/:name\` - Personalized greeting
|
|
131
|
+
- \`POST /echo\` - Echo back request body
|
|
132
|
+
- \`WS /ws\` - WebSocket connection
|
|
133
|
+
|
|
134
|
+
## Learn More
|
|
135
|
+
|
|
136
|
+
- [PrinceJS Documentation](https://github.com/MatthewTheCoder1218/princejs)
|
|
137
|
+
- [Bun Documentation](https://bun.sh/docs)
|
|
138
|
+
`;
|
|
139
|
+
writeFileSync(join(name, "README.md"), readmeContent);
|
|
140
|
+
var envContent = `PORT=3000
|
|
141
|
+
`;
|
|
142
|
+
writeFileSync(join(name, ".env.example"), envContent);
|
|
143
|
+
console.log(`
|
|
144
|
+
\u2705 Project created successfully!
|
|
145
|
+
`);
|
|
146
|
+
console.log("\uD83D\uDCC2 Next steps:");
|
|
147
|
+
console.log(` cd ${name}`);
|
|
148
|
+
console.log(" bun install");
|
|
149
|
+
console.log(` bun run dev
|
|
150
|
+
`);
|
|
151
|
+
console.log("\uD83D\uDE80 Your server will start at http://localhost:3000");
|
|
152
|
+
console.log(`\uD83D\uDCDA Check README.md for more information
|
|
153
|
+
`);
|
package/dist/index.js
CHANGED
|
@@ -59,7 +59,6 @@ class Prince {
|
|
|
59
59
|
rawRoutes = [];
|
|
60
60
|
middlewares = [];
|
|
61
61
|
errorHandler;
|
|
62
|
-
prefix = "";
|
|
63
62
|
wsRoutes = {};
|
|
64
63
|
openapiData = null;
|
|
65
64
|
constructor(devMode = false) {
|
|
@@ -103,21 +102,6 @@ class Prince {
|
|
|
103
102
|
this.get(path, () => this.openapiData);
|
|
104
103
|
return this;
|
|
105
104
|
}
|
|
106
|
-
route(path) {
|
|
107
|
-
const group = new Prince(this.devMode);
|
|
108
|
-
group.prefix = path;
|
|
109
|
-
group.middlewares = [...this.middlewares];
|
|
110
|
-
return {
|
|
111
|
-
get: (subpath, handler) => {
|
|
112
|
-
this.get(path + subpath, handler);
|
|
113
|
-
return group;
|
|
114
|
-
},
|
|
115
|
-
post: (subpath, handler) => {
|
|
116
|
-
this.post(path + subpath, handler);
|
|
117
|
-
return group;
|
|
118
|
-
}
|
|
119
|
-
};
|
|
120
|
-
}
|
|
121
105
|
get(path, handler) {
|
|
122
106
|
return this.add("GET", path, handler);
|
|
123
107
|
}
|
|
@@ -136,26 +120,30 @@ class Prince {
|
|
|
136
120
|
add(method, path, handler) {
|
|
137
121
|
if (!path.startsWith("/"))
|
|
138
122
|
path = "/" + path;
|
|
139
|
-
if (path
|
|
123
|
+
if (path !== "/" && path.endsWith("/"))
|
|
140
124
|
path = path.slice(0, -1);
|
|
141
125
|
const parts = path === "/" ? [""] : path.split("/").slice(1);
|
|
142
|
-
this.rawRoutes.push({ method
|
|
126
|
+
this.rawRoutes.push({ method, path, parts, handler });
|
|
143
127
|
return this;
|
|
144
128
|
}
|
|
145
129
|
parseUrl(req) {
|
|
146
130
|
const url = new URL(req.url);
|
|
147
131
|
const query = {};
|
|
148
|
-
for (const [
|
|
149
|
-
query[
|
|
132
|
+
for (const [k, v] of url.searchParams.entries())
|
|
133
|
+
query[k] = v;
|
|
150
134
|
return { pathname: url.pathname, query };
|
|
151
135
|
}
|
|
152
136
|
async parseBody(req) {
|
|
153
137
|
const ct = req.headers.get("content-type") || "";
|
|
138
|
+
if (ct.includes("application/json"))
|
|
139
|
+
return await req.json();
|
|
140
|
+
if (ct.includes("application/x-www-form-urlencoded"))
|
|
141
|
+
return Object.fromEntries(new URLSearchParams(await req.text()).entries());
|
|
154
142
|
if (ct.startsWith("multipart/form-data")) {
|
|
155
|
-
const
|
|
143
|
+
const fd = await req.formData();
|
|
156
144
|
const files = {};
|
|
157
145
|
const fields = {};
|
|
158
|
-
for (const [k, v] of
|
|
146
|
+
for (const [k, v] of fd.entries()) {
|
|
159
147
|
if (v instanceof File)
|
|
160
148
|
files[k] = v;
|
|
161
149
|
else
|
|
@@ -163,73 +151,46 @@ class Prince {
|
|
|
163
151
|
}
|
|
164
152
|
return { files, fields };
|
|
165
153
|
}
|
|
166
|
-
if (ct.includes("application/json"))
|
|
167
|
-
return await req.json();
|
|
168
|
-
if (ct.includes("application/x-www-form-urlencoded")) {
|
|
169
|
-
return Object.fromEntries(new URLSearchParams(await req.text()).entries());
|
|
170
|
-
}
|
|
171
154
|
if (ct.startsWith("text/"))
|
|
172
155
|
return await req.text();
|
|
173
156
|
return null;
|
|
174
157
|
}
|
|
175
158
|
buildRouter() {
|
|
176
159
|
const root = new TrieNode;
|
|
177
|
-
for (const
|
|
160
|
+
for (const r of this.rawRoutes) {
|
|
178
161
|
let node = root;
|
|
179
|
-
|
|
180
|
-
|
|
181
|
-
|
|
182
|
-
node.handlers = Object.create(null);
|
|
183
|
-
node.handlers[route.method] = route.handler;
|
|
162
|
+
if (r.parts.length === 1 && r.parts[0] === "") {
|
|
163
|
+
node.handlers ??= {};
|
|
164
|
+
node.handlers[r.method] = r.handler;
|
|
184
165
|
continue;
|
|
185
166
|
}
|
|
186
|
-
for (const part of parts) {
|
|
187
|
-
if (part
|
|
188
|
-
if (!node.catchAllChild)
|
|
189
|
-
node.catchAllChild = { name: "**", node: new TrieNode };
|
|
190
|
-
node = node.catchAllChild.node;
|
|
191
|
-
break;
|
|
192
|
-
} else if (part.startsWith(":")) {
|
|
167
|
+
for (const part of r.parts) {
|
|
168
|
+
if (part.startsWith(":")) {
|
|
193
169
|
const name = part.slice(1);
|
|
194
|
-
|
|
195
|
-
node.paramChild = { name, node: new TrieNode };
|
|
170
|
+
node.paramChild ??= { name, node: new TrieNode };
|
|
196
171
|
node = node.paramChild.node;
|
|
197
172
|
} else {
|
|
198
|
-
node
|
|
173
|
+
node.children[part] ??= new TrieNode;
|
|
174
|
+
node = node.children[part];
|
|
199
175
|
}
|
|
200
176
|
}
|
|
201
|
-
node.handlers ??=
|
|
202
|
-
node.handlers[
|
|
177
|
+
node.handlers ??= {};
|
|
178
|
+
node.handlers[r.method] = r.handler;
|
|
203
179
|
}
|
|
204
180
|
return root;
|
|
205
181
|
}
|
|
206
182
|
compilePipeline(handler) {
|
|
207
|
-
const mws = this.middlewares;
|
|
208
|
-
if (mws.length === 0)
|
|
209
|
-
return async (req, params, query) => {
|
|
210
|
-
const r = req;
|
|
211
|
-
r.params = params;
|
|
212
|
-
r.query = query;
|
|
213
|
-
if (["POST", "PUT", "PATCH"].includes(req.method))
|
|
214
|
-
r.body = await this.parseBody(req);
|
|
215
|
-
const res = await handler(r);
|
|
216
|
-
if (res instanceof Response)
|
|
217
|
-
return res;
|
|
218
|
-
if (typeof res === "string")
|
|
219
|
-
return new Response(res);
|
|
220
|
-
return this.json(res);
|
|
221
|
-
};
|
|
222
183
|
return async (req, params, query) => {
|
|
223
|
-
|
|
224
|
-
|
|
225
|
-
r.query = query;
|
|
184
|
+
req.params = params;
|
|
185
|
+
req.query = query;
|
|
226
186
|
let i = 0;
|
|
227
187
|
const next = async () => {
|
|
228
|
-
if (i <
|
|
229
|
-
return await
|
|
188
|
+
if (i < this.middlewares.length) {
|
|
189
|
+
return await this.middlewares[i++](req, next) ?? new Response("");
|
|
190
|
+
}
|
|
230
191
|
if (["POST", "PUT", "PATCH"].includes(req.method))
|
|
231
|
-
|
|
232
|
-
const res = await handler(
|
|
192
|
+
req.body = await this.parseBody(req);
|
|
193
|
+
const res = await handler(req);
|
|
233
194
|
if (res instanceof Response)
|
|
234
195
|
return res;
|
|
235
196
|
if (typeof res === "string")
|
|
@@ -241,8 +202,10 @@ class Prince {
|
|
|
241
202
|
}
|
|
242
203
|
async handleFetch(req) {
|
|
243
204
|
const { pathname, query } = this.parseUrl(req);
|
|
205
|
+
const r = req;
|
|
244
206
|
const segments = pathname === "/" ? [] : pathname.slice(1).split("/");
|
|
245
|
-
let node = this.buildRouter()
|
|
207
|
+
let node = this.buildRouter();
|
|
208
|
+
let params = {};
|
|
246
209
|
for (const seg of segments) {
|
|
247
210
|
if (node.children[seg])
|
|
248
211
|
node = node.children[seg];
|
|
@@ -256,7 +219,7 @@ class Prince {
|
|
|
256
219
|
if (!handler)
|
|
257
220
|
return this.json({ error: "Method Not Allowed" }, 405);
|
|
258
221
|
const pipeline = this.compilePipeline(handler);
|
|
259
|
-
return
|
|
222
|
+
return pipeline(r, params, query);
|
|
260
223
|
}
|
|
261
224
|
listen(port = 3000) {
|
|
262
225
|
const self = this;
|
|
@@ -264,33 +227,30 @@ class Prince {
|
|
|
264
227
|
port,
|
|
265
228
|
fetch(req, server) {
|
|
266
229
|
const { pathname } = new URL(req.url);
|
|
267
|
-
const
|
|
268
|
-
if (
|
|
269
|
-
|
|
270
|
-
|
|
271
|
-
return new Response("Upgrade failed", { status: 500 });
|
|
230
|
+
const ws = self.wsRoutes[pathname];
|
|
231
|
+
if (ws) {
|
|
232
|
+
server.upgrade(req, { data: { ws } });
|
|
233
|
+
return;
|
|
272
234
|
}
|
|
273
|
-
|
|
274
|
-
return self.handleFetch(req);
|
|
275
|
-
} catch (err) {
|
|
235
|
+
return self.handleFetch(req).catch((err) => {
|
|
276
236
|
if (self.errorHandler)
|
|
277
237
|
return self.errorHandler(err, req);
|
|
278
238
|
return self.json({ error: String(err) }, 500);
|
|
279
|
-
}
|
|
239
|
+
});
|
|
280
240
|
},
|
|
281
241
|
websocket: {
|
|
282
242
|
open(ws) {
|
|
283
|
-
ws.data.
|
|
243
|
+
ws.data.ws?.open?.(ws);
|
|
284
244
|
},
|
|
285
245
|
message(ws, msg) {
|
|
286
|
-
ws.data.
|
|
246
|
+
ws.data.ws?.message?.(ws, msg);
|
|
287
247
|
},
|
|
288
248
|
close(ws) {
|
|
289
|
-
ws.data.
|
|
249
|
+
ws.data.ws?.close?.(ws);
|
|
290
250
|
}
|
|
291
251
|
}
|
|
292
252
|
});
|
|
293
|
-
console.log(`\uD83D\uDE80 PrinceJS running
|
|
253
|
+
console.log(`\uD83D\uDE80 PrinceJS running http://localhost:${port}`);
|
|
294
254
|
}
|
|
295
255
|
}
|
|
296
256
|
var prince = (dev = false) => new Prince(dev);
|
package/dist/middleware.js
CHANGED
|
@@ -83,27 +83,76 @@ var logger = (options) => {
|
|
|
83
83
|
};
|
|
84
84
|
var rateLimit = (options) => {
|
|
85
85
|
const store = new Map;
|
|
86
|
+
setInterval(() => {
|
|
87
|
+
const now = Date.now();
|
|
88
|
+
for (const [key, record] of store.entries()) {
|
|
89
|
+
if (now > record.resetAt) {
|
|
90
|
+
store.delete(key);
|
|
91
|
+
}
|
|
92
|
+
}
|
|
93
|
+
}, options.window * 1000);
|
|
86
94
|
return async (req, next) => {
|
|
87
|
-
|
|
95
|
+
if (req[MIDDLEWARE_EXECUTED]?.rateLimit) {
|
|
96
|
+
return await next();
|
|
97
|
+
}
|
|
98
|
+
if (!req[MIDDLEWARE_EXECUTED]) {
|
|
99
|
+
req[MIDDLEWARE_EXECUTED] = {};
|
|
100
|
+
}
|
|
101
|
+
req[MIDDLEWARE_EXECUTED].rateLimit = true;
|
|
102
|
+
const key = options.keyGenerator ? options.keyGenerator(req) : req.headers.get("x-forwarded-for") || req.headers.get("x-real-ip") || "unknown";
|
|
88
103
|
const now = Date.now();
|
|
89
104
|
const windowMs = options.window * 1000;
|
|
90
|
-
let record = store.get(
|
|
105
|
+
let record = store.get(key);
|
|
91
106
|
if (!record || now > record.resetAt) {
|
|
92
107
|
record = { count: 1, resetAt: now + windowMs };
|
|
93
|
-
store.set(
|
|
108
|
+
store.set(key, record);
|
|
94
109
|
return await next();
|
|
95
110
|
}
|
|
96
111
|
if (record.count >= options.max) {
|
|
97
|
-
|
|
112
|
+
const retryAfter = Math.ceil((record.resetAt - now) / 1000);
|
|
113
|
+
return new Response(JSON.stringify({
|
|
114
|
+
error: options.message || "Too many requests",
|
|
115
|
+
retryAfter
|
|
116
|
+
}), {
|
|
98
117
|
status: 429,
|
|
99
|
-
headers: {
|
|
118
|
+
headers: {
|
|
119
|
+
"Content-Type": "application/json",
|
|
120
|
+
"Retry-After": String(retryAfter)
|
|
121
|
+
}
|
|
100
122
|
});
|
|
101
123
|
}
|
|
102
124
|
record.count++;
|
|
103
125
|
return await next();
|
|
104
126
|
};
|
|
105
127
|
};
|
|
128
|
+
var serve = (options) => {
|
|
129
|
+
const root = options.root || "./public";
|
|
130
|
+
const index = options.index || "index.html";
|
|
131
|
+
const dotfiles = options.dotfiles || "deny";
|
|
132
|
+
return async (req, next) => {
|
|
133
|
+
const url = new URL(req.url);
|
|
134
|
+
let filepath = url.pathname;
|
|
135
|
+
if (filepath.includes("..")) {
|
|
136
|
+
return new Response("Forbidden", { status: 403 });
|
|
137
|
+
}
|
|
138
|
+
if (dotfiles === "deny" && filepath.split("/").some((part) => part.startsWith("."))) {
|
|
139
|
+
return new Response("Forbidden", { status: 403 });
|
|
140
|
+
}
|
|
141
|
+
try {
|
|
142
|
+
const file = Bun.file(`${root}${filepath}`);
|
|
143
|
+
if (await file.exists()) {
|
|
144
|
+
return new Response(file);
|
|
145
|
+
}
|
|
146
|
+
const indexFile = Bun.file(`${root}${filepath}/${index}`);
|
|
147
|
+
if (await indexFile.exists()) {
|
|
148
|
+
return new Response(indexFile);
|
|
149
|
+
}
|
|
150
|
+
} catch (err) {}
|
|
151
|
+
return await next();
|
|
152
|
+
};
|
|
153
|
+
};
|
|
106
154
|
export {
|
|
155
|
+
serve,
|
|
107
156
|
rateLimit,
|
|
108
157
|
logger,
|
|
109
158
|
cors
|
package/dist/prince.js
CHANGED
|
@@ -1,129 +1,4 @@
|
|
|
1
1
|
// @bun
|
|
2
|
-
// src/middleware.ts
|
|
3
|
-
var MIDDLEWARE_EXECUTED = Symbol("middlewareExecuted");
|
|
4
|
-
var cors = (options) => {
|
|
5
|
-
const origin = options?.origin || "*";
|
|
6
|
-
const methods = options?.methods || "GET,POST,PUT,DELETE,PATCH,OPTIONS";
|
|
7
|
-
const headers = options?.headers || "Content-Type,Authorization";
|
|
8
|
-
const credentials = options?.credentials || false;
|
|
9
|
-
return async (req, next) => {
|
|
10
|
-
if (req[MIDDLEWARE_EXECUTED]?.cors) {
|
|
11
|
-
return await next();
|
|
12
|
-
}
|
|
13
|
-
if (!req[MIDDLEWARE_EXECUTED]) {
|
|
14
|
-
req[MIDDLEWARE_EXECUTED] = {};
|
|
15
|
-
}
|
|
16
|
-
req[MIDDLEWARE_EXECUTED].cors = true;
|
|
17
|
-
if (req.method === "OPTIONS") {
|
|
18
|
-
return new Response(null, {
|
|
19
|
-
status: 204,
|
|
20
|
-
headers: {
|
|
21
|
-
"Access-Control-Allow-Origin": origin,
|
|
22
|
-
"Access-Control-Allow-Methods": methods,
|
|
23
|
-
"Access-Control-Allow-Headers": headers,
|
|
24
|
-
...credentials ? { "Access-Control-Allow-Credentials": "true" } : {}
|
|
25
|
-
}
|
|
26
|
-
});
|
|
27
|
-
}
|
|
28
|
-
const res = await next();
|
|
29
|
-
if (!res)
|
|
30
|
-
return res;
|
|
31
|
-
const newHeaders = new Headers(res.headers);
|
|
32
|
-
newHeaders.set("Access-Control-Allow-Origin", origin);
|
|
33
|
-
if (credentials)
|
|
34
|
-
newHeaders.set("Access-Control-Allow-Credentials", "true");
|
|
35
|
-
return new Response(res.body, {
|
|
36
|
-
status: res.status,
|
|
37
|
-
statusText: res.statusText,
|
|
38
|
-
headers: newHeaders
|
|
39
|
-
});
|
|
40
|
-
};
|
|
41
|
-
};
|
|
42
|
-
var logger = (options) => {
|
|
43
|
-
const format = options?.format || "dev";
|
|
44
|
-
const colors = options?.colors !== false;
|
|
45
|
-
const colorize = (code, text) => {
|
|
46
|
-
if (!colors)
|
|
47
|
-
return text;
|
|
48
|
-
if (code >= 500)
|
|
49
|
-
return `\x1B[31m${text}\x1B[0m`;
|
|
50
|
-
if (code >= 400)
|
|
51
|
-
return `\x1B[33m${text}\x1B[0m`;
|
|
52
|
-
if (code >= 300)
|
|
53
|
-
return `\x1B[36m${text}\x1B[0m`;
|
|
54
|
-
if (code >= 200)
|
|
55
|
-
return `\x1B[32m${text}\x1B[0m`;
|
|
56
|
-
return text;
|
|
57
|
-
};
|
|
58
|
-
return async (req, next) => {
|
|
59
|
-
if (req[MIDDLEWARE_EXECUTED]?.logger) {
|
|
60
|
-
return await next();
|
|
61
|
-
}
|
|
62
|
-
if (!req[MIDDLEWARE_EXECUTED]) {
|
|
63
|
-
req[MIDDLEWARE_EXECUTED] = {};
|
|
64
|
-
}
|
|
65
|
-
req[MIDDLEWARE_EXECUTED].logger = true;
|
|
66
|
-
const start = Date.now();
|
|
67
|
-
const pathname = new URL(req.url).pathname;
|
|
68
|
-
const res = await next();
|
|
69
|
-
if (!res)
|
|
70
|
-
return res;
|
|
71
|
-
const duration = Date.now() - start;
|
|
72
|
-
const status = res.status;
|
|
73
|
-
if (format === "dev") {
|
|
74
|
-
console.log(`${colorize(status, req.method)} ${pathname} ${colorize(status, String(status))} ${duration}ms`);
|
|
75
|
-
} else if (format === "tiny") {
|
|
76
|
-
console.log(`${req.method} ${pathname} ${status} - ${duration}ms`);
|
|
77
|
-
} else {
|
|
78
|
-
const date = new Date().toISOString();
|
|
79
|
-
console.log(`[${date}] ${req.method} ${pathname} ${status} ${duration}ms`);
|
|
80
|
-
}
|
|
81
|
-
return res;
|
|
82
|
-
};
|
|
83
|
-
};
|
|
84
|
-
var rateLimit = (options) => {
|
|
85
|
-
const store = new Map;
|
|
86
|
-
return async (req, next) => {
|
|
87
|
-
const ip = req.headers.get("x-forwarded-for") || "unknown";
|
|
88
|
-
const now = Date.now();
|
|
89
|
-
const windowMs = options.window * 1000;
|
|
90
|
-
let record = store.get(ip);
|
|
91
|
-
if (!record || now > record.resetAt) {
|
|
92
|
-
record = { count: 1, resetAt: now + windowMs };
|
|
93
|
-
store.set(ip, record);
|
|
94
|
-
return await next();
|
|
95
|
-
}
|
|
96
|
-
if (record.count >= options.max) {
|
|
97
|
-
return new Response(JSON.stringify({ error: options.message || "Too many requests" }), {
|
|
98
|
-
status: 429,
|
|
99
|
-
headers: { "Content-Type": "application/json" }
|
|
100
|
-
});
|
|
101
|
-
}
|
|
102
|
-
record.count++;
|
|
103
|
-
return await next();
|
|
104
|
-
};
|
|
105
|
-
};
|
|
106
|
-
|
|
107
|
-
// src/validation.ts
|
|
108
|
-
var validate = (schema, source = "body") => {
|
|
109
|
-
return async (req, next) => {
|
|
110
|
-
try {
|
|
111
|
-
const data = source === "body" ? req.body : source === "query" ? req.query : req.params;
|
|
112
|
-
const validated = schema.parse(data);
|
|
113
|
-
req[`validated${source.charAt(0).toUpperCase() + source.slice(1)}`] = validated;
|
|
114
|
-
return await next();
|
|
115
|
-
} catch (err) {
|
|
116
|
-
return new Response(JSON.stringify({
|
|
117
|
-
error: "Validation failed",
|
|
118
|
-
details: err.errors || err.message
|
|
119
|
-
}), {
|
|
120
|
-
status: 400,
|
|
121
|
-
headers: { "Content-Type": "application/json" }
|
|
122
|
-
});
|
|
123
|
-
}
|
|
124
|
-
};
|
|
125
|
-
};
|
|
126
|
-
|
|
127
2
|
// src/prince.ts
|
|
128
3
|
class TrieNode {
|
|
129
4
|
children = Object.create(null);
|
|
@@ -165,11 +40,17 @@ class ResponseBuilder {
|
|
|
165
40
|
this._headers["Location"] = url;
|
|
166
41
|
return this.build();
|
|
167
42
|
}
|
|
168
|
-
|
|
169
|
-
|
|
170
|
-
|
|
171
|
-
|
|
43
|
+
stream(cb) {
|
|
44
|
+
const encoder = new TextEncoder;
|
|
45
|
+
const stream = new ReadableStream({
|
|
46
|
+
start(controller) {
|
|
47
|
+
cb((chunk) => controller.enqueue(encoder.encode(chunk)), () => controller.close());
|
|
48
|
+
}
|
|
172
49
|
});
|
|
50
|
+
return new Response(stream, { status: this._status, headers: this._headers });
|
|
51
|
+
}
|
|
52
|
+
build() {
|
|
53
|
+
return new Response(this._body, { status: this._status, headers: this._headers });
|
|
173
54
|
}
|
|
174
55
|
}
|
|
175
56
|
|
|
@@ -178,25 +59,12 @@ class Prince {
|
|
|
178
59
|
rawRoutes = [];
|
|
179
60
|
middlewares = [];
|
|
180
61
|
errorHandler;
|
|
181
|
-
|
|
62
|
+
wsRoutes = {};
|
|
63
|
+
openapiData = null;
|
|
64
|
+
router = null;
|
|
182
65
|
constructor(devMode = false) {
|
|
183
66
|
this.devMode = devMode;
|
|
184
67
|
}
|
|
185
|
-
useCors(options) {
|
|
186
|
-
this.use(cors(options));
|
|
187
|
-
return this;
|
|
188
|
-
}
|
|
189
|
-
useLogger(options) {
|
|
190
|
-
this.use(logger(options));
|
|
191
|
-
return this;
|
|
192
|
-
}
|
|
193
|
-
useRateLimit(options) {
|
|
194
|
-
this.use(rateLimit(options));
|
|
195
|
-
return this;
|
|
196
|
-
}
|
|
197
|
-
validate(schema, source = "body") {
|
|
198
|
-
return validate(schema, source);
|
|
199
|
-
}
|
|
200
68
|
use(mw) {
|
|
201
69
|
this.middlewares.push(mw);
|
|
202
70
|
return this;
|
|
@@ -214,32 +82,26 @@ class Prince {
|
|
|
214
82
|
response() {
|
|
215
83
|
return new ResponseBuilder;
|
|
216
84
|
}
|
|
217
|
-
|
|
218
|
-
|
|
219
|
-
|
|
220
|
-
|
|
221
|
-
|
|
222
|
-
|
|
223
|
-
|
|
224
|
-
|
|
225
|
-
|
|
226
|
-
|
|
227
|
-
|
|
228
|
-
|
|
229
|
-
|
|
230
|
-
|
|
231
|
-
|
|
232
|
-
|
|
233
|
-
|
|
234
|
-
delete: (subpath, handler) => {
|
|
235
|
-
this.delete(path + subpath, handler);
|
|
236
|
-
return group;
|
|
237
|
-
},
|
|
238
|
-
patch: (subpath, handler) => {
|
|
239
|
-
this.patch(path + subpath, handler);
|
|
240
|
-
return group;
|
|
241
|
-
}
|
|
85
|
+
ws(path, options) {
|
|
86
|
+
this.wsRoutes[path] = options;
|
|
87
|
+
return this;
|
|
88
|
+
}
|
|
89
|
+
openapi(path = "/docs") {
|
|
90
|
+
const paths = {};
|
|
91
|
+
for (const route of this.rawRoutes) {
|
|
92
|
+
paths[route.path] ??= {};
|
|
93
|
+
paths[route.path][route.method.toLowerCase()] = {
|
|
94
|
+
summary: "",
|
|
95
|
+
responses: { 200: { description: "OK" } }
|
|
96
|
+
};
|
|
97
|
+
}
|
|
98
|
+
this.openapiData = {
|
|
99
|
+
openapi: "3.1.0",
|
|
100
|
+
info: { title: "PrinceJS API", version: "1.0.0" },
|
|
101
|
+
paths
|
|
242
102
|
};
|
|
103
|
+
this.get(path, () => this.openapiData);
|
|
104
|
+
return this;
|
|
243
105
|
}
|
|
244
106
|
get(path, handler) {
|
|
245
107
|
return this.add("GET", path, handler);
|
|
@@ -256,245 +118,161 @@ class Prince {
|
|
|
256
118
|
patch(path, handler) {
|
|
257
119
|
return this.add("PATCH", path, handler);
|
|
258
120
|
}
|
|
259
|
-
options(path, handler) {
|
|
260
|
-
return this.add("OPTIONS", path, handler);
|
|
261
|
-
}
|
|
262
|
-
head(path, handler) {
|
|
263
|
-
return this.add("HEAD", path, handler);
|
|
264
|
-
}
|
|
265
121
|
add(method, path, handler) {
|
|
266
122
|
if (!path.startsWith("/"))
|
|
267
123
|
path = "/" + path;
|
|
268
|
-
if (path
|
|
124
|
+
if (path !== "/" && path.endsWith("/"))
|
|
269
125
|
path = path.slice(0, -1);
|
|
270
126
|
const parts = path === "/" ? [""] : path.split("/").slice(1);
|
|
271
|
-
this.rawRoutes.push({ method
|
|
127
|
+
this.rawRoutes.push({ method, path, parts, handler });
|
|
128
|
+
this.router = null;
|
|
272
129
|
return this;
|
|
273
130
|
}
|
|
274
|
-
|
|
275
|
-
const
|
|
276
|
-
const protoSep = u.indexOf("://");
|
|
277
|
-
const start = protoSep !== -1 ? u.indexOf("/", protoSep + 3) : u.indexOf("/");
|
|
278
|
-
if (start === -1)
|
|
279
|
-
return "/";
|
|
280
|
-
const q = u.indexOf("?", start);
|
|
281
|
-
const h = u.indexOf("#", start);
|
|
282
|
-
const end = q !== -1 ? q : h !== -1 ? h : u.length;
|
|
283
|
-
return u.slice(start, end);
|
|
284
|
-
}
|
|
285
|
-
parseQuery(url) {
|
|
286
|
-
const q = url.indexOf("?");
|
|
287
|
-
if (q === -1)
|
|
288
|
-
return {};
|
|
131
|
+
parseUrl(req) {
|
|
132
|
+
const url = new URL(req.url);
|
|
289
133
|
const query = {};
|
|
290
|
-
const
|
|
291
|
-
|
|
292
|
-
|
|
293
|
-
const pair = pairs[i];
|
|
294
|
-
const eq = pair.indexOf("=");
|
|
295
|
-
if (eq === -1) {
|
|
296
|
-
query[decodeURIComponent(pair)] = "";
|
|
297
|
-
} else {
|
|
298
|
-
query[decodeURIComponent(pair.slice(0, eq))] = decodeURIComponent(pair.slice(eq + 1));
|
|
299
|
-
}
|
|
300
|
-
}
|
|
301
|
-
return query;
|
|
134
|
+
for (const [k, v] of url.searchParams.entries())
|
|
135
|
+
query[k] = v;
|
|
136
|
+
return { pathname: url.pathname, query };
|
|
302
137
|
}
|
|
303
138
|
async parseBody(req) {
|
|
304
139
|
const ct = req.headers.get("content-type") || "";
|
|
305
|
-
if (ct.includes("application/json"))
|
|
140
|
+
if (ct.includes("application/json"))
|
|
306
141
|
return await req.json();
|
|
307
|
-
|
|
308
|
-
|
|
309
|
-
|
|
310
|
-
const
|
|
311
|
-
const
|
|
312
|
-
|
|
313
|
-
|
|
314
|
-
|
|
142
|
+
if (ct.includes("application/x-www-form-urlencoded"))
|
|
143
|
+
return Object.fromEntries(new URLSearchParams(await req.text()).entries());
|
|
144
|
+
if (ct.startsWith("multipart/form-data")) {
|
|
145
|
+
const fd = await req.formData();
|
|
146
|
+
const files = {};
|
|
147
|
+
const fields = {};
|
|
148
|
+
for (const [k, v] of fd.entries()) {
|
|
149
|
+
if (v instanceof File)
|
|
150
|
+
files[k] = v;
|
|
151
|
+
else
|
|
152
|
+
fields[k] = v;
|
|
315
153
|
}
|
|
316
|
-
return
|
|
154
|
+
return { files, fields };
|
|
317
155
|
}
|
|
318
|
-
if (ct.
|
|
156
|
+
if (ct.startsWith("text/"))
|
|
319
157
|
return await req.text();
|
|
320
|
-
}
|
|
321
158
|
return null;
|
|
322
159
|
}
|
|
323
160
|
buildRouter() {
|
|
161
|
+
if (this.router)
|
|
162
|
+
return this.router;
|
|
324
163
|
const root = new TrieNode;
|
|
325
|
-
for (const
|
|
164
|
+
for (const r of this.rawRoutes) {
|
|
326
165
|
let node = root;
|
|
327
|
-
|
|
328
|
-
|
|
329
|
-
|
|
330
|
-
node.handlers = Object.create(null);
|
|
331
|
-
node.handlers[route.method] = route.handler;
|
|
166
|
+
if (r.parts.length === 1 && r.parts[0] === "") {
|
|
167
|
+
node.handlers ??= {};
|
|
168
|
+
node.handlers[r.method] = r.handler;
|
|
332
169
|
continue;
|
|
333
170
|
}
|
|
334
|
-
for (
|
|
335
|
-
|
|
336
|
-
if (part === "**") {
|
|
337
|
-
if (!node.catchAllChild) {
|
|
338
|
-
node.catchAllChild = { name: "**", node: new TrieNode };
|
|
339
|
-
}
|
|
340
|
-
node = node.catchAllChild.node;
|
|
341
|
-
break;
|
|
342
|
-
} else if (part === "*") {
|
|
343
|
-
if (!node.wildcardChild)
|
|
344
|
-
node.wildcardChild = new TrieNode;
|
|
345
|
-
node = node.wildcardChild;
|
|
346
|
-
} else if (part.startsWith(":")) {
|
|
171
|
+
for (const part of r.parts) {
|
|
172
|
+
if (part.startsWith(":")) {
|
|
347
173
|
const name = part.slice(1);
|
|
348
|
-
|
|
349
|
-
node.paramChild = { name, node: new TrieNode };
|
|
174
|
+
node.paramChild ??= { name, node: new TrieNode };
|
|
350
175
|
node = node.paramChild.node;
|
|
351
176
|
} else {
|
|
352
|
-
|
|
353
|
-
node.children[part] = new TrieNode;
|
|
177
|
+
node.children[part] ??= new TrieNode;
|
|
354
178
|
node = node.children[part];
|
|
355
179
|
}
|
|
356
180
|
}
|
|
357
|
-
|
|
358
|
-
|
|
359
|
-
node.handlers[route.method] = route.handler;
|
|
181
|
+
node.handlers ??= {};
|
|
182
|
+
node.handlers[r.method] = r.handler;
|
|
360
183
|
}
|
|
184
|
+
this.router = root;
|
|
361
185
|
return root;
|
|
362
186
|
}
|
|
363
|
-
compilePipeline(handler
|
|
364
|
-
|
|
365
|
-
|
|
366
|
-
|
|
367
|
-
|
|
368
|
-
|
|
369
|
-
|
|
370
|
-
|
|
371
|
-
|
|
372
|
-
|
|
187
|
+
compilePipeline(handler) {
|
|
188
|
+
return async (req, params, query) => {
|
|
189
|
+
Object.defineProperty(req, "params", { value: params, writable: true, configurable: true });
|
|
190
|
+
Object.defineProperty(req, "query", { value: query, writable: true, configurable: true });
|
|
191
|
+
let i = 0;
|
|
192
|
+
const next = async () => {
|
|
193
|
+
if (i < this.middlewares.length) {
|
|
194
|
+
return await this.middlewares[i++](req, next) ?? new Response("");
|
|
195
|
+
}
|
|
196
|
+
if (["POST", "PUT", "PATCH"].includes(req.method)) {
|
|
197
|
+
const parsed = await this.parseBody(req);
|
|
198
|
+
if (parsed && typeof parsed === "object" && "files" in parsed && "fields" in parsed) {
|
|
199
|
+
Object.defineProperty(req, "body", { value: parsed.fields, writable: true, configurable: true });
|
|
200
|
+
Object.defineProperty(req, "files", { value: parsed.files, writable: true, configurable: true });
|
|
201
|
+
} else {
|
|
202
|
+
Object.defineProperty(req, "body", { value: parsed, writable: true, configurable: true });
|
|
203
|
+
}
|
|
373
204
|
}
|
|
374
|
-
const res = await handler(
|
|
205
|
+
const res = await handler(req);
|
|
375
206
|
if (res instanceof Response)
|
|
376
207
|
return res;
|
|
377
208
|
if (typeof res === "string")
|
|
378
|
-
return new Response(res
|
|
379
|
-
if (res instanceof Uint8Array
|
|
380
|
-
return new Response(res
|
|
209
|
+
return new Response(res);
|
|
210
|
+
if (res instanceof Uint8Array)
|
|
211
|
+
return new Response(res);
|
|
381
212
|
return this.json(res);
|
|
382
213
|
};
|
|
383
|
-
|
|
384
|
-
return async (req, params, query) => {
|
|
385
|
-
const princeReq = req;
|
|
386
|
-
princeReq.params = params;
|
|
387
|
-
princeReq.query = query;
|
|
388
|
-
let idx = 0;
|
|
389
|
-
const runNext = async () => {
|
|
390
|
-
if (idx >= mws.length) {
|
|
391
|
-
if (req.method === "POST" || req.method === "PUT" || req.method === "PATCH") {
|
|
392
|
-
princeReq.body = await this.parseBody(req);
|
|
393
|
-
}
|
|
394
|
-
const res = await handler(princeReq);
|
|
395
|
-
if (res instanceof Response)
|
|
396
|
-
return res;
|
|
397
|
-
if (typeof res === "string")
|
|
398
|
-
return new Response(res, { status: 200 });
|
|
399
|
-
if (res instanceof Uint8Array || res instanceof ArrayBuffer)
|
|
400
|
-
return new Response(res, { status: 200 });
|
|
401
|
-
return this.json(res);
|
|
402
|
-
}
|
|
403
|
-
const mw = mws[idx++];
|
|
404
|
-
return await mw(req, runNext);
|
|
405
|
-
};
|
|
406
|
-
const out = await runNext();
|
|
407
|
-
if (out instanceof Response)
|
|
408
|
-
return out;
|
|
409
|
-
if (out !== undefined) {
|
|
410
|
-
if (typeof out === "string")
|
|
411
|
-
return new Response(out, { status: 200 });
|
|
412
|
-
if (out instanceof Uint8Array || out instanceof ArrayBuffer)
|
|
413
|
-
return new Response(out, { status: 200 });
|
|
414
|
-
return this.json(out);
|
|
415
|
-
}
|
|
416
|
-
return new Response(null, { status: 204 });
|
|
214
|
+
return next();
|
|
417
215
|
};
|
|
418
216
|
}
|
|
217
|
+
async handleFetch(req) {
|
|
218
|
+
const { pathname, query } = this.parseUrl(req);
|
|
219
|
+
const r = req;
|
|
220
|
+
const segments = pathname === "/" ? [] : pathname.slice(1).split("/");
|
|
221
|
+
const router = this.buildRouter();
|
|
222
|
+
let node = router;
|
|
223
|
+
let params = {};
|
|
224
|
+
for (const seg of segments) {
|
|
225
|
+
if (node.children[seg]) {
|
|
226
|
+
node = node.children[seg];
|
|
227
|
+
} else if (node.paramChild) {
|
|
228
|
+
params[node.paramChild.name] = seg;
|
|
229
|
+
node = node.paramChild.node;
|
|
230
|
+
} else {
|
|
231
|
+
return this.json({ error: "Not Found" }, 404);
|
|
232
|
+
}
|
|
233
|
+
}
|
|
234
|
+
const handler = node.handlers?.[req.method];
|
|
235
|
+
if (!handler)
|
|
236
|
+
return this.json({ error: "Method Not Allowed" }, 405);
|
|
237
|
+
const pipeline = this.compilePipeline(handler);
|
|
238
|
+
return pipeline(r, params, query);
|
|
239
|
+
}
|
|
419
240
|
listen(port = 3000) {
|
|
420
|
-
const
|
|
421
|
-
const handlerMap = new Map;
|
|
241
|
+
const self = this;
|
|
422
242
|
Bun.serve({
|
|
423
243
|
port,
|
|
424
|
-
fetch
|
|
425
|
-
|
|
426
|
-
|
|
427
|
-
|
|
428
|
-
|
|
429
|
-
|
|
430
|
-
|
|
431
|
-
|
|
432
|
-
|
|
433
|
-
|
|
434
|
-
|
|
435
|
-
|
|
436
|
-
if (!handler2)
|
|
437
|
-
return this.json({ error: "Method not allowed" }, 405);
|
|
438
|
-
let methodMap2 = handlerMap.get(node);
|
|
439
|
-
if (!methodMap2) {
|
|
440
|
-
methodMap2 = {};
|
|
441
|
-
handlerMap.set(node, methodMap2);
|
|
442
|
-
}
|
|
443
|
-
if (!methodMap2[req.method]) {
|
|
444
|
-
methodMap2[req.method] = this.compilePipeline(handler2, (_) => params);
|
|
445
|
-
}
|
|
446
|
-
return await methodMap2[req.method](req, params, query);
|
|
447
|
-
}
|
|
448
|
-
for (let i = 0;i < segments.length; i++) {
|
|
449
|
-
const seg = segments[i];
|
|
450
|
-
if (node.children[seg]) {
|
|
451
|
-
node = node.children[seg];
|
|
452
|
-
continue;
|
|
453
|
-
}
|
|
454
|
-
if (node.paramChild) {
|
|
455
|
-
params[node.paramChild.name] = seg;
|
|
456
|
-
node = node.paramChild.node;
|
|
457
|
-
continue;
|
|
458
|
-
}
|
|
459
|
-
if (node.wildcardChild) {
|
|
460
|
-
node = node.wildcardChild;
|
|
461
|
-
continue;
|
|
462
|
-
}
|
|
463
|
-
if (node.catchAllChild) {
|
|
464
|
-
const remaining = segments.slice(i).join("/");
|
|
465
|
-
if (node.catchAllChild.name)
|
|
466
|
-
params[node.catchAllChild.name] = remaining;
|
|
467
|
-
node = node.catchAllChild.node;
|
|
468
|
-
break;
|
|
469
|
-
}
|
|
470
|
-
matched = false;
|
|
471
|
-
break;
|
|
472
|
-
}
|
|
473
|
-
if (!matched || !node || !node.handlers)
|
|
474
|
-
return this.json({ error: "Route not found" }, 404);
|
|
475
|
-
const handler = node.handlers[req.method];
|
|
476
|
-
if (!handler)
|
|
477
|
-
return this.json({ error: "Method not allowed" }, 405);
|
|
478
|
-
let methodMap = handlerMap.get(node);
|
|
479
|
-
if (!methodMap) {
|
|
480
|
-
methodMap = {};
|
|
481
|
-
handlerMap.set(node, methodMap);
|
|
482
|
-
}
|
|
483
|
-
if (!methodMap[req.method]) {
|
|
484
|
-
methodMap[req.method] = this.compilePipeline(handler, (_) => params);
|
|
485
|
-
}
|
|
486
|
-
return await methodMap[req.method](req, params, query);
|
|
487
|
-
} catch (err) {
|
|
488
|
-
if (this.errorHandler) {
|
|
489
|
-
try {
|
|
490
|
-
return this.errorHandler(err, req);
|
|
491
|
-
} catch {}
|
|
244
|
+
fetch(req, server) {
|
|
245
|
+
const { pathname } = new URL(req.url);
|
|
246
|
+
const ws = self.wsRoutes[pathname];
|
|
247
|
+
if (ws && server.upgrade(req, { data: { ws } })) {
|
|
248
|
+
return;
|
|
249
|
+
}
|
|
250
|
+
return self.handleFetch(req).catch((err) => {
|
|
251
|
+
if (self.errorHandler)
|
|
252
|
+
return self.errorHandler(err, req);
|
|
253
|
+
if (self.devMode) {
|
|
254
|
+
console.error("Error:", err);
|
|
255
|
+
return self.json({ error: String(err), stack: err.stack }, 500);
|
|
492
256
|
}
|
|
493
|
-
return
|
|
257
|
+
return self.json({ error: "Internal Server Error" }, 500);
|
|
258
|
+
});
|
|
259
|
+
},
|
|
260
|
+
websocket: {
|
|
261
|
+
open(ws) {
|
|
262
|
+
ws.data.ws?.open?.(ws);
|
|
263
|
+
},
|
|
264
|
+
message(ws, msg) {
|
|
265
|
+
ws.data.ws?.message?.(ws, msg);
|
|
266
|
+
},
|
|
267
|
+
close(ws, code, reason) {
|
|
268
|
+
ws.data.ws?.close?.(ws, code, reason);
|
|
269
|
+
},
|
|
270
|
+
drain(ws) {
|
|
271
|
+
ws.data.ws?.drain?.(ws);
|
|
494
272
|
}
|
|
495
273
|
}
|
|
496
274
|
});
|
|
497
|
-
console.log(`\uD83D\uDE80 PrinceJS running
|
|
275
|
+
console.log(`\uD83D\uDE80 PrinceJS running on http://localhost:${port}`);
|
|
498
276
|
}
|
|
499
277
|
}
|
|
500
278
|
var prince = (dev = false) => new Prince(dev);
|
package/package.json
CHANGED
|
@@ -1,11 +1,12 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "princejs",
|
|
3
|
-
"version": "1.5.
|
|
3
|
+
"version": "1.5.2",
|
|
4
4
|
"description": "An easy and fast backend framework — by a 13yo developer, for developers.",
|
|
5
5
|
"main": "dist/prince.js",
|
|
6
6
|
"types": "dist/prince.d.ts",
|
|
7
|
+
"type": "module",
|
|
7
8
|
"bin": {
|
|
8
|
-
"create-princejs": "
|
|
9
|
+
"create-princejs": "./dist/create.js"
|
|
9
10
|
},
|
|
10
11
|
"exports": {
|
|
11
12
|
".": {
|
|
@@ -22,7 +23,9 @@
|
|
|
22
23
|
}
|
|
23
24
|
},
|
|
24
25
|
"files": [
|
|
25
|
-
"dist"
|
|
26
|
+
"dist",
|
|
27
|
+
"README.md",
|
|
28
|
+
"LICENSE"
|
|
26
29
|
],
|
|
27
30
|
"keywords": [
|
|
28
31
|
"backend",
|
|
@@ -33,21 +36,37 @@
|
|
|
33
36
|
"princejs",
|
|
34
37
|
"rest",
|
|
35
38
|
"server",
|
|
36
|
-
"typescript"
|
|
39
|
+
"typescript",
|
|
40
|
+
"websocket",
|
|
41
|
+
"middleware"
|
|
37
42
|
],
|
|
38
43
|
"author": "Matthew Michael (MatthewTheCoder1218)",
|
|
39
44
|
"license": "MIT",
|
|
40
|
-
"repository":
|
|
45
|
+
"repository": {
|
|
46
|
+
"type": "git",
|
|
47
|
+
"url": "https://github.com/MatthewTheCoder1218/princejs"
|
|
48
|
+
},
|
|
49
|
+
"bugs": {
|
|
50
|
+
"url": "https://github.com/MatthewTheCoder1218/princejs/issues"
|
|
51
|
+
},
|
|
52
|
+
"homepage": "https://princejs.vercel.app",
|
|
41
53
|
"publishConfig": {
|
|
42
54
|
"access": "public"
|
|
43
55
|
},
|
|
44
56
|
"devDependencies": {
|
|
45
57
|
"@types/bun": "^1.3.2",
|
|
46
58
|
"bun-types": "latest",
|
|
47
|
-
"typescript": "^5.9.3"
|
|
48
|
-
|
|
59
|
+
"typescript": "^5.9.3"
|
|
60
|
+
},
|
|
61
|
+
"peerDependencies": {
|
|
62
|
+
"zod": "^3.0.0"
|
|
63
|
+
},
|
|
64
|
+
"peerDependenciesMeta": {
|
|
65
|
+
"zod": {
|
|
66
|
+
"optional": true
|
|
67
|
+
}
|
|
49
68
|
},
|
|
50
69
|
"scripts": {
|
|
51
|
-
"build": "bun build src/
|
|
70
|
+
"build": "bun build src/prince.ts --outdir dist --target bun && bun build src/middleware.ts --outdir dist --target bun && bun build src/validation.ts --outdir dist --target bun && bun build bin/create.ts --outdir dist --target bun --format esm"
|
|
52
71
|
}
|
|
53
72
|
}
|
package/bin/create.ts
DELETED
|
@@ -1,16 +0,0 @@
|
|
|
1
|
-
#!/usr/bin/env bun
|
|
2
|
-
import { mkdirSync, writeFileSync } from "fs";
|
|
3
|
-
|
|
4
|
-
const name = Bun.argv[2] || "prince-app";
|
|
5
|
-
mkdirSync(name, { recursive: true });
|
|
6
|
-
writeFileSync(`${name}/index.ts`, `
|
|
7
|
-
import { prince } from "princejs";
|
|
8
|
-
const app = prince();
|
|
9
|
-
app.get("/", () => ({ message: "Hello from PrinceJS!" }));
|
|
10
|
-
app.listen(3000);
|
|
11
|
-
`);
|
|
12
|
-
console.log("✅ Created", name);
|
|
13
|
-
console.log("👉 To get started:");
|
|
14
|
-
console.log(` cd ${name}`);
|
|
15
|
-
console.log(" bun install princejs");
|
|
16
|
-
console.log(" bun run index.ts");
|