@remotex-labs/xbuild 1.5.3 → 1.5.4
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/cli.js +1 -1
- package/dist/cli.js.map +1 -1
- package/dist/index.js +12 -11
- package/dist/index.js.map +4 -4
- package/package.json +8 -8
package/dist/cli.js
CHANGED
|
@@ -8,6 +8,6 @@ __ _| |_/ /_ _ _| | __| |
|
|
|
8
8
|
/_/\\_\\____/ \\__,_|_|_|\\__,_|
|
|
9
9
|
`;function t(r=!0){return`
|
|
10
10
|
\r${e("\x1B[38;5;208m",i,r)}
|
|
11
|
-
\rVersion: ${e("\x1B[38;5;197m","1.5.
|
|
11
|
+
\rVersion: ${e("\x1B[38;5;197m","1.5.4",r)}
|
|
12
12
|
\r`}console.log(t());o(process.argv).catch(r=>{console.error(r.stack),process.exit(1)});
|
|
13
13
|
//# sourceMappingURL=cli.js.map
|
package/dist/cli.js.map
CHANGED
|
@@ -1,7 +1,7 @@
|
|
|
1
1
|
{
|
|
2
2
|
"version": 3,
|
|
3
3
|
"sources": ["../src/cli.ts", "../src/components/colors.component.ts", "../src/components/banner.component.ts"],
|
|
4
|
-
"sourceRoot": "https://github.com/remotex-lab/xBuild/tree/v1.5.
|
|
4
|
+
"sourceRoot": "https://github.com/remotex-lab/xBuild/tree/v1.5.4/",
|
|
5
5
|
"sourcesContent": ["#!/usr/bin/env node\n/**\n * Import will remove at compile time\n */\nimport type { xBuildError } from '@errors/xbuild.error';\nimport type { VMRuntimeError } from '@errors/vm-runtime.error';\n/**\n * Imports\n */\nimport { buildWithArgv } from './index.js';\nimport { bannerComponent } from '@components/banner.component';\n/**\n * Banner\n */\nconsole.log(bannerComponent());\n/**\n * Run entrypoint of xBuild\n */\nbuildWithArgv(process.argv).catch((error: VMRuntimeError & xBuildError) => {\n console.error(error.stack);\n process.exit(1);\n});\n", "/**\n * An enumeration of ANSI color codes used for text formatting in the terminal.\n *\n * These colors can be used to format terminal output with various text colors,\n * including different shades of gray, yellow, and orange, among others.\n *\n * Each color code starts with an ANSI escape sequence (`\\u001B`), followed by the color code.\n * The `Reset` option can be used to reset the terminal's text formatting back to the default.\n *\n * @example\n * ```ts\n * console.log(Color.BrightPink, 'This is bright pink text', Color.Reset);\n * ```\n */\nexport const enum Colors {\n Reset = '\\u001B[0m',\n Red = '\\u001B[38;5;9m',\n Gray = '\\u001B[38;5;243m',\n Cyan = '\\u001B[38;5;81m',\n DarkGray = '\\u001B[38;5;238m',\n LightCoral = '\\u001B[38;5;203m',\n LightOrange = '\\u001B[38;5;215m',\n OliveGreen = '\\u001B[38;5;149m',\n BurntOrange = '\\u001B[38;5;208m',\n LightGoldenrodYellow = '\\u001B[38;5;221m',\n LightYellow = '\\u001B[38;5;230m',\n CanaryYellow = '\\u001B[38;5;227m',\n DeepOrange = '\\u001B[38;5;166m',\n LightGray = '\\u001B[38;5;252m',\n BrightPink = '\\u001B[38;5;197m'\n}\n/**\n * Formats a message string with the specified ANSI color and optionally resets it after the message.\n *\n * This function applies an ANSI color code to the provided message,\n * and then appends the reset code to ensure that the color formatting doesn't extend beyond the message.\n * It's useful for outputting colored text in a terminal. If color formatting is not desired,\n * the function can return the message unformatted.\n *\n * @param color - The ANSI color code to apply. This is used only if `activeColor` is true.\n * @param msg - The message to be formatted with the specified color.\n * @param activeColor - A boolean flag indicating whether color formatting should be applied. Default is `__ACTIVE_COLOR`.\n *\n * @returns A string with the specified color applied to the message,\n * followed by a reset sequence if `activeColor` is true.\n *\n * @example\n * ```ts\n * const coloredMessage = setColor(Colors.LightOrange, 'This is a light orange message');\n * console.log(coloredMessage);\n * ```\n *\n * @example\n * ```ts\n * const plainMessage = setColor(Colors.LightOrange, 'This is a light orange message', false);\n * console.log(plainMessage); // Output will be without color formatting\n * ```\n */\nexport function setColor(color: Colors, msg: string, activeColor: boolean = __ACTIVE_COLOR): string {\n if (!activeColor)\n return msg;\n return `${color}${msg}${Colors.Reset}`;\n}\n", "/**\n * Imports\n */\nimport { Colors, setColor } from '@components/colors.component';\n/**\n * ASCII Logo and Version Information\n *\n * @remarks\n * The `asciiLogo` constant stores an ASCII representation of the project logo\n * that will be displayed in the banner. This banner is rendered in a formatted\n * string in the `bannerComponent` function.\n *\n * The `cleanScreen` constant contains an ANSI escape code to clear the terminal screen.\n */\nexport const asciiLogo = `\n ______ _ _ _\n | ___ \\\\ (_) | | |\n__ _| |_/ /_ _ _| | __| |\n\\\\ \\\\/ / ___ \\\\ | | | | |/ _\\` |\n > <| |_/ / |_| | | | (_| |\n/_/\\\\_\\\\____/ \\\\__,_|_|_|\\\\__,_|\n`;\n// ANSI escape codes for colors\nexport const cleanScreen = '\\x1Bc';\n/**\n * Renders the banner with the ASCII logo and version information.\n *\n * This function constructs and returns a formatted banner string that includes an ASCII logo and the version number.\n * The colors used for the ASCII logo and version number can be enabled or disabled based on the `activeColor` parameter.\n * If color formatting is enabled, the ASCII logo will be rendered in burnt orange, and the version number will be in bright pink.\n *\n * @param activeColor - A boolean flag indicating whether ANSI color formatting should be applied. Default is `__ACTIVE_COLOR`.\n *\n * @returns A formatted string containing the ASCII logo, version number, and ANSI color codes if `activeColor` is `true`.\n *\n * @remarks\n * The `bannerComponent` function clears the terminal screen, applies color formatting if enabled, and displays\n * the ASCII logo and version number. The version number is retrieved from the global `__VERSION` variable, and\n * the colors are reset after the text is rendered.\n *\n * @example\n * ```ts\n * console.log(bannerComponent());\n * ```\n *\n * This will output the banner to the console with the ASCII logo, version, and colors.\n *\n * @example\n * ```ts\n * console.log(bannerComponent(false));\n * ```\n *\n * This will output the banner to the console with the ASCII logo and version number without color formatting.\n *\n * @public\n */\n// Todo \\r${ activeColor ? cleanScreen : '' }\nexport function bannerComponent(activeColor: boolean = true): string {\n return `\n \\r${setColor(Colors.BurntOrange, asciiLogo, activeColor)}\n \\rVersion: ${setColor(Colors.BrightPink, __VERSION, activeColor)}\n \\r`;\n}\n/**\n * A formatted string prefix used for logging build-related messages.\n * // todo optimize this\n */\nexport function prefix() {\n return setColor(Colors.LightCoral, '[xBuild]');\n}\n"],
|
|
6
6
|
"mappings": ";AASA,OAAS,iBAAAA,MAAqB,aCiDvB,SAASC,EAASC,EAAeC,EAAaC,EAAuB,eAAwB,CAChG,OAAKA,EAEE,GAAGF,CAAK,GAAGC,CAAG,UADVA,CAEf,CChDO,IAAME,EAAY;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;EA2ClB,SAASC,EAAgBC,EAAuB,GAAc,CACjE,MAAO;AAAA,YACCC,mBAA6BC,EAAWF,CAAW,CAAC;AAAA,qBAC3CC,mBAA4B,QAAWD,CAAW,CAAC;AAAA,OAExE,CFhDA,QAAQ,IAAIG,EAAgB,CAAC,EAI7BC,EAAc,QAAQ,IAAI,EAAE,MAAOC,GAAwC,CACvE,QAAQ,MAAMA,EAAM,KAAK,EACzB,QAAQ,KAAK,CAAC,CAClB,CAAC",
|
|
7
7
|
"names": ["buildWithArgv", "setColor", "color", "msg", "activeColor", "asciiLogo", "bannerComponent", "activeColor", "setColor", "asciiLogo", "bannerComponent", "buildWithArgv", "error"]
|
package/dist/index.js
CHANGED
|
@@ -1,15 +1,15 @@
|
|
|
1
|
-
import{cwd as ye}from"process";import{readFileSync as ve}from"fs";import{fileURLToPath as Se}from"url";import{dirname as j,join as Ce,resolve as _}from"path";function
|
|
1
|
+
import{cwd as ye}from"process";import{readFileSync as ve}from"fs";import{fileURLToPath as Se}from"url";import{dirname as j,join as Ce,resolve as _}from"path";import{SourceService as be}from"@remotex-labs/xmap";function l(o,e,t=__ACTIVE_COLOR){return t?`${o}${e}\x1B[0m`:e}import{highlightCode as xe}from"@remotex-labs/xmap/highlighter.component";import{formatErrorCode as we}from"@remotex-labs/xmap/formatter.component";var F=ye(),D=j(Se(import.meta.url)),Ee=j(D),N=(()=>{let o;return{get service(){if(!o){let e=ve(Ce(D,"index.js.map"));o=new be(e.toString(),import.meta.url)}return o}}})();global.__ACTIVE_COLOR||(global.__ACTIVE_COLOR=!0);function Te(o,e,t,r){return`${o.replace(`${r}\\`,e).replace(/\\/g,"/")}#L${t}`}function L(o,e,t,r,i){if(i.isPromiseAll())return`at async Promise.all (index: ${i.getPromiseIndex()})`;let n=i.isAsync()?"async":"",s=o?`${n} ${o}`:n,a=t>=0&&r>=0?l("\x1B[38;5;243m",`[${t}:${r}]`):"";return`at ${s} ${l("\x1B[38;5;238m",e)} ${a}`.replace(/\s{2,}/g," ").trim()}function Pe(o){let e=o.getLineNumber()||-1,t=o.getColumnNumber()||-1,r=o.getFileName()||"<anonymous>",i=o.getTypeName()||"",n=o.getFunctionName()||"",s=o.isNative()?"<native>":n;return i&&(s=`${i}.${s}`),{functionName:s,source:r,line:e,column:t}}function ke(o,e){let t=__ACTIVE_COLOR?xe(o.code):o.code;return o.name&&e.name=="TypeError"&&(e.message=e.message.replace(/^\S+/,o.name)),we({...o,code:t},{color:__ACTIVE_COLOR?"\x1B[38;5;197m":"",reset:__ACTIVE_COLOR?"\x1B[0m":""})}function Oe(o,e){let{functionName:t,source:r,line:i,column:n}=Pe(o);if(o.isPromiseAll()||o.isEval()||o.isNative())return L(t,r,i,n,o);let s=null,a=r===N.service.file;if(a?s=N.service.getPositionWithCode(i,n):e.error.sourceMap&&(s=e.error.sourceMap.getPositionWithCode(i,n)),s){let c=a?D:F,{line:p,column:v,name:B}=s,$=_(c,s.source);return e.blockCode||(e.blockCode=ke(s,e.error)),s.sourceRoot&&($=Te(_(c,s.source),s.sourceRoot,s.line,a?Ee:F)),L(B||t,$,p,v,o)}return r==="evalmachine.<anonymous>"?"":L(t,r,i,n,o)}function Re(o,e){return e.map(t=>Oe(t,o)).filter(Boolean)}function W(o,e){let t={error:o,blockCode:null,formattedError:global.__ACTIVE_COLOR?"\x1B[0m":""},r=Re(t,e);return t.formattedError+=`
|
|
2
2
|
${o.name}:
|
|
3
|
-
${
|
|
3
|
+
${l("\x1B[38;5;203m",o.message)}
|
|
4
4
|
|
|
5
5
|
`,t.blockCode&&(t.formattedError+=`${t.blockCode}
|
|
6
6
|
|
|
7
7
|
`),r.length>0&&(t.formattedError+=`Enhanced Stack Trace:
|
|
8
8
|
${r.join(`
|
|
9
9
|
`)}
|
|
10
|
-
`),t.formattedError}var M=Error.prepareStackTrace;Error.prepareStackTrace=(o,e)=>(o.callStacks=e,M?M(o,e):"");process.on("uncaughtException",o=>{console.error(o.stack),process.exit(1)});process.on("unhandledRejection",o=>{console.error(o.stack),process.exit(1)});import{existsSync as Tt}from"fs";import
|
|
10
|
+
`),t.formattedError}var M=Error.prepareStackTrace;Error.prepareStackTrace=(o,e)=>(o.callStacks=e,M?M(o,e):"");process.on("uncaughtException",o=>{console.error(o.stack),process.exit(1)});process.on("unhandledRejection",o=>{console.error(o.stack),process.exit(1)});import{existsSync as Tt}from"fs";import Ae from"yargs";import{hideBin as Be}from"yargs/helpers";function H(o){let e=Ae(Be(o)).command("$0 [file]","A versatile JavaScript and TypeScript toolchain build system.",t=>{t.positional("entryPoints",{describe:"The file entryPoints to build",type:"string"}).option("typeCheck",{describe:"Perform type checking",alias:"tc",type:"boolean"}).option("node",{alias:"n",describe:"Build for node platform",type:"boolean"}).option("dev",{alias:"d",describe:"Array entryPoints to run as development in Node.js",type:"array"}).option("debug",{alias:"db",describe:"Array entryPoints to run in Node.js with debug state",type:"array"}).option("serve",{alias:"s",describe:"Serve the build folder over HTTP",type:"boolean"}).option("outdir",{alias:"o",describe:"Output directory",type:"string"}).option("declaration",{alias:"de",describe:"Add TypeScript declarations",type:"boolean"}).option("watch",{alias:"w",describe:"Watch for file changes",type:"boolean"}).option("config",{alias:"c",describe:"Build configuration file (js/ts)",type:"string",default:"xbuild.config.ts"}).option("tsconfig",{alias:"tsc",describe:"Set TypeScript configuration file to use",type:"string",default:"tsconfig.json"}).option("minify",{alias:"m",describe:"Minify the code",type:"boolean"}).option("bundle",{alias:"b",describe:"Bundle the code",type:"boolean"}).option("noTypeChecker",{alias:"ntc",describe:"Skip TypeScript type checking",type:"boolean"}).option("buildOnError",{alias:"boe",describe:"Continue building even if there are TypeScript type errors",type:"boolean"}).option("format",{alias:"f",describe:"Defines the format for the build output ('cjs' | 'esm' | 'iif').",type:"string"}).option("version",{alias:"v",describe:"Show version number",type:"boolean",default:!1,conflicts:"help"})}).help().alias("help","h").version(!1).middleware(t=>{t.version&&process.exit(0)});return e.showHelp(t=>{(process.argv.includes("--help")||process.argv.includes("-h"))&&(console.log(t+`
|
|
11
11
|
|
|
12
|
-
`),process.exit(0))}),e}import*as he from"node:process";import{dirname as xt,resolve as
|
|
12
|
+
`),process.exit(0))}),e}import*as he from"node:process";import{dirname as xt,resolve as C}from"path";import{build as wt,context as Et}from"esbuild";import{spawn as Le}from"child_process";function V(o,e=!1){let t=["--enable-source-maps",o];e&&t.unshift("--inspect-brk=0.0.0.0:0");let r=Le("node",t);return r.stdout.on("data",i=>{console.log(i.toString())}),r.stderr.on("data",i=>{console.error(i.toString())}),r}import f from"typescript";import{promises as _e}from"fs";import{cwd as De}from"process";import{build as J}from"esbuild";var g=class o extends Error{constructor(t,r){super(t);this.sourceMap=r;Error.captureStackTrace&&Error.captureStackTrace(this,o),this.name="xBuildBaseError"}callStacks=[];reformatStack(t){return t.callStacks?W(this,t.callStacks):t.stack??""}};var d=class o extends g{originalErrorStack;constructor(e,t){super(e),Error.captureStackTrace&&Error.captureStackTrace(this,o),t&&Object.assign(this,t),this.name="xBuildError",this.originalErrorStack=this.stack,this.stack=this.reformatStack(this)}};var Ie={write:!1,bundle:!0,minify:!0,format:"cjs",target:"esnext",platform:"node",sourcemap:!0,sourcesContent:!0,preserveSymlinks:!0};function $e(o){let e=/\/\/# sourceMappingURL=data:application\/json;base64,([^'"\s]+)/,t=o.match(e);if(!t||!t[1])throw new d("Source map URL not found in the output.");let r=t[1];return{code:o.replace(e,""),sourceMap:r}}async function U(o,e={}){let t={absWorkingDir:De(),...Ie,...e,entryPoints:[o]},i=(await J(t)).outputFiles?.pop()?.text??"";return $e(i)}async function b(o,e="browser"){return await J({outdir:"tmp",write:!1,bundle:!0,metafile:!0,platform:e,packages:"external",logLevel:"silent",entryPoints:o,loader:{".html":"text"}})}function Fe(o,e){let t=f.createSourceFile("temp.ts",o,f.ScriptTarget.Latest,!0),r=i=>{if(f.isFunctionDeclaration(i)&&i.name&&i.name.text.startsWith("$$")){e.removeFunctions.add(i.name.text);return}if(f.isVariableStatement(i)&&i.declarationList.declarations.length>0){i.declarationList.declarations.forEach(n=>{f.isIdentifier(n.name)&&n.name.text.startsWith("$$")&&n.initializer&&(f.isArrowFunction(n.initializer)||f.isFunctionExpression(n.initializer))&&e.removeFunctions.add(n.name.text)});return}if(f.isIdentifier(i)&&f.isExpression(i)&&i.escapedText&&i.escapedText.startsWith("$$")){e.removeFunctions.add(i.escapedText);return}f.forEachChild(i,r)};r(t)}async function Ne(o,e,t){let r=Object.keys(o.inputs);for(let i of r){let n=await _e.readFile(i,"utf8"),s=/\/\/\s?ifdef\s?(\w+)([\s\S]*?)\/\/\s?endif/g,a;for(;(a=s.exec(n))!==null;){let[,c,p]=a;e.define[c]||Fe(p,t)}}}function Me(o,e){let t=[];function r(n){if(f.isCallExpression(n)){let s=n.expression.getText(),a=s.endsWith("!")?s.slice(0,-1):s;a.startsWith("$$")&&e.removeFunctions.has(a)&&t.push({start:n.getStart(),end:n.getEnd(),replacement:"undefined"});let c=n.expression;if(f.isPropertyAccessExpression(c)){let p=c.name;f.isIdentifier(p)&&p.text.startsWith("$$")&&t.push({start:n.getStart(),end:n.getEnd(),replacement:"undefined"})}}f.forEachChild(n,r)}r(o),t.sort((n,s)=>s.start-n.start);let i=o.getFullText();for(let{start:n,end:s,replacement:a}of t)i=i.substring(0,n)+a+i.substring(s);return i}async function z(o,e,t,r,i){if(!t.path.endsWith(".ts")&&!t.path.endsWith(".js"))return{loader:e,contents:o};if(!r.macros){let a={removeFunctions:new Set},c=await b([t.path]);await Ne(c.metafile,i,a),r.macros=a}let n=o.toString(),s=f.createSourceFile(t.path,n,f.ScriptTarget.Latest,!0);return{loader:e??"ts",contents:Me(s,r.macros)}}import{join as je}from"path";import{cwd as We}from"process";import{existsSync as He,readFileSync as Ve}from"fs";import{highlightCode as Je}from"@remotex-labs/xmap/highlighter.component";import{formatErrorCode as Ue}from"@remotex-labs/xmap/formatter.component";var x=class o extends g{originalErrorStack;constructor(e){super(e.text),this.name="esBuildError",Error.captureStackTrace&&Error.captureStackTrace(this,o),e.location?this.stack=this.generateFormattedError(e):(this.originalErrorStack=this.stack,this.stack=this.reformatStack(this))}generateFormattedError(e){let{text:t,location:r,notes:i}=e,n=this.applyColor("\x1B[0m",`
|
|
13
13
|
${this.name}: ${this.applyColor("\x1B[38;5;243m",r?.file??"")}
|
|
14
14
|
`);if(n+=this.applyColor("\x1B[38;5;203m",`${t}
|
|
15
15
|
|
|
@@ -17,8 +17,8 @@ ${this.name}: ${this.applyColor("\x1B[38;5;243m",r?.file??"")}
|
|
|
17
17
|
|
|
18
18
|
`)}),r){let s=this.readCode(r.file);s&&(n+=`${this.formatCodeSnippet(s,r)}
|
|
19
19
|
`)}return n}readCode(e){try{return He(e)?Ve(je(We(),e),"utf-8").split(`
|
|
20
|
-
`):null}catch{return null}}formatCodeSnippet(e,t){let{line:r=1,column:i=0,file:n}=t,s=Math.max(r-3,0),a=Math.min(r+3,e.length),c=
|
|
21
|
-
`));return
|
|
20
|
+
`):null}catch{return null}}formatCodeSnippet(e,t){let{line:r=1,column:i=0,file:n}=t,s=Math.max(r-3,0),a=Math.min(r+3,e.length),c=Je(e.slice(s,a).join(`
|
|
21
|
+
`));return Ue({line:r,name:null,code:c,source:n,endLine:a,startLine:s,column:i+1,sourceRoot:null,sourceIndex:-1,generatedLine:-1,generatedColumn:-1},{color:global.__ACTIVE_COLOR?"\x1B[38;5;197m":"",reset:global.__ACTIVE_COLOR?"\x1B[0m":""})}applyColor(e,t){return global.__ACTIVE_COLOR?l(e,t):t}};function u(){return l("\x1B[38;5;203m","[xBuild]")}var h=class o extends g{originalError;originalErrorStack;constructor(e,t){super(e.message,t),Error.captureStackTrace&&Error.captureStackTrace(this,o),this.originalError=e,this.originalErrorStack=e.stack,this.name="VMRuntimeError",this.stack=this.reformatStack(e)}};import*as Q from"http";import*as ee from"https";var G=`<!DOCTYPE html>
|
|
22
22
|
<html>
|
|
23
23
|
<head>
|
|
24
24
|
<meta charset="UTF-8">
|
|
@@ -75,10 +75,11 @@ ${this.name}: ${this.applyColor("\x1B[38;5;243m",r?.file??"")}
|
|
|
75
75
|
<ul>\${ fileList }</ul>
|
|
76
76
|
</body>
|
|
77
77
|
</html>
|
|
78
|
-
`;import{extname as q,join as Y,resolve as Ge}from"path";import{existsSync as K,readdir as qe,readFile as Ye,readFileSync as Z,stat as Ke}from"fs";var X={html:{icon:"fa-file-code",color:"#d1a65f"},css:{icon:"fa-file-css",color:"#264de4"},js:{icon:"fa-file-code",color:"#f7df1e"},json:{icon:"fa-file-json",color:"#b41717"},png:{icon:"fa-file-image",color:"#53a8e4"},jpg:{icon:"fa-file-image",color:"#53a8e4"},jpeg:{icon:"fa-file-image",color:"#53a8e4"},gif:{icon:"fa-file-image",color:"#53a8e4"},txt:{icon:"fa-file-alt",color:"#8e8e8e"},folder:{icon:"fa-folder",color:"#ffb800"}},
|
|
79
|
-
|
|
78
|
+
`;import{extname as q,join as Y,resolve as Ge}from"path";import{existsSync as K,readdir as qe,readFile as Ye,readFileSync as Z,stat as Ke}from"fs";var X={html:{icon:"fa-file-code",color:"#d1a65f"},css:{icon:"fa-file-css",color:"#264de4"},js:{icon:"fa-file-code",color:"#f7df1e"},json:{icon:"fa-file-json",color:"#b41717"},png:{icon:"fa-file-image",color:"#53a8e4"},jpg:{icon:"fa-file-image",color:"#53a8e4"},jpeg:{icon:"fa-file-image",color:"#53a8e4"},gif:{icon:"fa-file-image",color:"#53a8e4"},txt:{icon:"fa-file-alt",color:"#8e8e8e"},folder:{icon:"fa-folder",color:"#ffb800"}},w=class{rootDir;isHttps;config;constructor(e,t){this.rootDir=Ge(t),this.config=e,this.isHttps=this.config.keyfile&&this.config.certfile?K(this.config.keyfile)&&K(this.config.certfile):!1}start(){if(this.config.onStart&&this.config.onStart(),this.isHttps)return this.startHttpsServer();this.startHttpServer()}startHttpServer(){Q.createServer((t,r)=>{this.handleRequest(t,r,()=>this.defaultResponse(t,r))}).listen(this.config.port,this.config.host,()=>{console.log(`${u()} HTTP/S server is running at http://${this.config.host}:${this.config.port}`)})}startHttpsServer(){let e={key:Z(this.config.keyfile),cert:Z(this.config.certfile)};ee.createServer(e,(r,i)=>{this.handleRequest(r,i,()=>this.defaultResponse(r,i))}).listen(this.config.port,this.config.host,()=>{let r=l("\x1B[38;5;227m",`https://${this.config.host}:${this.config.port}`);console.log(`${u()} HTTPS server is running at ${r}`)})}handleRequest(e,t,r){try{this.config.onRequest?this.config.onRequest(e,t,r):r()}catch(i){this.sendError(t,i)}}getContentType(e){return{html:"text/html",css:"text/css",js:"application/javascript",ts:"text/plain",map:"application/json",json:"application/json",png:"image/png",jpg:"image/jpeg",gif:"image/gif",txt:"text/plain"}[e]||"application/octet-stream"}async defaultResponse(e,t){let r=e.url==="/"?"":e.url?.replace(/^\/+/,"")||"",i=Y(this.rootDir,r);if(!i.startsWith(this.rootDir)){t.statusCode=403,t.end();return}try{let n=await this.promisifyStat(i);n.isDirectory()?this.handleDirectory(i,r,t):n.isFile()&&this.handleFile(i,t)}catch(n){let s=n.message;s.includes("favicon")||console.log(u(),s),this.sendNotFound(t)}}promisifyStat(e){return new Promise((t,r)=>{Ke(e,(i,n)=>i?r(i):t(n))})}handleDirectory(e,t,r){qe(e,(i,n)=>{if(i)return this.sendError(r,i);let s=n.map(a=>{if(a.match(/[^A-Za-z0-9_\/\\.-]/))return;let c=Y(t,a);if(c.match(/[^A-Za-z0-9_\/\\.-]/))return;let p=q(a).slice(1)||"folder",{icon:v,color:B}=X[p]||X.folder;return`<li><i class="fas ${v}" style="color: ${B};"></i> <a href="/${c}">${a}</a></li>`}).join("");r.writeHead(200,{"Content-Type":"text/html"}),r.end(G.replace("${ fileList }",s))})}handleFile(e,t){let r=q(e).slice(1)||"txt",i=this.getContentType(r);Ye(e,(n,s)=>{if(n)return this.sendError(t,n);t.writeHead(200,{"Content-Type":i}),t.end(s)})}sendNotFound(e){e.writeHead(404,{"Content-Type":"text/plain"}),e.end("Not Found")}sendError(e,t){console.error(`${u()}`,t.toString()),e.writeHead(500,{"Content-Type":"text/plain"}),e.end("Internal Server Error")}};import{promises as Ze}from"fs";import{resolve as Xe}from"path";var E=class{buildState={};onEndHooks=[];onSuccess=[];onLoadHooks=[];onStartHooks=[];onResolveHooks=[];registerOnStart(e){e&&this.onStartHooks.push(e)}registerOnEnd(e){e&&this.onEndHooks.push(e)}registerOnSuccess(e){e&&this.onSuccess.push(e)}registerOnResolve(e){e&&this.onResolveHooks.push(e)}registerOnLoad(e){e&&this.onLoadHooks.push(e)}setup(){return{name:"middleware-plugin",setup:e=>{e.initialOptions.metafile=!0,e.onEnd(this.handleOnEnd.bind(this)),e.onStart(this.handleOnStart.bind(this,e)),e.onLoad({filter:/.*/},this.handleOnLoad.bind(this)),e.onResolve({filter:/.*/},this.handleOnResolve.bind(this))}}}async handleOnStart(e){this.buildState={};let t={errors:[],warnings:[]};for(let r of this.onStartHooks){let i=await r(e,this.buildState);i&&(i.errors?.length&&t.errors.push(...i.errors),i.warnings?.length&&t.warnings.push(...i.warnings))}return t}async handleOnEnd(e){let t={errors:e.errors??[],warnings:e.warnings??[]};for(let r of this.onEndHooks){e.errors=t.errors,e.warnings=t.warnings;let i=await r(e,this.buildState);i&&(i.errors?.length&&t.errors.push(...i.errors),i.warnings?.length&&t.warnings.push(...i.warnings))}if(t.errors.length<1)for(let r of this.onSuccess)await r(e,this.buildState);return t}async handleOnResolve(e){let t={};for(let r of this.onResolveHooks){let i=await r(e,this.buildState);i&&(t={...t,...i,path:i.path||t.path})}return t.path?t:null}async handleOnLoad(e){let t={contents:void 0,loader:"default"},r=Xe(e.path);t.contents||(t.contents=await Ze.readFile(r,"utf8"));for(let i of this.onLoadHooks){let n=await i(t.contents??"",t.loader,e,this.buildState);n&&(t={...t,...n,contents:n.contents||t.contents,loader:n.loader||t.loader})}return t.contents?t:null}};function te(o,e){return o.replace(/\/\/\s?ifdef\s?(\w+)([\s\S]*?)\/\/\s?endif/g,(t,r,i)=>e[r]?i:`
|
|
79
|
+
`.repeat((i.match(/\n/g)||[]).length))}import{relative as Qe}from"path";function re(o,e,t,r){let i=/(?:import|export)\s.*?\sfrom\s+['"]([^'"]+)['"]/g;for(let n in t){let s=Qe(e,t[n]).replace(/\\/g,"/");s.startsWith("..")||(s=`./${s}`),o=o.replaceAll(n,`${s}/`),r&&(o=o.replace(i,(a,c)=>(c.startsWith("../")||c.startsWith("./"))&&!c.endsWith(".js")?a.replace(c,`${c}.js`):a))}return o}var T=class o extends Error{constructor(e,t){super(e),this.name="TypesError",Object.setPrototypeOf(this,o.prototype),t?.cause&&(this.cause=t.cause)}};import{resolve as P,relative as et,dirname as tt,parse as rt}from"path";import{sys as it,factory as I,createProgram as ie,visitEachChild as oe,isStringLiteral as ot,resolveModuleName as nt,DiagnosticCategory as st,isImportDeclaration as ne,isExportDeclaration as se,getPreEmitDiagnostics as ae,flattenDiagnosticMessageText as ce}from"typescript";var k=class{constructor(e,t,r=!0){this.tsConfig=e;this.outDir=t;this.activeColor=r;this.options={...this.tsConfig.options,outDir:this.outDir}}options;typeCheck(e=!1){let t=ie(this.tsConfig.fileNames,{...this.options,noEmit:!0,skipLibCheck:!0,emitDeclarationOnly:!0});this.handleDiagnostics(ae(t),e)}generateDeclarations(e=!1,t=!1){let r=ie(this.tsConfig.fileNames,{...this.options,rootDir:this.options.baseUrl,declaration:!0,skipLibCheck:!0,emitDeclarationOnly:!0}),i=ae(r);!e&&i.some(n=>n.category===st.Error)&&this.handleDiagnostics(i,t),r.emit(void 0,void 0,void 0,!0,{afterDeclarations:[this.createTransformerFactory()]})}isImportOrExportDeclaration(e){return ne(e)||se(e)}hasStringLiteralModuleSpecifier(e){return e.moduleSpecifier&&ot(e.moduleSpecifier)}resolveModuleFileName(e,t){let r,i=nt(e,t.baseUrl,t,it);if(i.resolvedModule&&t.baseUrl){if(i.resolvedModule.resolvedFileName.includes("node_modules"))return r;r=P(i.resolvedModule.resolvedFileName).replace(P(t.baseUrl),".")}return r}getRelativePathToOutDir(e,t){e=P(e).replace(P(this.options.baseUrl??""),".");let r=et(tt(e),t).replace(/\\/g,"/"),i=rt(r);return i.dir.startsWith("..")||(i.dir=`./${i.dir}`),`${i.dir}/${i.name}`}updateModuleSpecifier(e,t){let r=I.createStringLiteral(t);return ne(e)?I.updateImportDeclaration(e,e.modifiers,e.importClause,r,void 0):se(e)?I.updateExportDeclaration(e,e.modifiers,e.isTypeOnly,e.exportClause,r,void 0):e}createVisitor(e,t){let r=i=>{if(this.isImportOrExportDeclaration(i)&&this.hasStringLiteralModuleSpecifier(i)){let n=i.moduleSpecifier.text,s=this.resolveModuleFileName(n,this.options);if(s){let a=this.getRelativePathToOutDir(e.fileName,s);return this.updateModuleSpecifier(i,a)}}return oe(i,r,t)};return r}createTransformerFactory(){return e=>({transformSourceFile:t=>oe(t,this.createVisitor(t,e),e),transformBundle:t=>t})}handleDiagnostics(e,t=!1){if(e.length!==0&&(e.forEach(r=>{if(r.file&&r.start!==void 0){let{line:i,character:n}=r.file.getLineAndCharacterOfPosition(r.start),s=ce(r.messageText,`
|
|
80
|
+
`),a=l("\x1B[38;5;81m",r.file.fileName,this.activeColor),c=l("\x1B[38;5;230m",`${i+1}:${n+1}`,this.activeColor),p=l("\x1B[38;5;9m","error",this.activeColor),v=l("\x1B[38;5;243m",`TS${r.code}`,this.activeColor);console.error(`${u()} ${a}:${c} - ${p} ${v}:${s}`)}else console.error(ce(r.messageText,`
|
|
80
81
|
`))}),console.log(`
|
|
81
|
-
`),!t))throw new
|
|
82
|
-
${u()} ${
|
|
83
|
-
`),this.config.dev&&this.spawnDev(e.metafile,this.config.dev)}async processEntryPoints(){let e=this.config.esbuild,t=await
|
|
82
|
+
`),!t))throw new T("Type checking failed due to errors.")}};import m from"typescript";import{dirname as mt}from"path";import{existsSync as ue,readFileSync as gt}from"fs";import{cwd as at}from"process";var O={dev:!1,watch:!1,declaration:!1,buildOnError:!1,noTypeChecker:!1,define:{},esbuild:{write:!0,bundle:!0,minify:!0,format:"cjs",outdir:"dist",platform:"browser",absWorkingDir:at(),loader:{".js":"ts"}},serve:{port:3e3,host:"localhost",active:!1}};import{createRequire as ft}from"module";import{SourceService as ut}from"@remotex-labs/xmap";import{Script as ct,createContext as lt}from"vm";function le(o,e={}){e.RegExp=RegExp,e.console=console;let t=new ct(o),r=lt(e);return t.runInContext(r,{breakOnSigint:!0})}function fe(o,e){for(let t in o)if(Object.prototype.hasOwnProperty.call(o,t)){let r=o[t];typeof r=="function"?o[t]=pt(r,e):typeof r=="object"&&r!==null&&fe(r,e)}return o}function pt(o,e){return(...t)=>{try{return o(...t)}catch(r){throw new h(r,e)}}}function dt(o,e){return fe(o,e)}async function R(o){let{code:e,sourceMap:t}=await U(o,{banner:{js:"(function(module, exports) {"},footer:{js:"})(module, module.exports);"}}),r={exports:{}},i=ft(import.meta.url),n=new ut(JSON.parse(atob(t)));try{await le(e,{require:i,module:r})}catch(s){throw new h(s,n)}return dt(r.exports.default,n)}var ht=JSON.stringify({compilerOptions:{strict:!0,target:"ESNext",module:"ESNext",outDir:"dist",skipLibCheck:!0,isolatedModules:!1,esModuleInterop:!1,moduleDetection:"force",moduleResolution:"node",resolveJsonModule:!0,allowSyntheticDefaultImports:!0,forceConsistentCasingInFileNames:!0}});function yt(o){let e=o.argv,t=i=>Object.fromEntries(Object.entries(i).filter(([,n])=>n!==void 0)),r=t({bundle:e.bundle,minify:e.minify,outdir:e.outdir,tsconfig:e.tsconfig,entryPoints:e.file?[e.file]:void 0,target:e.node?[`node${process.version.slice(1)}`]:void 0,platform:e.node?"node":void 0,format:e.format});return{...t({dev:e.dev,watch:e.watch,declaration:e.declaration,serve:e.serve?{active:e.serve}:{undefined:void 0}}),esbuild:r}}function pe(o){let e=o.tsconfig??"tsconfig.json",t=ue(e)?gt(e,"utf8"):JSON.stringify(ht),r=m.parseConfigFileTextToJson(e,t);if(r.error)throw new d(m.formatDiagnosticsWithColorAndContext([r.error],{getCurrentDirectory:m.sys.getCurrentDirectory,getCanonicalFileName:n=>n,getNewLine:()=>m.sys.newLine}));let i=m.parseJsonConfigFileContent(r.config,m.sys,mt(e));if(i.errors.length>0)throw new d(m.formatDiagnosticsWithColorAndContext(i.errors,{getCurrentDirectory:m.sys.getCurrentDirectory,getCanonicalFileName:n=>n,getNewLine:()=>m.sys.newLine}));return i}async function A(o,e={}){let t=Array.isArray(o)?o:[o],r=t[0];return t.flatMap(i=>{let n={...O,...r,...i,...e,esbuild:{...O.esbuild,...r?.esbuild,...i?.esbuild,...e.esbuild},serve:{...O.serve,...r.serve,...i.serve,...e.serve}};if(!n.esbuild.entryPoints)throw new d("entryPoints cannot be undefined.");return n})}async function de(o,e){let t=yt(e),r=ue(o)?await R(o):{};return A(r,t)}function vt(o){let e={};return o.forEach(t=>{let r=t.substring(0,t.lastIndexOf("."));e[r]=t}),e}function me(o){if(Array.isArray(o)){let e={};return o.length>0&&typeof o[0]=="object"?o.forEach(t=>{e[t.out]=t.in}):typeof o[0]=="string"&&(e=vt(o)),e}else if(o&&typeof o=="object")return o;throw new d("Unsupported entry points format")}import{join as St}from"path";import{mkdirSync as Ct,writeFileSync as bt}from"fs";function ge(o){let e=o.moduleTypeOutDir??o.esbuild.outdir??"dist",t=o.esbuild.format==="esm"?"module":"commonjs";Ct(e,{recursive:!0}),bt(St(e,"package.json"),`{"type": "${t}"}`)}var y=class{constructor(e){this.config=e;let t=pe(this.config.esbuild);this.config.esbuild.logLevel="silent",this.pluginsProvider=new E,this.typeScriptProvider=new k(t,this.config.declarationOutDir??t.options.outDir??this.config.esbuild.outdir),this.configureDevelopmentMode(),this.setupPlugins()}typeScriptProvider;activePossess=[];pluginsProvider;async run(){return await this.execute(async()=>{let e=await this.build();return(this.config.watch||this.config.dev)&&await e.watch(),e})}async runDebug(e){return await this.execute(async()=>{this.config.dev=!1,this.config.watch=!1;let t=await this.build();this.spawnDev(t.metafile,e,!0)})}async serve(){let e=new w(this.config.serve,this.config.esbuild.outdir??"");return await this.execute(async()=>{e.start(),await(await this.build()).watch()})}async execute(e){try{return await e()}catch(t){let r=t;Array.isArray(r.errors)&&(!this.config.watch||!this.config.dev||!this.config.serve.active)?this.handleErrors(r):console.error(new h(t).stack)}}configureDevelopmentMode(){this.config.dev!==!1&&(!Array.isArray(this.config.dev)||this.config.dev.length<1)&&(this.config.dev=["index"])}setupPlugins(){let e=C(this.typeScriptProvider.options.baseUrl??""),t=this.generatePathAlias(e);this.registerPluginHooks(t,e),this.pluginsProvider.registerOnLoad(async(r,i,n,s)=>await z(r,i,n,s,this.config))}registerPluginHooks(e,t){this.pluginsProvider.registerOnEnd(this.end.bind(this)),this.pluginsProvider.registerOnStart(this.start.bind(this)),this.pluginsProvider.registerOnLoad((r,i,n)=>{if(n.path.endsWith(".ts")){if(!this.config.esbuild.bundle){let s=xt(C(n.path).replace(t,"."));r=re(r.toString(),s,e,this.config.esbuild.format==="esm")}return{loader:"ts",contents:te(r.toString(),this.config.define)}}})}generatePathAlias(e){let t=this.typeScriptProvider.options.paths,r={};for(let i in t){let n=t[i];if(n.length>0){let s=i.replace(/\*/g,"");r[s]=C(n[0].replace(/\*/g,"")).replace(e,".")}}return r}handleErrors(e){let t=e.errors??[];for(let r of t){if(!r.detail){console.error(new x(r).stack);continue}if(r.detail.name!=="TypesError"){if(r.detail.name){if(r.detail.name==="VMRuntimeError"){console.error(r.detail.stack);continue}if(r.detail instanceof Error){console.error(new h(r.detail).stack);continue}}return console.error(r.text)}}}injects(e,t,r){if(!t)return;e[r]||(e[r]={});let i=e[r];for(let n in t)if(t.hasOwnProperty(n)){let s=t[n];if(typeof s=="function"){console.log(`${u()} trigger ${r} function`),i[n]=s();continue}i[n]=s}}async build(){ge(this.config);let e=this.config.esbuild;this.config.hooks&&(this.pluginsProvider.registerOnEnd(this.config.hooks.onEnd),this.pluginsProvider.registerOnLoad(this.config.hooks.onLoad),this.pluginsProvider.registerOnEnd(this.config.hooks.onSuccess),this.pluginsProvider.registerOnStart(this.config.hooks.onStart),this.pluginsProvider.registerOnResolve(this.config.hooks.onResolve)),e.define||(e.define={});for(let t in this.config.define)e.define[t]=JSON.stringify(this.config.define[t]);return this.config.esbuild.bundle||await this.processEntryPoints(),e.plugins=[this.pluginsProvider.setup()],this.injects(this.config.esbuild,this.config.banner,"banner"),this.injects(this.config.esbuild,this.config.footer,"footer"),this.config.watch||this.config.dev||this.config.serve.active?await Et(e):await wt(e)}spawnDev(e,t,r=!1){if(Array.isArray(t))for(let i in e.outputs)i.includes("map")||!t.some(n=>i.includes(`/${n}.`))||this.activePossess.push(V(i,r))}async start(e,t){try{t.startTime=Date.now(),console.log(`${u()} StartBuild ${e.initialOptions.outdir}`),this.config.declaration?this.typeScriptProvider.generateDeclarations(this.config.noTypeChecker,this.config.buildOnError):this.config.noTypeChecker||this.typeScriptProvider.typeCheck(this.config.buildOnError)}finally{for(;this.activePossess.length>0;){let r=this.activePossess.pop();r&&r.kill("SIGTERM")}}}async end(e,t){if(e.errors.length>0){this.handleErrors(e),!this.config.serve.active&&!this.config.dev&&!this.config.watch&&he.exit(1);return}let r=Date.now()-t.startTime;console.log(`
|
|
83
|
+
${u()} ${l("\x1B[38;5;166m",`Build completed! in ${r} ms`)}`),console.log(`${u()} ${Object.keys(e.metafile.outputs).length} Modules:`),Object.keys(e.metafile.outputs).forEach(i=>{let n=e.metafile.outputs[i].bytes;console.log(`${u()} ${l("\x1B[38;5;227m",i)}: ${l("\x1B[38;5;208m",n.toString())} bytes`)}),console.log(`
|
|
84
|
+
`),this.config.dev&&this.spawnDev(e.metafile,this.config.dev)}async processEntryPoints(){let e=this.config.esbuild,t=await b(e.entryPoints,e.platform),r=C(this.typeScriptProvider.options.baseUrl??""),i=me(e.entryPoints),n=Object.values(i);Array.isArray(e.entryPoints)&&typeof e.entryPoints[0]=="string"&&(i={},n=[]);for(let s in t.metafile.inputs){if(n.includes(s))continue;let a=C(s).replace(r,"."),c=a.substring(0,a.lastIndexOf("."));i[c]=s}e.entryPoints=i}};global.__ACTIVE_COLOR=!0;async function Ei(o){let e=H(o),t=e.argv,i=(await de(t.config,e)).map(async n=>{let s=new y(n);if(t.typeCheck)return s.typeScriptProvider.typeCheck(!0);if(t.serve||n.serve.active)return await s.serve();if(Array.isArray(t.debug))return t.debug.length<1&&(t.debug=["index"]),await s.runDebug(t.debug);await s.run()});await Promise.all(i)}async function Ti(o){let e=Tt(o)?await R(o):{},r=(await A(e)).map(async i=>await new y(i).run());return await Promise.all(r)}async function Pi(o){let t=(await A(o)).map(async r=>await new y(r).run());return await Promise.all(t)}export{Pi as build,Ei as buildWithArgv,Ti as buildWithConfigPath};
|
|
84
85
|
//# sourceMappingURL=index.js.map
|