forked from stenciljs/sass
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathutil.ts
229 lines (200 loc) · 8.04 KB
/
util.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
import path from 'node:path';
import type { LegacyAsyncImporter, LegacyImporterResult, LegacyOptions } from 'sass-embedded';
import * as d from './declarations';
/**
* Determine if the Sass plugin should be applied, based on the provided `fileName`
*
* @param fileName the name of a file to potentially transform
* @returns `true` if the name of the file ends with a sass extension (.scss, .sass), case insensitive. `false`
* otherwise
*/
export function usePlugin(fileName: string): boolean {
if (typeof fileName === 'string') {
return /(\.scss|\.sass)$/i.test(fileName);
}
return false;
}
/**
* Build a list of options to provide to Sass' `render` API.
* @param opts the options provided to the plugin within a Stencil configuration file
* @param sourceText the source text of the file to transform
* @param fileName the name of the file to transform
* @param context the runtime context being used by the plugin
* @returns the generated/normalized plugin options
*/
export function getRenderOptions(
opts: d.PluginOptions,
sourceText: string,
fileName: string,
context: d.PluginCtx,
): LegacyOptions<'async'> {
// Create a copy of the original sass config, so we don't modify the one provided.
// Explicitly add `data` (as it's a required field) to be the source text
const renderOpts: LegacyOptions<'async'> = { ...opts, data: sourceText };
// activate indented syntax if the file extension is .sass.
// this needs to be set prior to injecting global sass (as the syntax affects the import terminator)
renderOpts.indentedSyntax = /(\.sass)$/i.test(fileName);
// create a copy of the original path config, so we don't modify the one provided
renderOpts.includePaths = Array.isArray(opts.includePaths) ? opts.includePaths.slice() : [];
// add the directory of the source file to includePaths
renderOpts.includePaths.push(path.dirname(fileName));
// ensure each of the includePaths is an absolute path
renderOpts.includePaths = renderOpts.includePaths.map((includePath) => {
if (path.isAbsolute(includePath)) {
return includePath;
}
// if it's a relative path then resolve it with the project's root directory
return path.resolve(context.config.rootDir, includePath);
});
// create a copy of the original global config of paths to inject, so we don't modify the one provided.
// this is a Stencil-specific configuration, and not a part of the Sass API.
const injectGlobalPaths: string[] = Array.isArray(opts.injectGlobalPaths) ? opts.injectGlobalPaths.slice() : [];
if (injectGlobalPaths.length > 0) {
// Automatically inject each of these paths into the source text.
// This is accomplished by prepending the global stylesheets to the file being processed.
const injectText = injectGlobalPaths
.map((injectGlobalPath) => {
if (!path.isAbsolute(injectGlobalPath)) {
// convert any relative paths to absolute paths relative to the project root
if (context.sys && typeof context.sys.normalizePath === 'function') {
// context.sys.normalizePath added in stencil 1.11.0
injectGlobalPath = context.sys.normalizePath(path.join(context.config.rootDir, injectGlobalPath));
} else {
// TODO, eventually remove normalizePath() from @stencil/sass
injectGlobalPath = normalizePath(path.join(context.config.rootDir, injectGlobalPath));
}
}
const importTerminator = renderOpts.indentedSyntax ? '\n' : ';';
return `@import "${injectGlobalPath}"${importTerminator}`;
})
.join('');
renderOpts.data = injectText + renderOpts.data;
}
// remove non-standard sass option
delete (renderOpts as any).injectGlobalPaths;
// the "file" config option is not valid here
delete renderOpts.file;
if (context.sys && typeof context.sys.resolveModuleId === 'function') {
const importers: LegacyAsyncImporter[] = [];
if (typeof renderOpts.importer === 'function') {
importers.push(renderOpts.importer);
} else if (Array.isArray(renderOpts.importer)) {
importers.push(...renderOpts.importer);
}
/**
* Create a handler for loading files when a `@use` or `@import` rule is encountered for loading a path prefixed
* with a tilde (~). Such imports indicate that the module should be resolved from the `node_modules` directory.
* @param url the path to the module to load
* @param _prev Unused - typically, this is a string identifying the stylesheet that contained the @use or @import.
* @param done a callback to return the path to the resolved path
*/
const importer: LegacyAsyncImporter = (
url: string,
_prev: string,
done: (data: LegacyImporterResult) => void,
): void => {
if (typeof url === 'string') {
if (url.startsWith('~')) {
try {
const m = getModuleId(url);
if (m.moduleId) {
context.sys
.resolveModuleId({
moduleId: m.moduleId,
containingFile: m.filePath,
})
.then((resolved: d.ResolveModuleIdResults) => {
if (resolved.pkgDirPath) {
const resolvedPath = path.join(resolved.pkgDirPath, m.filePath);
done({
file: context.sys.normalizePath(resolvedPath),
});
} else {
done(null);
}
})
.catch((err) => {
done(err);
});
return;
}
} catch (e) {
done(e);
}
}
}
done({ file: context.sys.normalizePath(url) });
};
importers.push(importer);
renderOpts.importer = importers;
}
renderOpts.silenceDeprecations = [...(renderOpts.silenceDeprecations ?? []), 'legacy-js-api'];
return renderOpts;
}
/**
* Replaces the extension with the provided file name with 'css'.
*
* If the file does not have an extension, no transformation will be applied.
*
* @param fileName the name of the file whose extension should be replaced
* @returns the updated filename, using 'css' as the file extension
*/
export function createResultsId(fileName: string): string {
// create what the new path is post transform (.css)
const pathParts = fileName.split('.');
pathParts[pathParts.length - 1] = 'css';
return pathParts.join('.');
}
export function normalizePath(str: string) {
// Convert Windows backslash paths to slash paths: foo\\bar ➔ foo/bar
// https://github.com/sindresorhus/slash MIT
// By Sindre Sorhus
if (typeof str !== 'string') {
throw new Error(`invalid path to normalize`);
}
str = str.trim();
if (EXTENDED_PATH_REGEX.test(str) || NON_ASCII_REGEX.test(str)) {
return str;
}
str = str.replace(SLASH_REGEX, '/');
// always remove the trailing /
// this makes our file cache look ups consistent
if (str.charAt(str.length - 1) === '/') {
const colonIndex = str.indexOf(':');
if (colonIndex > -1) {
if (colonIndex < str.length - 2) {
str = str.substring(0, str.length - 1);
}
} else if (str.length > 1) {
str = str.substring(0, str.length - 1);
}
}
return str;
}
/**
* Split an import path into a module ID and file path
* @param orgImport the import path to split
* @returns a module id and the filepath under that module id
*/
export function getModuleId(orgImport: string): { moduleId: string; filePath: string } {
if (orgImport.startsWith('~')) {
orgImport = orgImport.substring(1);
}
const splt = orgImport.split('/');
const m = {
moduleId: null as string,
filePath: null as string,
};
if (orgImport.startsWith('@') && splt.length > 1) {
// we have a scoped package, it's module includes the word following the first slash
m.moduleId = splt.slice(0, 2).join('/');
m.filePath = splt.slice(2).join('/');
} else {
m.moduleId = splt[0];
m.filePath = splt.slice(1).join('/');
}
return m;
}
const EXTENDED_PATH_REGEX = /^\\\\\?\\/;
const NON_ASCII_REGEX = /[^\x00-\x80]+/;
const SLASH_REGEX = /\\/g;