vaderjs 1.4.1-lv56aadeg5 → 1.4.2-bml56

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/vader_dev.js ADDED
@@ -0,0 +1,177 @@
1
+ #!/usr/bin/env node
2
+ import { exec } from "child_process";
3
+ import fs from "fs";
4
+ globalThis.currentCommand = null;
5
+ globalThis.isRunning = false;
6
+ let vaderisInstalled = process.cwd() + "/node_modules/vaderjs/binaries/vader.js";
7
+ if (!fs.existsSync(process.cwd() + "/_dev")) {
8
+ fs.mkdirSync(process.cwd() + "/_dev");
9
+ !fs.existsSync(process.cwd() + "/_dev/readme.md") && fs.writeFileSync(process.cwd() + "/_dev/readme.md", `This folder is used by vader.js to store important files, deletables include: Bun, Chrome - These should only be uninstalled if you need to reinstall them.`);
10
+ }
11
+
12
+ if (!fs.existsSync(process.cwd() + "/_dev/vader.js")) {
13
+ console.log("Copying vader to dev folder....");
14
+ fs.copyFileSync(vaderisInstalled, process.cwd() + "/_dev/vader.js");
15
+ }
16
+
17
+ function checkIFBundleIsInstalled() {
18
+ if (fs.existsSync(process.cwd() + "/_dev/bun")) {
19
+ return new Promise((resolve, reject) => {
20
+ resolve(true);
21
+ });
22
+ }
23
+ return new Promise((resolve, reject) => {
24
+ exec("bun -v", (err, stdout, stderr) => {
25
+ if (err) {
26
+ reject(err);
27
+ }
28
+ if (stdout) {
29
+ resolve(`Bun.js is installed: ${stdout}`);
30
+ }
31
+ if (stderr) {
32
+ reject(`Bun.js is not installed: ${stderr}`);
33
+ }
34
+ });
35
+ });
36
+ }
37
+
38
+ function run() {
39
+ if(!fs.existsSync(process.cwd() + "/pages")) {
40
+ fs.mkdirSync(process.cwd() + "/pages");
41
+ }
42
+ if(!fs.existsSync(process.cwd() + "/public")) {
43
+ fs.mkdirSync(process.cwd() + "/public");
44
+ }
45
+ if(!fs.existsSync(process.cwd() + "/src")) {
46
+ fs.mkdirSync(process.cwd() + "/src");
47
+ }
48
+ if (!fs.existsSync(process.cwd() + "/package.json")) {
49
+ fs.writeFileSync(process.cwd() + "/package.json", JSON.stringify({ name: "my_app", version: "1.0.0" }, null, 2));
50
+ return;
51
+ }
52
+ let packageJson = JSON.parse(fs.readFileSync(process.cwd() + "/package.json").toString());
53
+ if (!packageJson.scripts) {
54
+ packageJson.scripts = {};
55
+ }
56
+ packageJson.scripts["dev"] = "bun run ./_dev/vader.js dev";
57
+ packageJson.scripts["build"] = "bun run ./_dev/vader.js build";
58
+ packageJson.scripts["start"] = "bun run ./_dev/vader.js start";
59
+ if (!packageJson.dependencies) {
60
+ packageJson.dependencies = {};
61
+ }
62
+ fs.writeFileSync(process.cwd() + "/package.json", JSON.stringify(packageJson, null, 2));
63
+
64
+ if (currentCommand) {
65
+ let child = exec(currentCommand);
66
+ child.stdout.pipe(process.stdout);
67
+ child.stderr.pipe(process.stderr);
68
+ child.on("exit", (code) => {
69
+ process.exit(code);
70
+ });
71
+ child.on("message", (message) => {
72
+ console.log(message.toString());
73
+ });
74
+ child.on("error", (err) => {
75
+ console.error(err);
76
+ });
77
+
78
+ return;
79
+ }
80
+
81
+ console.log(`
82
+ Vader.js is a reactive framework for building interactive applications for the web built ontop of bun.js!
83
+
84
+ Usage: npx vaderjs <command>
85
+
86
+ Commands:
87
+
88
+ vaderjs run dev -p <number> Start the development server
89
+
90
+ vaderjs run build Build the project to ./dist
91
+
92
+ vaderjs run start -p <number> Production Mode (default 3000 or process.env.PORT)
93
+
94
+ Learn more about vader: https://vader-js.pages.dev/
95
+
96
+ `);
97
+ }
98
+
99
+ let Commands = {
100
+ dev: `bun run dev`,
101
+ build: `bun run build`,
102
+ start: `bun run start`,
103
+ };
104
+ let port = process.argv.includes("-p") || process.argv.includes("--port") ? process.argv[process.argv.indexOf("-p") + 1] || process.argv[process.argv.indexOf("--port") + 1] || process.env.PORT || 3000 : process.env.PORT || 3000;
105
+ switch (true) {
106
+ case process.argv.includes("dev") && !process.argv.includes("build") && !process.argv.includes("start"):
107
+ currentCommand = Commands.dev + (port ? ` -p ${port}` : "");
108
+ break;
109
+ case process.argv.includes("build") && !process.argv.includes("dev") && !process.argv.includes("start"):
110
+ currentCommand = Commands.build + (port ? ` -p ${port}` : "");
111
+ break;
112
+ case process.argv.includes("start") && !process.argv.includes("dev") && !process.argv.includes("build"):
113
+ currentCommand = Commands.start + (port ? ` -p ${port}` : "");
114
+ break;
115
+ default:
116
+ currentCommand = null;
117
+ break;
118
+ }
119
+ checkIFBundleIsInstalled()
120
+ .then((stdout) => {
121
+ if (stdout && !isRunning) {
122
+ if (!fs.existsSync(process.cwd() + "/_dev/bun")) {
123
+ fs.writeFileSync(process.cwd() + "/_dev/bun", `Installed: ${stdout}`);
124
+ }
125
+ run();
126
+ globalThis.isRunning = true;
127
+ }
128
+ })
129
+ .catch(async (err) => {
130
+ console.log("Bun.js is not installed. Installing....");
131
+ let installScipt = {
132
+ windows: 'powershell -c "irm bun.sh/install.ps1|iex',
133
+ others: "curl -fsSL https://bun.sh/install.sh | bash",
134
+ };
135
+ let scriptotRun = process.platform === "win32" ? installScipt.windows : installScipt.others;
136
+ exec(scriptotRun, async (err, stdout, stderr) => {
137
+ if (err) {
138
+ console.log("Error installing bun.js, may want to install manually");
139
+ process.exit(1);
140
+ }
141
+ if (stdout) {
142
+ if (!process.platform === "win32") {
143
+ await new Promise((resolve, reject) => {
144
+ console.log(`Adding bun.js to path...`);
145
+ exec("source ~/.bashrc", (err, stdout, stderr) => {
146
+ if (err) {
147
+ console.log("Error installing bun.js");
148
+ return;
149
+ }
150
+ if (stdout) {
151
+ run();
152
+ }
153
+ if (stderr) {
154
+ console.log("Error installing bun.js");
155
+ process.exit(1);
156
+ }
157
+ });
158
+ });
159
+ exec("chmod +x bun.sh/install.sh", (err, stdout, stderr) => {
160
+ if (err) {
161
+ console.log("Error installing bun.js");
162
+ return;
163
+ }
164
+ if (stdout) {
165
+ console.log("Bun.js installed successfully");
166
+ run();
167
+ }
168
+ if (stderr) {
169
+ console.log("Error installing bun.js");
170
+ process.exit(1);
171
+ }
172
+ });
173
+ }
174
+ run();
175
+ }
176
+ });
177
+ });
@@ -1,163 +0,0 @@
1
- import fs from 'fs';
2
- import playwright from 'playwright';
3
- globalThis.routeDocuments = {}
4
- let context = process.env.isVader === 'true' ? true : false
5
- /**
6
- *
7
- * @param {Object} config
8
- * @param {string} config.pages - The directory where the pages are located
9
- * @param {string} config.output - The directory where the pages are to be outputted
10
- */
11
-
12
-
13
- import http from 'http';
14
- let hasGenerated = []
15
- let server = http.createServer((req, res) => {
16
- if (!req.url.includes(".")) {
17
- let params = new URLSearchParams(req.url.split("?")[1]);
18
- let folder = params.get("folder");
19
-
20
- let content = globalThis.routeDocuments[folder]
21
- res.writeHead(200, { "Content-Type": "text/html" });
22
-
23
- res.end(content);
24
- } else {
25
- if (req.url.includes('./')) {
26
- req.url = req.url.replace('./', '/')
27
- }
28
- const filePath = process.cwd() + "/dist/" + req.url;
29
-
30
- fs.readFile(filePath, (err, data) => {
31
- if (err) {
32
- res.writeHead(404, {
33
- "Content-Type": filePath.includes("js")
34
- ? "text/javascript"
35
- : "text/html",
36
- });
37
- res.end("File not found");
38
- } else {
39
- res.writeHead(200, {
40
- "Content-Type": filePath.includes("js")
41
- ? "text/javascript"
42
- : "text/html",
43
- });
44
- res.end(data);
45
- }
46
- });
47
- }
48
- });
49
-
50
- const generateHTML = (routeData) => {
51
- console
52
-
53
- let { path, file, isParam, params,kind, isCatchAll, query, pathname } = routeData;
54
- console.log(path, file, isParam, isCatchAll, query, pathname)
55
- let baseFolder = file.split('/').filter(f => f !== 'dist').join('/')
56
- if (file.includes('./dist')) {
57
- baseFolder = file.split('./dist')[1]
58
- }
59
-
60
-
61
- let html = `
62
- <!DOCTYPE html>
63
- <html>
64
- <head>
65
-
66
- <title>Vaderjs v1.3.3</title>
67
- <script id="v">
68
- window.$SERVER = true
69
- </script>
70
- </head>
71
- <body>
72
-
73
- <div id="app"></div>
74
- <script id="router" type="module">
75
- import Router from '/router.js'
76
-
77
- const rt = new Router
78
- ${Object.keys(routeData.params).length > 0 ? Object.keys(routeData.params).map((param, i) => {
79
- return `rt.get('/${pathname}/:${param}', ' ${baseFolder}')`
80
- }): ''}
81
-
82
- let c = await import('${baseFolder}')
83
- if(Object.keys(c).includes('$prerender') && c.$prerender === false){
84
- document.head.setAttribute('prerender', 'false')
85
- }
86
- ${
87
- !isCatchAll ? `rt.get($SERVER? '/' : '${pathname}', c)` : `rt.get($SERVER? '/' : '${pathname}/*', c)`
88
- }
89
-
90
- rt.listen()
91
- </script>
92
- </body>
93
- </html>`
94
- return html;
95
-
96
- }
97
- /**
98
- * @integration Server Side Generator
99
- * @description Generate a static webapp from your Vader.js application
100
- * @returns
101
- */
102
- const ssg = async (config) => {
103
- return new Promise(async (resolve, reject) => {
104
- let { pages, output } = config;
105
- if(!fs.existsSync(`${process.cwd()}/_dev/meta/routes.json`)){
106
- process.exit()
107
- }
108
- let routes = JSON.parse(fs.readFileSync(`${process.cwd()}/_dev/meta/routes.json`).toString())
109
- for (var i in routes) {
110
- let route = routes[i];
111
-
112
- if(route.path.includes('[')){
113
- continue
114
- }
115
- let html = generateHTML(route);
116
- globalThis.routeDocuments[routes[i].path] = html;
117
- let browser = await playwright.chromium.launch({
118
- headless: true,
119
- executablePath: process.platform === 'win32' ? '' : '/usr/bin/chromium-browser'
120
- });
121
- globalThis.browser = browser;
122
- let page = await browser.newPage();
123
- await page.goto(`http://localhost:8700?folder=${routes[i].path}`);
124
- await page.evaluate(() => {
125
- document.querySelector('script#v').innerHTML = `window.$SERVER = false`
126
- if(document.head.getAttribute('prerender') === 'false'){
127
- document.querySelector("#app").innerHTML = "";
128
- }
129
- });
130
- let content = await page.content();
131
- if (output.includes('./dist')) {
132
- output = output.split('./dist')[1]
133
- }
134
- let path = '/dist/' + output + routes[i].path + '/index.html';
135
- fs.writeFileSync(process.cwd() + path, content)
136
- hasGenerated.push(routes[i].path)
137
- }
138
-
139
- if (hasGenerated.length === routes.length) {
140
- console.log(`Static site generation complete`)
141
- browser.close()
142
- server.close()
143
- resolve()
144
- process.exit()
145
- }
146
- })
147
- }
148
-
149
- if(context){
150
- server.listen(8700);
151
- await ssg({ pages: './pages', output: './dist' })
152
- }
153
-
154
- export default {
155
- name: 'Vaderjs Static Site Generator',
156
- version: '1.0.0',
157
- useRuntime: 'node',
158
- entryPoint: process.cwd() + '/node_modules/vaderjs/@integrations/ssg.js',
159
- on: ['build', 'dev'],
160
- }
161
-
162
-
163
- // Path:integrations/ssg.js
package/LICENSE DELETED
@@ -1,21 +0,0 @@
1
- MIT License
2
-
3
- Copyright (c) 2024 Pascal
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.
@@ -1,277 +0,0 @@
1
- import { WebSocketServer } from "ws";
2
- import WebSocket from "ws";
3
- /**
4
- * @class IPC
5
- * @description Inter-Process Communication - allows you to communicate with vaderjs using Bun.js
6
- */
7
- class IPC {
8
- constructor(config = { port: 3434 }) {
9
- this.server = {
10
- port: config.port,
11
- /**
12
- * @property {IPC} instance - The instance of the IPC server
13
- */
14
- instance: null,
15
- clients: [],
16
- /**
17
- *
18
- * @private
19
- */
20
- sendMsg: (msg) => {
21
- this.server.clients.forEach((client) => {
22
- client.send(JSON.stringify({ IPC_TYPE: this.type, msg }));
23
- });
24
- },
25
- };
26
- /**
27
- * @enum {Object} typeEnums - The type of process to spawn
28
- */
29
- this.typeEnums = {
30
- /**
31
- * @enum {Number} WATCHER - The file watching process
32
- */
33
- WATCHER: 1,
34
- /**
35
- * @enum {Number} PAGEGENERATOR - The page generator process
36
- */
37
- PAGEGENERATOR: 2,
38
- /**
39
- * @enum {Number} DFT - The default process
40
- */
41
- DFT: 3,
42
- };
43
-
44
- this.listeners = [];
45
- this.type = this.typeEnums.DFT;
46
- }
47
- /**
48
- * @property {Boolean} NOLISTEN - Whether to listen for incoming messages or not
49
- */
50
- NOLISTEN = false;
51
- /**
52
- * @Object Console
53
- * @description The console object to use for logging - Bun.spawn has 0 way of reading logs from the spawned process so this is a workaround
54
- */
55
- Console = {
56
- log: (msg, IPC_TYPE) => {
57
- this.server.clients.forEach((client) => {
58
- client.send(JSON.stringify({ IPC_TYPE: PROTOCOL, CONSOLE: true, LOG: true, msg }));
59
- });
60
- },
61
- error: (msg, errorLevel, IPC_TYPE) => {
62
- this.server.clients.forEach((client) => {
63
- client.send(JSON.stringify({ IPC_TYPE: PROTOCOL, CONSOLE: true, ERROR: true, errorLevel, msg }));
64
- });
65
- },
66
- warn: (msg, IPC_TYPE) => {
67
- this.server.clients.forEach((client) => {
68
- client.send(JSON.stringify({ IPC_TYPE: PROTOCOL, CONSOLE: true, WARN: true, msg }));
69
- });
70
- },
71
- info: (msg, IPC_TYPE) => {
72
- this.server.clients.forEach((client) => {
73
- client.send(JSON.stringify({ IPC_TYPE: PROTOCOL, CONSOLE: true, INFO: true, msg }));
74
- });
75
- },
76
- debug: (msg, IPC_TYPE) => {
77
- this.server.clients.forEach((client) => {
78
- client.send(JSON.stringify({ IPC_TYPE: PROTOCOl, CONSOLE: true, DEBUG: true, msg }));
79
- });
80
- },
81
- };
82
-
83
- spawnServer(type = this.typeEnums.DFT) {
84
- this.isntSpawned = false;
85
- if (!this.server.instance) {
86
- // if used in achildProcess reconnect to the main running server
87
- this.server.instance = new WebSocketServer({ port: this.server.port });
88
- } else {
89
- // switch type
90
- this.server.instance.clients.forEach((client) => {
91
- client.send(JSON.stringify({ PROTO_CHANGE: true, IPC_TYPE: type }));
92
- });
93
- }
94
-
95
- this.server.instance.on("connection", (ws) => {
96
- this.server.clients.push(ws);
97
-
98
- this.server.instance.clients.forEach((client) => {
99
- client.send(JSON.stringify({ ESTABLISHED: true, IPC_TYPE: type }));
100
- });
101
- ws.on("message", (msg) => {
102
- msg = JSON.parse(msg);
103
- if (msg.CLIENTINIT) {
104
- let port = msg.port;
105
- ws.send(JSON.stringify({ ESTABLISHED: true, IPC_TYPE: type }));
106
- return;
107
- } else if (msg.SERVERINIT) {
108
- ws.send(JSON.stringify({ ESTABLISHED: true, IPC_TYPE: type }));
109
- return;
110
- }
111
-
112
- this.server.clients.forEach((client) => {
113
- client.send(JSON.stringify(msg));
114
- });
115
- });
116
- });
117
-
118
- this.server.instance.on("close", () => {
119
- this.server.clients = [];
120
- });
121
-
122
- // spawn if nolisten is false
123
- this.isntSpawned = true;
124
- }
125
-
126
- /**
127
- * @method newServer
128
- * @description Creates a new IPC server instance
129
- * @param {IPC.typeEnums} proto
130
- * @param {Object} config
131
- * @returns
132
- */
133
- async newServer(proto = 0, config = { port: 3434 }) {
134
- const client = new WebSocket(`ws://localhost:${config.port}`);
135
-
136
- client.on("open", () => {
137
- client.send(JSON.stringify({ SERVERINIT: true, IPC_TYPE: proto }));
138
- });
139
- client.on("message", (msg) => {
140
- if (msg.ESTABLISHED && msg.IPC_TYPE === proto) {
141
- config?.onMessage(msg);
142
- }
143
- });
144
- let port = config.port;
145
-
146
- const sendMsg = (msg) => {
147
- if (!client.readyState) {
148
- let i = setInterval(() => {
149
- if (client.readyState) {
150
- client.send(JSON.stringify({ IPC_TYPE: proto, msg, port, isServer: true }));
151
- clearInterval(i);
152
- }
153
- }, 1000);
154
- return;
155
- }
156
- client.send(JSON.stringify({ IPC_TYPE: proto, msg, port, isServer: true }));
157
- };
158
-
159
- sendMsg({ ESTABLISHED: true, IPC_TYPE: proto, port });
160
- return {
161
- sendMsg: (msg) => {
162
- sendMsg(msg);
163
- },
164
- /**
165
- * @method Console
166
- * @description The console object to use for logging - Bun.spawn has 0 way of reading logs from the spawned process so this is a workaround
167
- */
168
- Console: {
169
- log: (msg) => {
170
- sendMsg({ CONSOLE: true, data: msg });
171
- },
172
- error: (msg, errorLevel) => {
173
- sendMsg({ CONSOLE: true, ERROR: true, errorLevel, msg });
174
- },
175
- warn: (msg) => {
176
- sendMsg({ CONSOLE: true, WARN: true, msg });
177
- },
178
- info: (msg) => {
179
- sendMsg({ CONSOLE: true, INFO: true, msg });
180
- },
181
- },
182
- listen: (callback) => {
183
- client.on("message", (msg) => {
184
- callback(msg);
185
- });
186
- },
187
- onError: (callback) => {
188
- client.on("error", (err) => {
189
- callback(err);
190
- });
191
- },
192
- };
193
- }
194
-
195
- listen(callback) {
196
- this.server.instance.on("message", (msg) => {
197
- callback(msg);
198
- });
199
- }
200
-
201
- client(config = { use: this.typeEnums.DFT, port: 0, callback: () => {} }) {
202
- if (!this.server.instance) {
203
- this.spawnServer();
204
- }
205
- const ws = new WebSocket(`ws://localhost:${config.port}`);
206
- ws.on("open", () => {
207
- console.log(config);
208
- });
209
- ws.send(JSON.stringify({ CLIENTINIT: true, IPC_TYPE: config.use, port: config.port }));
210
-
211
- function listen(callback) {
212
- ws.on("message", (msg) => {
213
- callback(msg);
214
- });
215
- }
216
- return {
217
- Console: {
218
- read: (callback) => {
219
- listen((msg) => {
220
- msg = JSON.parse(msg.toString());
221
- if (msg.isServer && msg.IPC_TYPE === config.use && msg.port === config.port && msg?.msg?.CONSOLE) {
222
- callback(msg);
223
- }
224
- });
225
- },
226
- write: (msg) => {
227
- ws.send(JSON.stringify({ CONSOLE_LOG: true, msg }));
228
- },
229
- },
230
- sendMsg: (msg) => {
231
- ws.send(JSON.stringify({ IPC_TYPE: config.use, msg }));
232
- },
233
- listen: (callback) => {
234
- ws.on("message", (msg) => {
235
- callback(msg);
236
- });
237
- },
238
- close: () => {
239
- ws.close();
240
- },
241
- onError: (callback) => {
242
- ws.on("error", (err) => {
243
- callback(err);
244
- });
245
- },
246
- };
247
- }
248
-
249
- sendMsg(batch, callback) {
250
- switch (true) {
251
- case Array.isArray(batch):
252
- console.log(`Using incremental sending`);
253
- let timeBetween = 1000;
254
- batch.forEach((msg, i) => {
255
- setTimeout(() => {
256
- this.server.sendMsg(msg);
257
- }, i * timeBetween);
258
- });
259
- break;
260
- case typeof batch === "string":
261
- this.server.sendMsg(batch);
262
- break;
263
- default:
264
- this.server.sendMsg(batch.toString());
265
- break;
266
- }
267
- }
268
- }
269
-
270
- /**
271
- * @module IPCServer
272
- * @description The IPC server instance
273
-
274
- */
275
- let IPCServer = new IPC({ port: 3434 });
276
-
277
- export default IPCServer;