@node-minify/yui 10.0.0-next.0 → 10.0.0

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/LICENSE CHANGED
@@ -1,6 +1,6 @@
1
1
  MIT License
2
2
 
3
- Copyright (c) 2024 Rodolphe Stoclin
3
+ Copyright (c) 2025 Rodolphe Stoclin
4
4
 
5
5
  Permission is hereby granted, free of charge, to any person obtaining a copy
6
6
  of this software and associated documentation files (the "Software"), to deal
package/README.md CHANGED
@@ -6,12 +6,15 @@
6
6
  <br>
7
7
  <a href="https://npmjs.org/package/@node-minify/yui"><img src="https://img.shields.io/npm/v/@node-minify/yui.svg"></a>
8
8
  <a href="https://npmjs.org/package/@node-minify/yui"><img src="https://img.shields.io/npm/dm/@node-minify/yui.svg"></a>
9
- <a href="https://github.com/srod/node-minify/actions"><img alt="Build Status" src="https://img.shields.io/endpoint.svg?url=https%3A%2F%2Factions-badge.atrox.dev%2Fsrod%2Fnode-minify%2Fbadge%3Fref%3Ddevelop&style=flat" /></a>
10
- <a href="https://codecov.io/gh/srod/node-minify"><img src="https://codecov.io/gh/srod/node-minify/branch/develop/graph/badge.svg"></a>
9
+ <a href="https://github.com/srod/node-minify/actions"><img alt="Build Status" src="https://img.shields.io/endpoint.svg?url=https%3A%2F%2Factions-badge.atrox.dev%2Fsrod%2Fnode-minify%2Fbadge%3Fref%3Dmain&style=flat" /></a>
10
+ <a href="https://codecov.io/gh/srod/node-minify"><img src="https://codecov.io/gh/srod/node-minify/branch/main/graph/badge.svg"></a>
11
11
  </p>
12
12
 
13
13
  # YUI Compressor
14
14
 
15
+ > **DEPRECATED**: YUI Compressor was deprecated by Yahoo in 2013 and is no longer maintained.
16
+ > Please use [`@node-minify/terser`](https://github.com/srod/node-minify/tree/main/packages/terser) for JavaScript or [`@node-minify/cssnano`](https://github.com/srod/node-minify/tree/main/packages/cssnano) for CSS instead.
17
+
15
18
  `Yahoo Compressor` is a plugin for [`node-minify`](https://github.com/srod/node-minify)
16
19
 
17
20
  It allow you to compress both JavaScript and CSS files.
@@ -25,23 +28,21 @@ npm install @node-minify/core @node-minify/yui
25
28
  ## Usage
26
29
 
27
30
  ```js
28
- const minify = require('@node-minify/core');
29
- const yui = require('@node-minify/yui');
31
+ import { minify } from '@node-minify/core';
32
+ import { yui } from '@node-minify/yui';
30
33
 
31
- minify({
34
+ await minify({
32
35
  compressor: yui,
33
36
  type: 'js',
34
37
  input: 'foo.js',
35
- output: 'bar.js',
36
- callback: function (err, min) {}
38
+ output: 'bar.js'
37
39
  });
38
40
 
39
- minify({
41
+ await minify({
40
42
  compressor: yui,
41
43
  type: 'css',
42
44
  input: 'foo.css',
43
- output: 'bar.css',
44
- callback: function (err, min) {}
45
+ output: 'bar.css'
45
46
  });
46
47
  ```
47
48
 
@@ -51,4 +52,4 @@ Visit https://node-minify.2clics.net/compressors/yui.html for full documentation
51
52
 
52
53
  ## License
53
54
 
54
- [MIT](https://github.com/srod/node-minify/blob/develop/LICENSE)
55
+ [MIT](https://github.com/srod/node-minify/blob/main/LICENSE)
package/dist/index.d.ts CHANGED
@@ -1,15 +1,162 @@
1
- import { MinifierOptions } from '@node-minify/types';
1
+ //#region ../types/src/types.d.ts
2
2
 
3
- /*!
4
- * node-minify
5
- * Copyright(c) 2011-2024 Rodolphe Stoclin
6
- * MIT Licensed
3
+ /**
4
+ * Result returned by a compressor function.
7
5
  */
6
+ type CompressorResult = {
7
+ code: string;
8
+ map?: string;
9
+ };
10
+ /**
11
+ * Base options that all compressors can accept.
12
+ * Specific compressors may extend this with their own options.
13
+ */
14
+ type CompressorOptions = Record<string, unknown>;
15
+ /**
16
+ * A compressor function that minifies content.
17
+ * @param args - The minifier options including settings and content
18
+ * @returns A promise resolving to the compression result
19
+ */
20
+ type Compressor<TOptions extends CompressorOptions = CompressorOptions> = (args: MinifierOptions<TOptions>) => Promise<CompressorResult>;
21
+ /**
22
+ * File type for compressors that support multiple types (e.g., YUI).
23
+ */
24
+ type FileType = "js" | "css";
25
+ /**
26
+ * User-facing settings for the minify function.
27
+ * This is what users pass when calling minify().
28
+ *
29
+ * @example
30
+ * ```ts
31
+ * import { minify } from '@node-minify/core';
32
+ * import { terser } from '@node-minify/terser';
33
+ *
34
+ * await minify({
35
+ * compressor: terser,
36
+ * input: 'src/*.js',
37
+ * output: 'dist/bundle.min.js',
38
+ * options: { mangle: true }
39
+ * });
40
+ * ```
41
+ */
42
+ type Settings<TOptions extends CompressorOptions = CompressorOptions> = {
43
+ /**
44
+ * The compressor function to use for minification.
45
+ */
46
+ compressor: Compressor<TOptions>;
47
+
48
+ /**
49
+ * Optional label for the compressor (used in logging).
50
+ */
51
+ compressorLabel?: string;
52
+
53
+ /**
54
+ * Content to minify (for in-memory minification).
55
+ * If provided, input/output are not required.
56
+ */
57
+ content?: string;
58
+
59
+ /**
60
+ * Input file path(s) or glob pattern.
61
+ * Can be a single file, array of files, or wildcard pattern.
62
+ *
63
+ * @example
64
+ * - 'src/app.js'
65
+ * - ['src/a.js', 'src/b.js']
66
+ * - 'src/**\/*.js'
67
+ */
68
+ input?: string | string[];
69
+
70
+ /**
71
+ * Output file path.
72
+ * Use $1 as placeholder for input filename in multi-file scenarios.
73
+ * Can be a single file, array of files, or pattern with $1.
74
+ *
75
+ * @example
76
+ * - 'dist/bundle.min.js'
77
+ * - ['file1.min.js', 'file2.min.js']
78
+ * - '$1.min.js' (creates app.min.js from app.js)
79
+ */
80
+ output?: string | string[];
81
+
82
+ /**
83
+ * Compressor-specific options.
84
+ * See individual compressor documentation for available options.
85
+ */
86
+ options?: TOptions;
8
87
 
9
- declare const minifyYUI: {
10
- ({ settings, content, callback, index }: MinifierOptions): void;
11
- default: any;
88
+ /**
89
+ * CLI option string (used by CLI only).
90
+ * @internal
91
+ */
92
+ option?: string;
93
+
94
+ /**
95
+ * Buffer size for file operations (in bytes).
96
+ * @default 1024000 (1MB)
97
+ */
98
+ buffer?: number;
99
+
100
+ /**
101
+ * File type for compressors that support multiple types.
102
+ * Required for YUI compressor.
103
+ */
104
+ type?: FileType;
105
+
106
+ /**
107
+ * Suppress console output.
108
+ * @default false
109
+ */
110
+ silence?: boolean;
111
+
112
+ /**
113
+ * Public folder to prepend to input paths.
114
+ *
115
+ * @example
116
+ * With publicFolder: 'public/js/' and input: 'app.js',
117
+ * the actual path becomes 'public/js/app.js'
118
+ */
119
+ publicFolder?: string;
120
+
121
+ /**
122
+ * Replace files in place instead of creating new output files.
123
+ * @default false
124
+ */
125
+ replaceInPlace?: boolean;
12
126
  };
127
+ /**
128
+ * Options passed to compressor functions internally.
129
+ * This is what compressors receive, not what users pass.
130
+ */
131
+ type MinifierOptions<TOptions extends CompressorOptions = CompressorOptions> = {
132
+ /**
133
+ * The full settings object.
134
+ */
135
+ settings: Settings<TOptions>;
136
+
137
+ /**
138
+ * The content to minify.
139
+ */
140
+ content?: string;
13
141
 
14
- export { minifyYUI as default };
15
- export = minifyYUI
142
+ /**
143
+ * Index of current file when processing multiple files.
144
+ */
145
+ index?: number;
146
+ };
147
+ //#endregion
148
+ //#region src/index.d.ts
149
+ /**
150
+ * Run YUI Compressor.
151
+ * @deprecated YUI Compressor was deprecated by Yahoo in 2013. Use @node-minify/terser for JS or @node-minify/cssnano for CSS.
152
+ * @param settings - YUI Compressor options
153
+ * @param content - Content to minify
154
+ * @returns Minified content
155
+ */
156
+ declare function yui({
157
+ settings,
158
+ content
159
+ }: MinifierOptions): Promise<CompressorResult>;
160
+ //#endregion
161
+ export { yui };
162
+ //# sourceMappingURL=index.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"index.d.ts","names":["CompressorReturnType","CompressorResult","CompressorOptions","Record","Compressor","TOptions","MinifierOptions","Promise","FileType","Settings","Result","MinifyOptions"],"sources":["../../types/src/types.d.ts","../src/index.ts"],"sourcesContent":["/*!\n * node-minify\n * Copyright(c) 2011-2025 Rodolphe Stoclin\n * MIT Licensed\n */\n\n/**\n * The return type of a compressor function.\n * @deprecated Use `CompressorResult` instead. Will be removed in v11.\n */\nexport type CompressorReturnType = string;\n\n/**\n * Result returned by a compressor function.\n */\nexport type CompressorResult = {\n code: string;\n map?: string;\n};\n\n/**\n * Base options that all compressors can accept.\n * Specific compressors may extend this with their own options.\n */\nexport type CompressorOptions = Record<string, unknown>;\n\n/**\n * A compressor function that minifies content.\n * @param args - The minifier options including settings and content\n * @returns A promise resolving to the compression result\n */\nexport type Compressor<TOptions extends CompressorOptions = CompressorOptions> =\n (args: MinifierOptions<TOptions>) => Promise<CompressorResult>;\n\n/**\n * File type for compressors that support multiple types (e.g., YUI).\n */\nexport type FileType = \"js\" | \"css\";\n\n/**\n * User-facing settings for the minify function.\n * This is what users pass when calling minify().\n *\n * @example\n * ```ts\n * import { minify } from '@node-minify/core';\n * import { terser } from '@node-minify/terser';\n *\n * await minify({\n * compressor: terser,\n * input: 'src/*.js',\n * output: 'dist/bundle.min.js',\n * options: { mangle: true }\n * });\n * ```\n */\nexport type Settings<TOptions extends CompressorOptions = CompressorOptions> = {\n /**\n * The compressor function to use for minification.\n */\n compressor: Compressor<TOptions>;\n\n /**\n * Optional label for the compressor (used in logging).\n */\n compressorLabel?: string;\n\n /**\n * Content to minify (for in-memory minification).\n * If provided, input/output are not required.\n */\n content?: string;\n\n /**\n * Input file path(s) or glob pattern.\n * Can be a single file, array of files, or wildcard pattern.\n *\n * @example\n * - 'src/app.js'\n * - ['src/a.js', 'src/b.js']\n * - 'src/**\\/*.js'\n */\n input?: string | string[];\n\n /**\n * Output file path.\n * Use $1 as placeholder for input filename in multi-file scenarios.\n * Can be a single file, array of files, or pattern with $1.\n *\n * @example\n * - 'dist/bundle.min.js'\n * - ['file1.min.js', 'file2.min.js']\n * - '$1.min.js' (creates app.min.js from app.js)\n */\n output?: string | string[];\n\n /**\n * Compressor-specific options.\n * See individual compressor documentation for available options.\n */\n options?: TOptions;\n\n /**\n * CLI option string (used by CLI only).\n * @internal\n */\n option?: string;\n\n /**\n * Buffer size for file operations (in bytes).\n * @default 1024000 (1MB)\n */\n buffer?: number;\n\n /**\n * File type for compressors that support multiple types.\n * Required for YUI compressor.\n */\n type?: FileType;\n\n /**\n * Suppress console output.\n * @default false\n */\n silence?: boolean;\n\n /**\n * Public folder to prepend to input paths.\n *\n * @example\n * With publicFolder: 'public/js/' and input: 'app.js',\n * the actual path becomes 'public/js/app.js'\n */\n publicFolder?: string;\n\n /**\n * Replace files in place instead of creating new output files.\n * @default false\n */\n replaceInPlace?: boolean;\n};\n\n/**\n * Options passed to compressor functions internally.\n * This is what compressors receive, not what users pass.\n */\nexport type MinifierOptions<\n TOptions extends CompressorOptions = CompressorOptions,\n> = {\n /**\n * The full settings object.\n */\n settings: Settings<TOptions>;\n\n /**\n * The content to minify.\n */\n content?: string;\n\n /**\n * Index of current file when processing multiple files.\n */\n index?: number;\n};\n\n/**\n * Result returned after compression (used by CLI).\n */\nexport type Result = {\n /**\n * Label of the compressor used.\n */\n compressorLabel: string;\n\n /**\n * Size of minified content (formatted string, e.g., \"1.5 KB\").\n */\n size: string;\n\n /**\n * Gzipped size of minified content (formatted string).\n */\n sizeGzip: string;\n};\n\n/**\n * Type alias for user convenience.\n * @deprecated Use `Settings` instead. Will be removed in v11.\n */\nexport type MinifyOptions<\n TOptions extends CompressorOptions = CompressorOptions,\n> = Settings<TOptions>;\n"],"mappings":";;AAwDA;;;AAI2BK,KA7CfJ,gBAAAA,GA6CeI;EAAXD,IAAAA,EAAAA,MAAAA;EAwCFC,GAAAA,CAAAA,EAAAA,MAAAA;CAkBHG;AA4BX;;;;AAMcC,KAhIFP,iBAAAA,GAAoBC,MAgIlBM,CAAAA,MAAAA,EAAAA,OAAAA,CAAAA;;;;AC9Hd;;AAEI,KDGQL,UCHR,CAAA,iBDGoCF,iBCHpC,GDGwDA,iBCHxD,CAAA,GACD,CAAA,IAAA,EDGQI,eCHR,CDGwBD,QCHxB,CAAA,EAAA,GDGsCE,OCHtC,CDG8CN,gBCH9C,CAAA;;;;KDQSO,QAAAA;;;;;;;;;;;;;;;;;;KAmBAC,0BAA0BP,oBAAoBA;;;;cAI1CE,WAAWC;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;YAwCbA;;;;;;;;;;;;;;;;;;SAkBHG;;;;;;;;;;;;;;;;;;;;;;;;;;;KA4BCF,iCACSJ,oBAAoBA;;;;YAK3BO,SAASJ;;;;;;;;;;;;;;;;;;;AAnHvB;AAmBA;AAAsCH,iBC9BhB,GAAA,CD8BgBA;EAAAA,QAAAA;EAAAA;AAAAA,CAAAA,EC3BnC,eD2BmCA,CAAAA,EC3BjB,OD2BiBA,CC3BT,gBD2BSA,CAAAA"}
package/dist/index.js CHANGED
@@ -1,45 +1,48 @@
1
- // src/index.ts
1
+ import path from "node:path";
2
+ import { fileURLToPath } from "node:url";
2
3
  import { runCommandLine } from "@node-minify/run";
3
- import { utils } from "@node-minify/utils";
4
- import dirname from "es-dirname";
5
- var binYui = `${dirname()}/binaries/yuicompressor-2.4.7.jar`;
6
- var minifyYUI = ({ settings, content, callback, index }) => {
7
- if (!settings?.type || settings.type !== "js" && settings.type !== "css") {
8
- throw new Error("You must specify a type: js or css");
9
- }
10
- return runCommandLine({
11
- args: yuiCommand(settings.type, settings?.options ?? {}),
12
- data: content,
13
- settings,
14
- callback: (err, content2) => {
15
- if (err) {
16
- if (callback) {
17
- return callback(err);
18
- }
19
- throw err;
20
- }
21
- if (settings && !settings.content && settings.output) {
22
- utils.writeFile({ file: settings.output, content: content2, index });
23
- }
24
- if (callback) {
25
- return callback(null, content2);
26
- }
27
- return content2;
28
- }
29
- });
30
- };
31
- var yuiCommand = (type, options) => {
32
- return ["-jar", "-Xss2048k", binYui, "--type", type].concat(
33
- utils.buildArgs(options)
34
- );
35
- };
36
- minifyYUI.default = minifyYUI;
37
- var src_default = minifyYUI;
38
- export {
39
- src_default as default
40
- };
4
+ import { buildArgs, toBuildArgsOptions, warnDeprecation } from "@node-minify/utils";
5
+
6
+ //#region src/index.ts
41
7
  /*!
42
- * node-minify
43
- * Copyright(c) 2011-2024 Rodolphe Stoclin
44
- * MIT Licensed
45
- */
8
+ * node-minify
9
+ * Copyright(c) 2011-2025 Rodolphe Stoclin
10
+ * MIT Licensed
11
+ */
12
+ const binYui = `${path.dirname(fileURLToPath(import.meta.url))}/binaries/yuicompressor-2.4.7.jar`;
13
+ /**
14
+ * Run YUI Compressor.
15
+ * @deprecated YUI Compressor was deprecated by Yahoo in 2013. Use @node-minify/terser for JS or @node-minify/cssnano for CSS.
16
+ * @param settings - YUI Compressor options
17
+ * @param content - Content to minify
18
+ * @returns Minified content
19
+ */
20
+ async function yui({ settings, content }) {
21
+ warnDeprecation("yui", "YUI Compressor was deprecated by Yahoo in 2013. Please migrate to @node-minify/terser for JS or @node-minify/cssnano for CSS.");
22
+ if (!settings?.type || settings.type !== "js" && settings.type !== "css") throw new Error("You must specify a type: js or css");
23
+ const result = await runCommandLine({
24
+ args: yuiCommand(settings.type, settings?.options ?? {}),
25
+ data: content
26
+ });
27
+ if (typeof result !== "string") throw new Error("YUI Compressor failed: empty result");
28
+ return { code: result };
29
+ }
30
+ /**
31
+ * Build YUI Compressor command line arguments.
32
+ * @param type - File type (js or css)
33
+ * @param options - Compressor options
34
+ * @returns Command line arguments array
35
+ */
36
+ function yuiCommand(type, options) {
37
+ return [
38
+ "-jar",
39
+ "-Xss2048k",
40
+ binYui,
41
+ "--type",
42
+ type
43
+ ].concat(buildArgs(toBuildArgsOptions(options)));
44
+ }
45
+
46
+ //#endregion
47
+ export { yui };
48
+ //# sourceMappingURL=index.js.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"index.js","names":[],"sources":["../src/index.ts"],"sourcesContent":["/*!\n * node-minify\n * Copyright(c) 2011-2025 Rodolphe Stoclin\n * MIT Licensed\n */\n\nimport path from \"node:path\";\nimport { fileURLToPath } from \"node:url\";\nimport { runCommandLine } from \"@node-minify/run\";\nimport type { CompressorResult, MinifierOptions } from \"@node-minify/types\";\nimport {\n buildArgs,\n toBuildArgsOptions,\n warnDeprecation,\n} from \"@node-minify/utils\";\n\nconst __dirname = path.dirname(fileURLToPath(import.meta.url));\nconst binYui = `${__dirname}/binaries/yuicompressor-2.4.7.jar`;\n\n/**\n * Run YUI Compressor.\n * @deprecated YUI Compressor was deprecated by Yahoo in 2013. Use @node-minify/terser for JS or @node-minify/cssnano for CSS.\n * @param settings - YUI Compressor options\n * @param content - Content to minify\n * @returns Minified content\n */\nexport async function yui({\n settings,\n content,\n}: MinifierOptions): Promise<CompressorResult> {\n warnDeprecation(\n \"yui\",\n \"YUI Compressor was deprecated by Yahoo in 2013. \" +\n \"Please migrate to @node-minify/terser for JS or @node-minify/cssnano for CSS.\"\n );\n\n if (\n !settings?.type ||\n (settings.type !== \"js\" && settings.type !== \"css\")\n ) {\n throw new Error(\"You must specify a type: js or css\");\n }\n\n const result = await runCommandLine({\n args: yuiCommand(settings.type, settings?.options ?? {}),\n data: content as string,\n });\n\n if (typeof result !== \"string\") {\n throw new Error(\"YUI Compressor failed: empty result\");\n }\n\n return { code: result };\n}\n\n/**\n * Build YUI Compressor command line arguments.\n * @param type - File type (js or css)\n * @param options - Compressor options\n * @returns Command line arguments array\n */\nfunction yuiCommand(type: \"js\" | \"css\", options: Record<string, unknown>) {\n return [\"-jar\", \"-Xss2048k\", binYui, \"--type\", type].concat(\n buildArgs(toBuildArgsOptions(options))\n );\n}\n"],"mappings":";;;;;;;;;;;AAiBA,MAAM,SAAS,GADG,KAAK,QAAQ,cAAc,OAAO,KAAK,IAAI,CAAC,CAClC;;;;;;;;AAS5B,eAAsB,IAAI,EACtB,UACA,WAC2C;AAC3C,iBACI,OACA,gIAEH;AAED,KACI,CAAC,UAAU,QACV,SAAS,SAAS,QAAQ,SAAS,SAAS,MAE7C,OAAM,IAAI,MAAM,qCAAqC;CAGzD,MAAM,SAAS,MAAM,eAAe;EAChC,MAAM,WAAW,SAAS,MAAM,UAAU,WAAW,EAAE,CAAC;EACxD,MAAM;EACT,CAAC;AAEF,KAAI,OAAO,WAAW,SAClB,OAAM,IAAI,MAAM,sCAAsC;AAG1D,QAAO,EAAE,MAAM,QAAQ;;;;;;;;AAS3B,SAAS,WAAW,MAAoB,SAAkC;AACtE,QAAO;EAAC;EAAQ;EAAa;EAAQ;EAAU;EAAK,CAAC,OACjD,UAAU,mBAAmB,QAAQ,CAAC,CACzC"}
package/package.json CHANGED
@@ -1,7 +1,8 @@
1
1
  {
2
2
  "name": "@node-minify/yui",
3
- "version": "10.0.0-next.0",
4
- "description": "yui - yahoo compressor plugin for @node-minify",
3
+ "version": "10.0.0",
4
+ "deprecated": "YUI Compressor was deprecated by Yahoo in 2013. Please use @node-minify/terser for JS or @node-minify/cssnano for CSS instead.",
5
+ "description": "yui - yahoo compressor plugin for @node-minify (DEPRECATED)",
5
6
  "keywords": [
6
7
  "compressor",
7
8
  "minify",
@@ -13,20 +14,19 @@
13
14
  "license": "MIT",
14
15
  "type": "module",
15
16
  "engines": {
16
- "node": ">=22.0.0"
17
+ "node": ">=20.0.0"
17
18
  },
18
19
  "directories": {
19
20
  "lib": "dist",
20
21
  "test": "__tests__"
21
22
  },
22
- "main": "./dist/index.cjs",
23
+ "types": "./dist/index.d.ts",
24
+ "main": "./dist/index.js",
23
25
  "exports": {
24
- "./package.json": "./package.json",
25
- ".": {
26
- "import": "./dist/index.js",
27
- "default": "./dist/index.cjs"
28
- }
26
+ "types": "./dist/index.d.ts",
27
+ "default": "./dist/index.js"
29
28
  },
29
+ "sideEffects": false,
30
30
  "files": [
31
31
  "dist/**/*"
32
32
  ],
@@ -41,20 +41,21 @@
41
41
  "url": "https://github.com/srod/node-minify/issues"
42
42
  },
43
43
  "scripts": {
44
- "build": "tsup src/index.ts --format cjs,esm --dts --clean && bunx fix-tsup-cjs",
45
- "check-exports": "attw --pack .",
44
+ "build": "tsdown src/index.ts",
45
+ "check-exports": "attw --pack . --profile esm-only",
46
46
  "format:check": "biome check .",
47
47
  "lint": "biome lint .",
48
48
  "postbuild": "bunx copyfiles -u 1 src/binaries/*.jar dist/",
49
49
  "prepublishOnly": "bun run build",
50
50
  "test": "vitest run",
51
51
  "test:ci": "vitest run --coverage",
52
- "test:watch": "vitest"
52
+ "test:watch": "vitest",
53
+ "typecheck": "tsc --noEmit",
54
+ "dev": "tsdown src/index.ts --watch"
53
55
  },
54
56
  "dependencies": {
55
57
  "@node-minify/run": "workspace:*",
56
- "@node-minify/utils": "workspace:*",
57
- "es-dirname": "0.1.0"
58
+ "@node-minify/utils": "workspace:*"
58
59
  },
59
60
  "devDependencies": {
60
61
  "@node-minify/types": "workspace:*"
package/dist/index.cjs DELETED
@@ -1,83 +0,0 @@
1
- "use strict";
2
- var __create = Object.create;
3
- var __defProp = Object.defineProperty;
4
- var __getOwnPropDesc = Object.getOwnPropertyDescriptor;
5
- var __getOwnPropNames = Object.getOwnPropertyNames;
6
- var __getProtoOf = Object.getPrototypeOf;
7
- var __hasOwnProp = Object.prototype.hasOwnProperty;
8
- var __export = (target, all) => {
9
- for (var name in all)
10
- __defProp(target, name, { get: all[name], enumerable: true });
11
- };
12
- var __copyProps = (to, from, except, desc) => {
13
- if (from && typeof from === "object" || typeof from === "function") {
14
- for (let key of __getOwnPropNames(from))
15
- if (!__hasOwnProp.call(to, key) && key !== except)
16
- __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable });
17
- }
18
- return to;
19
- };
20
- var __toESM = (mod, isNodeMode, target) => (target = mod != null ? __create(__getProtoOf(mod)) : {}, __copyProps(
21
- // If the importer is in node compatibility mode or this is not an ESM
22
- // file that has been converted to a CommonJS file using a Babel-
23
- // compatible transform (i.e. "__esModule" has not been set), then set
24
- // "default" to the CommonJS "module.exports" for node compatibility.
25
- isNodeMode || !mod || !mod.__esModule ? __defProp(target, "default", { value: mod, enumerable: true }) : target,
26
- mod
27
- ));
28
- var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod);
29
-
30
- // src/index.ts
31
- var src_exports = {};
32
- __export(src_exports, {
33
- default: () => src_default
34
- });
35
- module.exports = __toCommonJS(src_exports);
36
- var import_run = require("@node-minify/run");
37
- var import_utils = require("@node-minify/utils");
38
- var import_es_dirname = __toESM(require("es-dirname"), 1);
39
- var binYui = `${(0, import_es_dirname.default)()}/binaries/yuicompressor-2.4.7.jar`;
40
- var minifyYUI = ({ settings, content, callback, index }) => {
41
- if (!settings?.type || settings.type !== "js" && settings.type !== "css") {
42
- throw new Error("You must specify a type: js or css");
43
- }
44
- return (0, import_run.runCommandLine)({
45
- args: yuiCommand(settings.type, settings?.options ?? {}),
46
- data: content,
47
- settings,
48
- callback: (err, content2) => {
49
- if (err) {
50
- if (callback) {
51
- return callback(err);
52
- }
53
- throw err;
54
- }
55
- if (settings && !settings.content && settings.output) {
56
- import_utils.utils.writeFile({ file: settings.output, content: content2, index });
57
- }
58
- if (callback) {
59
- return callback(null, content2);
60
- }
61
- return content2;
62
- }
63
- });
64
- };
65
- var yuiCommand = (type, options) => {
66
- return ["-jar", "-Xss2048k", binYui, "--type", type].concat(
67
- import_utils.utils.buildArgs(options)
68
- );
69
- };
70
- minifyYUI.default = minifyYUI;
71
- var src_default = minifyYUI;
72
- /*!
73
- * node-minify
74
- * Copyright(c) 2011-2024 Rodolphe Stoclin
75
- * MIT Licensed
76
- */
77
-
78
- // fix-cjs-exports
79
- if (module.exports.default) {
80
- Object.assign(module.exports.default, module.exports);
81
- module.exports = module.exports.default;
82
- delete module.exports.default;
83
- }
package/dist/index.d.cts DELETED
@@ -1,15 +0,0 @@
1
- import { MinifierOptions } from '@node-minify/types';
2
-
3
- /*!
4
- * node-minify
5
- * Copyright(c) 2011-2024 Rodolphe Stoclin
6
- * MIT Licensed
7
- */
8
-
9
- declare const minifyYUI: {
10
- ({ settings, content, callback, index }: MinifierOptions): void;
11
- default: any;
12
- };
13
-
14
- export { minifyYUI as default };
15
- export = minifyYUI