Updated the files.
This commit is contained in:
parent
1553e6b971
commit
753967d4f5
23418 changed files with 3784666 additions and 0 deletions
193
my-app/node_modules/critters/src/css.js
generated
vendored
Executable file
193
my-app/node_modules/critters/src/css.js
generated
vendored
Executable file
|
@ -0,0 +1,193 @@
|
|||
/**
|
||||
* Copyright 2018 Google LLC
|
||||
*
|
||||
* Licensed under the Apache License, Version 2.0 (the "License"); you may not
|
||||
* use this file except in compliance with the License. You may obtain a copy of
|
||||
* the License at
|
||||
*
|
||||
* http://www.apache.org/licenses/LICENSE-2.0
|
||||
*
|
||||
* Unless required by applicable law or agreed to in writing, software
|
||||
* distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
|
||||
* WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
|
||||
* License for the specific language governing permissions and limitations under
|
||||
* the License.
|
||||
*/
|
||||
|
||||
import { parse, stringify } from 'postcss';
|
||||
|
||||
/**
|
||||
* Parse a textual CSS Stylesheet into a Stylesheet instance.
|
||||
* Stylesheet is a mutable postcss AST with format similar to CSSOM.
|
||||
* @see https://github.com/postcss/postcss/
|
||||
* @private
|
||||
* @param {String} stylesheet
|
||||
* @returns {css.Stylesheet} ast
|
||||
*/
|
||||
export function parseStylesheet(stylesheet) {
|
||||
return parse(stylesheet);
|
||||
}
|
||||
|
||||
/**
|
||||
* Serialize a postcss Stylesheet to a String of CSS.
|
||||
* @private
|
||||
* @param {css.Stylesheet} ast A Stylesheet to serialize, such as one returned from `parseStylesheet()`
|
||||
* @param {Object} options Options used by the stringify logic
|
||||
* @param {Boolean} [options.compress] Compress CSS output (removes comments, whitespace, etc)
|
||||
*/
|
||||
export function serializeStylesheet(ast, options) {
|
||||
let cssStr = '';
|
||||
|
||||
stringify(ast, (result, node, type) => {
|
||||
if (!options.compress) {
|
||||
cssStr += result;
|
||||
return;
|
||||
}
|
||||
|
||||
// Simple minification logic
|
||||
if (node?.type === 'comment') return;
|
||||
|
||||
if (node?.type === 'decl') {
|
||||
const prefix = node.prop + node.raws.between;
|
||||
|
||||
cssStr += result.replace(prefix, prefix.trim());
|
||||
return;
|
||||
}
|
||||
|
||||
if (type === 'start') {
|
||||
if (node.type === 'rule' && node.selectors) {
|
||||
cssStr += node.selectors.join(',') + '{';
|
||||
} else {
|
||||
cssStr += result.replace(/\s\{$/, '{');
|
||||
}
|
||||
return;
|
||||
}
|
||||
|
||||
if (type === 'end' && result === '}' && node?.raws?.semicolon) {
|
||||
cssStr = cssStr.slice(0, -1);
|
||||
}
|
||||
|
||||
cssStr += result.trim();
|
||||
});
|
||||
|
||||
return cssStr;
|
||||
}
|
||||
|
||||
/**
|
||||
* Converts a walkStyleRules() iterator to mark nodes with `.$$remove=true` instead of actually removing them.
|
||||
* This means they can be removed in a second pass, allowing the first pass to be nondestructive (eg: to preserve mirrored sheets).
|
||||
* @private
|
||||
* @param {Function} iterator Invoked on each node in the tree. Return `false` to remove that node.
|
||||
* @returns {(rule) => void} nonDestructiveIterator
|
||||
*/
|
||||
export function markOnly(predicate) {
|
||||
return (rule) => {
|
||||
const sel = rule.selectors;
|
||||
if (predicate(rule) === false) {
|
||||
rule.$$remove = true;
|
||||
}
|
||||
rule.$$markedSelectors = rule.selectors;
|
||||
if (rule._other) {
|
||||
rule._other.$$markedSelectors = rule._other.selectors;
|
||||
}
|
||||
rule.selectors = sel;
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* Apply filtered selectors to a rule from a previous markOnly run.
|
||||
* @private
|
||||
* @param {css.Rule} rule The Rule to apply marked selectors to (if they exist).
|
||||
*/
|
||||
export function applyMarkedSelectors(rule) {
|
||||
if (rule.$$markedSelectors) {
|
||||
rule.selectors = rule.$$markedSelectors;
|
||||
}
|
||||
if (rule._other) {
|
||||
applyMarkedSelectors(rule._other);
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Recursively walk all rules in a stylesheet.
|
||||
* @private
|
||||
* @param {css.Rule} node A Stylesheet or Rule to descend into.
|
||||
* @param {Function} iterator Invoked on each node in the tree. Return `false` to remove that node.
|
||||
*/
|
||||
export function walkStyleRules(node, iterator) {
|
||||
node.nodes = node.nodes.filter((rule) => {
|
||||
if (hasNestedRules(rule)) {
|
||||
walkStyleRules(rule, iterator);
|
||||
}
|
||||
rule._other = undefined;
|
||||
rule.filterSelectors = filterSelectors;
|
||||
return iterator(rule) !== false;
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* Recursively walk all rules in two identical stylesheets, filtering nodes into one or the other based on a predicate.
|
||||
* @private
|
||||
* @param {css.Rule} node A Stylesheet or Rule to descend into.
|
||||
* @param {css.Rule} node2 A second tree identical to `node`
|
||||
* @param {Function} iterator Invoked on each node in the tree. Return `false` to remove that node from the first tree, true to remove it from the second.
|
||||
*/
|
||||
export function walkStyleRulesWithReverseMirror(node, node2, iterator) {
|
||||
if (node2 === null) return walkStyleRules(node, iterator);
|
||||
|
||||
[node.nodes, node2.nodes] = splitFilter(
|
||||
node.nodes,
|
||||
node2.nodes,
|
||||
(rule, index, rules, rules2) => {
|
||||
const rule2 = rules2[index];
|
||||
if (hasNestedRules(rule)) {
|
||||
walkStyleRulesWithReverseMirror(rule, rule2, iterator);
|
||||
}
|
||||
rule._other = rule2;
|
||||
rule.filterSelectors = filterSelectors;
|
||||
return iterator(rule) !== false;
|
||||
}
|
||||
);
|
||||
}
|
||||
|
||||
// Checks if a node has nested rules, like @media
|
||||
// @keyframes are an exception since they are evaluated as a whole
|
||||
function hasNestedRules(rule) {
|
||||
return (
|
||||
rule.nodes &&
|
||||
rule.nodes.length &&
|
||||
rule.nodes.some((n) => n.type === 'rule' || n.type === 'atrule') &&
|
||||
rule.name !== 'keyframes' &&
|
||||
rule.name !== '-webkit-keyframes'
|
||||
);
|
||||
}
|
||||
|
||||
// Like [].filter(), but applies the opposite filtering result to a second copy of the Array without a second pass.
|
||||
// This is just a quicker version of generating the compliment of the set returned from a filter operation.
|
||||
function splitFilter(a, b, predicate) {
|
||||
const aOut = [];
|
||||
const bOut = [];
|
||||
for (let index = 0; index < a.length; index++) {
|
||||
if (predicate(a[index], index, a, b)) {
|
||||
aOut.push(a[index]);
|
||||
} else {
|
||||
bOut.push(a[index]);
|
||||
}
|
||||
}
|
||||
return [aOut, bOut];
|
||||
}
|
||||
|
||||
// can be invoked on a style rule to subset its selectors (with reverse mirroring)
|
||||
function filterSelectors(predicate) {
|
||||
if (this._other) {
|
||||
const [a, b] = splitFilter(
|
||||
this.selectors,
|
||||
this._other.selectors,
|
||||
predicate
|
||||
);
|
||||
this.selectors = a;
|
||||
this._other.selectors = b;
|
||||
} else {
|
||||
this.selectors = this.selectors.filter(predicate);
|
||||
}
|
||||
}
|
290
my-app/node_modules/critters/src/dom.js
generated
vendored
Executable file
290
my-app/node_modules/critters/src/dom.js
generated
vendored
Executable file
|
@ -0,0 +1,290 @@
|
|||
/**
|
||||
* Copyright 2018 Google LLC
|
||||
*
|
||||
* Licensed under the Apache License, Version 2.0 (the "License"); you may not
|
||||
* use this file except in compliance with the License. You may obtain a copy of
|
||||
* the License at
|
||||
*
|
||||
* http://www.apache.org/licenses/LICENSE-2.0
|
||||
*
|
||||
* Unless required by applicable law or agreed to in writing, software
|
||||
* distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
|
||||
* WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
|
||||
* License for the specific language governing permissions and limitations under
|
||||
* the License.
|
||||
*/
|
||||
|
||||
import { selectAll, selectOne } from 'css-select';
|
||||
import { parseDocument, DomUtils } from 'htmlparser2';
|
||||
import { parse as selectorParser } from 'css-what';
|
||||
import { Element, Text } from 'domhandler';
|
||||
import render from 'dom-serializer';
|
||||
|
||||
let classCache = null;
|
||||
let idCache = null;
|
||||
|
||||
function buildCache(container) {
|
||||
classCache = new Set();
|
||||
idCache = new Set();
|
||||
const queue = [container];
|
||||
|
||||
while (queue.length) {
|
||||
const node = queue.shift();
|
||||
|
||||
if (node.hasAttribute('class')) {
|
||||
const classList = node.getAttribute('class').trim().split(' ');
|
||||
classList.forEach((cls) => {
|
||||
classCache.add(cls);
|
||||
});
|
||||
}
|
||||
|
||||
if (node.hasAttribute('id')) {
|
||||
const id = node.getAttribute('id').trim();
|
||||
idCache.add(id);
|
||||
}
|
||||
|
||||
queue.push(...node.children.filter((child) => child.type === 'tag'));
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Parse HTML into a mutable, serializable DOM Document.
|
||||
* The DOM implementation is an htmlparser2 DOM enhanced with basic DOM mutation methods.
|
||||
* @param {String} html HTML to parse into a Document instance
|
||||
*/
|
||||
export function createDocument(html) {
|
||||
const document = /** @type {HTMLDocument} */ (parseDocument(html, {decodeEntities: false}));
|
||||
|
||||
defineProperties(document, DocumentExtensions);
|
||||
|
||||
// Extend Element.prototype with DOM manipulation methods.
|
||||
defineProperties(Element.prototype, ElementExtensions);
|
||||
|
||||
// Critters container is the viewport to evaluate critical CSS
|
||||
let crittersContainer = document.querySelector('[data-critters-container]');
|
||||
|
||||
if (!crittersContainer) {
|
||||
document.documentElement.setAttribute('data-critters-container', '');
|
||||
crittersContainer = document.documentElement;
|
||||
}
|
||||
|
||||
document.crittersContainer = crittersContainer;
|
||||
buildCache(crittersContainer);
|
||||
|
||||
return document;
|
||||
}
|
||||
|
||||
/**
|
||||
* Serialize a Document to an HTML String
|
||||
* @param {HTMLDocument} document A Document, such as one created via `createDocument()`
|
||||
*/
|
||||
export function serializeDocument(document) {
|
||||
return render(document, { decodeEntities: false });
|
||||
}
|
||||
|
||||
/** @typedef {treeAdapter.Document & typeof ElementExtensions} HTMLDocument */
|
||||
|
||||
/**
|
||||
* Methods and descriptors to mix into Element.prototype
|
||||
* @private
|
||||
*/
|
||||
const ElementExtensions = {
|
||||
/** @extends treeAdapter.Element.prototype */
|
||||
|
||||
nodeName: {
|
||||
get() {
|
||||
return this.tagName.toUpperCase();
|
||||
}
|
||||
},
|
||||
|
||||
id: reflectedProperty('id'),
|
||||
|
||||
className: reflectedProperty('class'),
|
||||
|
||||
insertBefore(child, referenceNode) {
|
||||
if (!referenceNode) return this.appendChild(child);
|
||||
DomUtils.prepend(referenceNode, child);
|
||||
return child;
|
||||
},
|
||||
|
||||
appendChild(child) {
|
||||
DomUtils.appendChild(this, child);
|
||||
return child;
|
||||
},
|
||||
|
||||
removeChild(child) {
|
||||
DomUtils.removeElement(child);
|
||||
},
|
||||
|
||||
remove() {
|
||||
DomUtils.removeElement(this);
|
||||
},
|
||||
|
||||
textContent: {
|
||||
get() {
|
||||
return DomUtils.getText(this);
|
||||
},
|
||||
|
||||
set(text) {
|
||||
this.children = [];
|
||||
DomUtils.appendChild(this, new Text(text));
|
||||
}
|
||||
},
|
||||
|
||||
setAttribute(name, value) {
|
||||
if (this.attribs == null) this.attribs = {};
|
||||
if (value == null) value = '';
|
||||
this.attribs[name] = value;
|
||||
},
|
||||
|
||||
removeAttribute(name) {
|
||||
if (this.attribs != null) {
|
||||
delete this.attribs[name];
|
||||
}
|
||||
},
|
||||
|
||||
getAttribute(name) {
|
||||
return this.attribs != null && this.attribs[name];
|
||||
},
|
||||
|
||||
hasAttribute(name) {
|
||||
return this.attribs != null && this.attribs[name] != null;
|
||||
},
|
||||
|
||||
getAttributeNode(name) {
|
||||
const value = this.getAttribute(name);
|
||||
if (value != null) return { specified: true, value };
|
||||
},
|
||||
|
||||
exists(sel) {
|
||||
return cachedQuerySelector(sel, this);
|
||||
},
|
||||
|
||||
querySelector(sel) {
|
||||
return selectOne(sel, this);
|
||||
},
|
||||
|
||||
querySelectorAll(sel) {
|
||||
return selectAll(sel, this);
|
||||
}
|
||||
};
|
||||
|
||||
/**
|
||||
* Methods and descriptors to mix into the global document instance
|
||||
* @private
|
||||
*/
|
||||
const DocumentExtensions = {
|
||||
/** @extends treeAdapter.Document.prototype */
|
||||
|
||||
// document is just an Element in htmlparser2, giving it a nodeType of ELEMENT_NODE.
|
||||
// TODO: verify if these are needed for css-select
|
||||
nodeType: {
|
||||
get() {
|
||||
return 9;
|
||||
}
|
||||
},
|
||||
|
||||
contentType: {
|
||||
get() {
|
||||
return 'text/html';
|
||||
}
|
||||
},
|
||||
|
||||
nodeName: {
|
||||
get() {
|
||||
return '#document';
|
||||
}
|
||||
},
|
||||
|
||||
documentElement: {
|
||||
get() {
|
||||
// Find the first <html> element within the document
|
||||
return this.children.find(
|
||||
(child) => String(child.tagName).toLowerCase() === 'html'
|
||||
);
|
||||
}
|
||||
},
|
||||
|
||||
head: {
|
||||
get() {
|
||||
return this.querySelector('head');
|
||||
}
|
||||
},
|
||||
|
||||
body: {
|
||||
get() {
|
||||
return this.querySelector('body');
|
||||
}
|
||||
},
|
||||
|
||||
createElement(name) {
|
||||
return new Element(name);
|
||||
},
|
||||
|
||||
createTextNode(text) {
|
||||
// there is no dedicated createTextNode equivalent exposed in htmlparser2's DOM
|
||||
return new Text(text);
|
||||
},
|
||||
|
||||
exists(sel) {
|
||||
return cachedQuerySelector(sel, this);
|
||||
},
|
||||
|
||||
querySelector(sel) {
|
||||
return selectOne(sel, this);
|
||||
},
|
||||
|
||||
querySelectorAll(sel) {
|
||||
if (sel === ':root') {
|
||||
return this;
|
||||
}
|
||||
return selectAll(sel, this);
|
||||
}
|
||||
};
|
||||
|
||||
/**
|
||||
* Essentially `Object.defineProperties()`, except function values are assigned as value descriptors for convenience.
|
||||
* @private
|
||||
*/
|
||||
function defineProperties(obj, properties) {
|
||||
for (const i in properties) {
|
||||
const value = properties[i];
|
||||
Object.defineProperty(
|
||||
obj,
|
||||
i,
|
||||
typeof value === 'function' ? { value } : value
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Create a property descriptor defining a getter/setter pair alias for a named attribute.
|
||||
* @private
|
||||
*/
|
||||
function reflectedProperty(attributeName) {
|
||||
return {
|
||||
get() {
|
||||
return this.getAttribute(attributeName);
|
||||
},
|
||||
set(value) {
|
||||
this.setAttribute(attributeName, value);
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
function cachedQuerySelector(sel, node) {
|
||||
const selectorTokens = selectorParser(sel);
|
||||
for (const tokens of selectorTokens) {
|
||||
// Check if the selector is a class selector
|
||||
if (tokens.length === 1) {
|
||||
const token = tokens[0];
|
||||
if (token.type === 'attribute' && token.name === 'class') {
|
||||
return classCache.has(token.value);
|
||||
}
|
||||
if (token.type === 'attribute' && token.name === 'id') {
|
||||
return idCache.has(token.value);
|
||||
}
|
||||
}
|
||||
}
|
||||
return !!selectOne(sel, node);
|
||||
}
|
68
my-app/node_modules/critters/src/index.d.ts
generated
vendored
Executable file
68
my-app/node_modules/critters/src/index.d.ts
generated
vendored
Executable file
|
@ -0,0 +1,68 @@
|
|||
/**
|
||||
* Copyright 2018 Google LLC
|
||||
*
|
||||
* Licensed under the Apache License, Version 2.0 (the "License"); you may not
|
||||
* use this file except in compliance with the License. You may obtain a copy of
|
||||
* the License at
|
||||
*
|
||||
* http://www.apache.org/licenses/LICENSE-2.0
|
||||
*
|
||||
* Unless required by applicable law or agreed to in writing, software
|
||||
* distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
|
||||
* WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
|
||||
* License for the specific language governing permissions and limitations under
|
||||
* the License.
|
||||
*/
|
||||
|
||||
export default class Critters {
|
||||
/**
|
||||
* Create an instance of Critters with custom options.
|
||||
* The `.process()` method can be called repeatedly to re-use this instance and its cache.
|
||||
*/
|
||||
constructor(options: Options);
|
||||
/**
|
||||
* Process an HTML document to inline critical CSS from its stylesheets.
|
||||
* @param {string} html String containing a full HTML document to be parsed.
|
||||
* @returns {string} A modified copy of the provided HTML with critical CSS inlined.
|
||||
*/
|
||||
process(html: string): Promise<string>;
|
||||
/**
|
||||
* Read the contents of a file from the specified filesystem or disk.
|
||||
* Override this method to customize how stylesheets are loaded.
|
||||
*/
|
||||
readFile(filename: string): Promise<string> | string;
|
||||
/**
|
||||
* Given a stylesheet URL, returns the corresponding CSS asset.
|
||||
* Overriding this method requires doing your own URL normalization, so it's generally better to override `readFile()`.
|
||||
*/
|
||||
getCssAsset(href: string): Promise<string | undefined> | string | undefined;
|
||||
}
|
||||
|
||||
export interface Options {
|
||||
path?: string;
|
||||
publicPath?: string;
|
||||
external?: boolean;
|
||||
inlineThreshold?: number;
|
||||
minimumExternalSize?: number;
|
||||
pruneSource?: boolean;
|
||||
mergeStylesheets?: boolean;
|
||||
additionalStylesheets?: string[];
|
||||
preload?: 'body' | 'media' | 'swap' | 'js' | 'js-lazy';
|
||||
noscriptFallback?: boolean;
|
||||
inlineFonts?: boolean;
|
||||
preloadFonts?: boolean;
|
||||
fonts?: boolean;
|
||||
keyframes?: string;
|
||||
compress?: boolean;
|
||||
logLevel?: 'info' | 'warn' | 'error' | 'trace' | 'debug' | 'silent';
|
||||
reduceInlineStyles?: boolean;
|
||||
logger?: Logger;
|
||||
}
|
||||
|
||||
export interface Logger {
|
||||
trace?: (message: string) => void;
|
||||
debug?: (message: string) => void;
|
||||
info?: (message: string) => void;
|
||||
warn?: (message: string) => void;
|
||||
error?: (message: string) => void;
|
||||
}
|
715
my-app/node_modules/critters/src/index.js
generated
vendored
Executable file
715
my-app/node_modules/critters/src/index.js
generated
vendored
Executable file
|
@ -0,0 +1,715 @@
|
|||
/**
|
||||
* Copyright 2018 Google LLC
|
||||
*
|
||||
* Licensed under the Apache License, Version 2.0 (the "License"); you may not
|
||||
* use this file except in compliance with the License. You may obtain a copy of
|
||||
* the License at
|
||||
*
|
||||
* http://www.apache.org/licenses/LICENSE-2.0
|
||||
*
|
||||
* Unless required by applicable law or agreed to in writing, software
|
||||
* distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
|
||||
* WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
|
||||
* License for the specific language governing permissions and limitations under
|
||||
* the License.
|
||||
*/
|
||||
|
||||
import path from 'path';
|
||||
import { readFile } from 'fs';
|
||||
import prettyBytes from 'pretty-bytes';
|
||||
import { createDocument, serializeDocument } from './dom';
|
||||
import {
|
||||
parseStylesheet,
|
||||
serializeStylesheet,
|
||||
walkStyleRules,
|
||||
walkStyleRulesWithReverseMirror,
|
||||
markOnly,
|
||||
applyMarkedSelectors
|
||||
} from './css';
|
||||
import { createLogger } from './util';
|
||||
|
||||
/**
|
||||
* The mechanism to use for lazy-loading stylesheets.
|
||||
*
|
||||
* Note: <kbd>JS</kbd> indicates a strategy requiring JavaScript (falls back to `<noscript>` unless disabled).
|
||||
*
|
||||
* - **default:** Move stylesheet links to the end of the document and insert preload meta tags in their place.
|
||||
* - **"body":** Move all external stylesheet links to the end of the document.
|
||||
* - **"media":** Load stylesheets asynchronously by adding `media="not x"` and removing once loaded. <kbd>JS</kbd>
|
||||
* - **"swap":** Convert stylesheet links to preloads that swap to `rel="stylesheet"` once loaded ([details](https://www.filamentgroup.com/lab/load-css-simpler/#the-code)). <kbd>JS</kbd>
|
||||
* - **"swap-high":** Use `<link rel="alternate stylesheet preload">` and swap to `rel="stylesheet"` once loaded ([details](http://filamentgroup.github.io/loadCSS/test/new-high.html)). <kbd>JS</kbd>
|
||||
* - **"js":** Inject an asynchronous CSS loader similar to [LoadCSS](https://github.com/filamentgroup/loadCSS) and use it to load stylesheets. <kbd>JS</kbd>
|
||||
* - **"js-lazy":** Like `"js"`, but the stylesheet is disabled until fully loaded.
|
||||
* - **false:** Disables adding preload tags.
|
||||
* @typedef {(default|'body'|'media'|'swap'|'swap-high'|'js'|'js-lazy')} PreloadStrategy
|
||||
* @public
|
||||
*/
|
||||
|
||||
/**
|
||||
* Controls which keyframes rules are inlined.
|
||||
*
|
||||
* - **"critical":** _(default)_ inline keyframes rules that are used by the critical CSS.
|
||||
* - **"all":** Inline all keyframes rules.
|
||||
* - **"none":** Remove all keyframes rules.
|
||||
* @typedef {('critical'|'all'|'none')} KeyframeStrategy
|
||||
* @private
|
||||
* @property {String} keyframes Which {@link KeyframeStrategy keyframe strategy} to use (default: `critical`)_
|
||||
*/
|
||||
|
||||
/**
|
||||
* Controls log level of the plugin. Specifies the level the logger should use. A logger will
|
||||
* not produce output for any log level beneath the specified level. Available levels and order
|
||||
* are:
|
||||
*
|
||||
* - **"info"** _(default)_
|
||||
* - **"warn"**
|
||||
* - **"error"**
|
||||
* - **"trace"**
|
||||
* - **"debug"**
|
||||
* - **"silent"**
|
||||
* @typedef {('info'|'warn'|'error'|'trace'|'debug'|'silent')} LogLevel
|
||||
* @public
|
||||
*/
|
||||
|
||||
/**
|
||||
* Custom logger interface:
|
||||
* @typedef {object} Logger
|
||||
* @public
|
||||
* @property {function(String)} trace - Prints a trace message
|
||||
* @property {function(String)} debug - Prints a debug message
|
||||
* @property {function(String)} info - Prints an information message
|
||||
* @property {function(String)} warn - Prints a warning message
|
||||
* @property {function(String)} error - Prints an error message
|
||||
*/
|
||||
|
||||
/**
|
||||
* All optional. Pass them to `new Critters({ ... })`.
|
||||
* @public
|
||||
* @typedef Options
|
||||
* @property {String} path Base path location of the CSS files _(default: `''`)_
|
||||
* @property {String} publicPath Public path of the CSS resources. This prefix is removed from the href _(default: `''`)_
|
||||
* @property {Boolean} external Inline styles from external stylesheets _(default: `true`)_
|
||||
* @property {Number} inlineThreshold Inline external stylesheets smaller than a given size _(default: `0`)_
|
||||
* @property {Number} minimumExternalSize If the non-critical external stylesheet would be below this size, just inline it _(default: `0`)_
|
||||
* @property {Boolean} pruneSource Remove inlined rules from the external stylesheet _(default: `false`)_
|
||||
* @property {Boolean} mergeStylesheets Merged inlined stylesheets into a single `<style>` tag _(default: `true`)_
|
||||
* @property {String[]} additionalStylesheets Glob for matching other stylesheets to be used while looking for critical CSS.
|
||||
* @property {String} preload Which {@link PreloadStrategy preload strategy} to use
|
||||
* @property {Boolean} noscriptFallback Add `<noscript>` fallback to JS-based strategies
|
||||
* @property {Boolean} inlineFonts Inline critical font-face rules _(default: `false`)_
|
||||
* @property {Boolean} preloadFonts Preloads critical fonts _(default: `true`)_
|
||||
* @property {Boolean} fonts Shorthand for setting `inlineFonts` + `preloadFonts`
|
||||
* - Values:
|
||||
* - `true` to inline critical font-face rules and preload the fonts
|
||||
* - `false` to don't inline any font-face rules and don't preload fonts
|
||||
* @property {String} keyframes Controls which keyframes rules are inlined.
|
||||
* - Values:
|
||||
* - `"critical"`: _(default)_ inline keyframes rules used by the critical CSS
|
||||
* - `"all"` inline all keyframes rules
|
||||
* - `"none"` remove all keyframes rules
|
||||
* @property {Boolean} compress Compress resulting critical CSS _(default: `true`)_
|
||||
* @property {String} logLevel Controls {@link LogLevel log level} of the plugin _(default: `"info"`)_
|
||||
* @property {object} logger Provide a custom logger interface {@link Logger logger}
|
||||
*/
|
||||
|
||||
export default class Critters {
|
||||
/** @private */
|
||||
constructor(options) {
|
||||
this.options = Object.assign(
|
||||
{
|
||||
logLevel: 'info',
|
||||
path: '',
|
||||
publicPath: '',
|
||||
reduceInlineStyles: true,
|
||||
pruneSource: false,
|
||||
additionalStylesheets: [],
|
||||
allowRules: []
|
||||
},
|
||||
options || {}
|
||||
);
|
||||
|
||||
this.urlFilter = this.options.filter;
|
||||
if (this.urlFilter instanceof RegExp) {
|
||||
this.urlFilter = this.urlFilter.test.bind(this.urlFilter);
|
||||
}
|
||||
|
||||
this.logger = this.options.logger || createLogger(this.options.logLevel);
|
||||
}
|
||||
|
||||
/**
|
||||
* Read the contents of a file from the specified filesystem or disk
|
||||
*/
|
||||
readFile(filename) {
|
||||
const fs = this.fs;
|
||||
return new Promise((resolve, reject) => {
|
||||
const callback = (err, data) => {
|
||||
if (err) reject(err);
|
||||
else resolve(data);
|
||||
};
|
||||
if (fs && fs.readFile) {
|
||||
fs.readFile(filename, callback);
|
||||
} else {
|
||||
readFile(filename, 'utf8', callback);
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* Apply critical CSS processing to the html
|
||||
*/
|
||||
async process(html) {
|
||||
const start = process.hrtime.bigint();
|
||||
|
||||
// Parse the generated HTML in a DOM we can mutate
|
||||
const document = createDocument(html);
|
||||
|
||||
if (this.options.additionalStylesheets.length > 0) {
|
||||
this.embedAdditionalStylesheet(document);
|
||||
}
|
||||
|
||||
// `external:false` skips processing of external sheets
|
||||
if (this.options.external !== false) {
|
||||
const externalSheets = [].slice.call(
|
||||
document.querySelectorAll('link[rel="stylesheet"]')
|
||||
);
|
||||
|
||||
await Promise.all(
|
||||
externalSheets.map((link) => this.embedLinkedStylesheet(link, document))
|
||||
);
|
||||
}
|
||||
|
||||
// go through all the style tags in the document and reduce them to only critical CSS
|
||||
const styles = this.getAffectedStyleTags(document);
|
||||
|
||||
await Promise.all(
|
||||
styles.map((style) => this.processStyle(style, document))
|
||||
);
|
||||
|
||||
if (this.options.mergeStylesheets !== false && styles.length !== 0) {
|
||||
await this.mergeStylesheets(document);
|
||||
}
|
||||
|
||||
// serialize the document back to HTML and we're done
|
||||
const output = serializeDocument(document);
|
||||
const end = process.hrtime.bigint();
|
||||
this.logger.info('Time ' + parseFloat(end - start) / 1000000.0);
|
||||
return output;
|
||||
}
|
||||
|
||||
/**
|
||||
* Get the style tags that need processing
|
||||
*/
|
||||
getAffectedStyleTags(document) {
|
||||
const styles = [].slice.call(document.querySelectorAll('style'));
|
||||
|
||||
// `inline:false` skips processing of inline stylesheets
|
||||
if (this.options.reduceInlineStyles === false) {
|
||||
return styles.filter((style) => style.$$external);
|
||||
}
|
||||
return styles;
|
||||
}
|
||||
|
||||
async mergeStylesheets(document) {
|
||||
const styles = this.getAffectedStyleTags(document);
|
||||
if (styles.length === 0) {
|
||||
this.logger.warn(
|
||||
'Merging inline stylesheets into a single <style> tag skipped, no inline stylesheets to merge'
|
||||
);
|
||||
return;
|
||||
}
|
||||
const first = styles[0];
|
||||
let sheet = first.textContent;
|
||||
|
||||
for (let i = 1; i < styles.length; i++) {
|
||||
const node = styles[i];
|
||||
sheet += node.textContent;
|
||||
node.remove();
|
||||
}
|
||||
|
||||
first.textContent = sheet;
|
||||
}
|
||||
|
||||
/**
|
||||
* Given href, find the corresponding CSS asset
|
||||
*/
|
||||
async getCssAsset(href) {
|
||||
const outputPath = this.options.path;
|
||||
const publicPath = this.options.publicPath;
|
||||
|
||||
// CHECK - the output path
|
||||
// path on disk (with output.publicPath removed)
|
||||
let normalizedPath = href.replace(/^\//, '');
|
||||
const pathPrefix = (publicPath || '').replace(/(^\/|\/$)/g, '') + '/';
|
||||
if (normalizedPath.indexOf(pathPrefix) === 0) {
|
||||
normalizedPath = normalizedPath
|
||||
.substring(pathPrefix.length)
|
||||
.replace(/^\//, '');
|
||||
}
|
||||
|
||||
// Ignore remote stylesheets
|
||||
if (/^https?:\/\//.test(normalizedPath) || href.startsWith('//')) {
|
||||
return undefined;
|
||||
}
|
||||
|
||||
const filename = path.resolve(outputPath, normalizedPath);
|
||||
|
||||
let sheet;
|
||||
|
||||
try {
|
||||
sheet = await this.readFile(filename);
|
||||
} catch (e) {
|
||||
this.logger.warn(`Unable to locate stylesheet: ${filename}`);
|
||||
}
|
||||
|
||||
return sheet;
|
||||
}
|
||||
|
||||
checkInlineThreshold(link, style, sheet) {
|
||||
if (
|
||||
this.options.inlineThreshold &&
|
||||
sheet.length < this.options.inlineThreshold
|
||||
) {
|
||||
const href = style.$$name;
|
||||
style.$$reduce = false;
|
||||
this.logger.info(
|
||||
`\u001b[32mInlined all of ${href} (${sheet.length} was below the threshold of ${this.options.inlineThreshold})\u001b[39m`
|
||||
);
|
||||
link.remove();
|
||||
return true;
|
||||
}
|
||||
|
||||
return false;
|
||||
}
|
||||
|
||||
/**
|
||||
* Inline the stylesheets from options.additionalStylesheets (assuming it passes `options.filter`)
|
||||
*/
|
||||
async embedAdditionalStylesheet(document) {
|
||||
const styleSheetsIncluded = [];
|
||||
|
||||
const sources = await Promise.all(
|
||||
this.options.additionalStylesheets.map((cssFile) => {
|
||||
if (styleSheetsIncluded.includes(cssFile)) {
|
||||
return;
|
||||
}
|
||||
styleSheetsIncluded.push(cssFile);
|
||||
const style = document.createElement('style');
|
||||
style.$$external = true;
|
||||
return this.getCssAsset(cssFile, style).then((sheet) => [sheet, style]);
|
||||
})
|
||||
);
|
||||
|
||||
sources.forEach(([sheet, style]) => {
|
||||
if (!sheet) return;
|
||||
style.textContent = sheet;
|
||||
document.head.appendChild(style);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* Inline the target stylesheet referred to by a <link rel="stylesheet"> (assuming it passes `options.filter`)
|
||||
*/
|
||||
async embedLinkedStylesheet(link, document) {
|
||||
const href = link.getAttribute('href');
|
||||
const media = link.getAttribute('media');
|
||||
|
||||
const preloadMode = this.options.preload;
|
||||
|
||||
// skip filtered resources, or network resources if no filter is provided
|
||||
if (this.urlFilter ? this.urlFilter(href) : !(href || '').match(/\.css$/)) {
|
||||
return Promise.resolve();
|
||||
}
|
||||
|
||||
// the reduced critical CSS gets injected into a new <style> tag
|
||||
const style = document.createElement('style');
|
||||
style.$$external = true;
|
||||
const sheet = await this.getCssAsset(href, style);
|
||||
|
||||
if (!sheet) {
|
||||
return;
|
||||
}
|
||||
|
||||
style.textContent = sheet;
|
||||
style.$$name = href;
|
||||
style.$$links = [link];
|
||||
link.parentNode.insertBefore(style, link);
|
||||
|
||||
if (this.checkInlineThreshold(link, style, sheet)) {
|
||||
return;
|
||||
}
|
||||
|
||||
// CSS loader is only injected for the first sheet, then this becomes an empty string
|
||||
let cssLoaderPreamble =
|
||||
"function $loadcss(u,m,l){(l=document.createElement('link')).rel='stylesheet';l.href=u;document.head.appendChild(l)}";
|
||||
const lazy = preloadMode === 'js-lazy';
|
||||
if (lazy) {
|
||||
cssLoaderPreamble = cssLoaderPreamble.replace(
|
||||
'l.href',
|
||||
"l.media='print';l.onload=function(){l.media=m};l.href"
|
||||
);
|
||||
}
|
||||
|
||||
// Allow disabling any mutation of the stylesheet link:
|
||||
if (preloadMode === false) return;
|
||||
|
||||
let noscriptFallback = false;
|
||||
|
||||
if (preloadMode === 'body') {
|
||||
document.body.appendChild(link);
|
||||
} else {
|
||||
link.setAttribute('rel', 'preload');
|
||||
link.setAttribute('as', 'style');
|
||||
if (preloadMode === 'js' || preloadMode === 'js-lazy') {
|
||||
const script = document.createElement('script');
|
||||
const js = `${cssLoaderPreamble}$loadcss(${JSON.stringify(href)}${
|
||||
lazy ? ',' + JSON.stringify(media || 'all') : ''
|
||||
})`;
|
||||
// script.appendChild(document.createTextNode(js));
|
||||
script.textContent = js;
|
||||
link.parentNode.insertBefore(script, link.nextSibling);
|
||||
style.$$links.push(script);
|
||||
cssLoaderPreamble = '';
|
||||
noscriptFallback = true;
|
||||
} else if (preloadMode === 'media') {
|
||||
// @see https://github.com/filamentgroup/loadCSS/blob/af1106cfe0bf70147e22185afa7ead96c01dec48/src/loadCSS.js#L26
|
||||
link.setAttribute('rel', 'stylesheet');
|
||||
link.removeAttribute('as');
|
||||
link.setAttribute('media', 'print');
|
||||
link.setAttribute('onload', `this.media='${media || 'all'}'`);
|
||||
noscriptFallback = true;
|
||||
} else if (preloadMode === 'swap-high') {
|
||||
// @see http://filamentgroup.github.io/loadCSS/test/new-high.html
|
||||
link.setAttribute('rel', 'alternate stylesheet preload');
|
||||
link.setAttribute('title', 'styles');
|
||||
link.setAttribute('onload', `this.title='';this.rel='stylesheet'`);
|
||||
noscriptFallback = true;
|
||||
} else if (preloadMode === 'swap') {
|
||||
link.setAttribute('onload', "this.rel='stylesheet'");
|
||||
noscriptFallback = true;
|
||||
} else {
|
||||
const bodyLink = document.createElement('link');
|
||||
bodyLink.setAttribute('rel', 'stylesheet');
|
||||
if (media) bodyLink.setAttribute('media', media);
|
||||
bodyLink.setAttribute('href', href);
|
||||
document.body.appendChild(bodyLink);
|
||||
style.$$links.push(bodyLink);
|
||||
}
|
||||
}
|
||||
|
||||
if (this.options.noscriptFallback !== false && noscriptFallback) {
|
||||
const noscript = document.createElement('noscript');
|
||||
const noscriptLink = document.createElement('link');
|
||||
noscriptLink.setAttribute('rel', 'stylesheet');
|
||||
noscriptLink.setAttribute('href', href);
|
||||
if (media) noscriptLink.setAttribute('media', media);
|
||||
noscript.appendChild(noscriptLink);
|
||||
link.parentNode.insertBefore(noscript, link.nextSibling);
|
||||
style.$$links.push(noscript);
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Prune the source CSS files
|
||||
*/
|
||||
pruneSource(style, before, sheetInverse) {
|
||||
// if external stylesheet would be below minimum size, just inline everything
|
||||
const minSize = this.options.minimumExternalSize;
|
||||
const name = style.$$name;
|
||||
if (minSize && sheetInverse.length < minSize) {
|
||||
this.logger.info(
|
||||
`\u001b[32mInlined all of ${name} (non-critical external stylesheet would have been ${sheetInverse.length}b, which was below the threshold of ${minSize})\u001b[39m`
|
||||
);
|
||||
style.textContent = before;
|
||||
// remove any associated external resources/loaders:
|
||||
if (style.$$links) {
|
||||
for (const link of style.$$links) {
|
||||
const parent = link.parentNode;
|
||||
if (parent) parent.removeChild(link);
|
||||
}
|
||||
}
|
||||
|
||||
return true;
|
||||
}
|
||||
|
||||
return false;
|
||||
}
|
||||
|
||||
/**
|
||||
* Parse the stylesheet within a <style> element, then reduce it to contain only rules used by the document.
|
||||
*/
|
||||
async processStyle(style, document) {
|
||||
if (style.$$reduce === false) return;
|
||||
|
||||
const name = style.$$name ? style.$$name.replace(/^\//, '') : 'inline CSS';
|
||||
const options = this.options;
|
||||
const crittersContainer = document.crittersContainer;
|
||||
let keyframesMode = options.keyframes || 'critical';
|
||||
// we also accept a boolean value for options.keyframes
|
||||
if (keyframesMode === true) keyframesMode = 'all';
|
||||
if (keyframesMode === false) keyframesMode = 'none';
|
||||
|
||||
let sheet = style.textContent;
|
||||
|
||||
// store a reference to the previous serialized stylesheet for reporting stats
|
||||
const before = sheet;
|
||||
|
||||
// Skip empty stylesheets
|
||||
if (!sheet) return;
|
||||
|
||||
const ast = parseStylesheet(sheet);
|
||||
const astInverse = options.pruneSource ? parseStylesheet(sheet) : null;
|
||||
|
||||
// a string to search for font names (very loose)
|
||||
let criticalFonts = '';
|
||||
|
||||
const failedSelectors = [];
|
||||
|
||||
const criticalKeyframeNames = [];
|
||||
|
||||
let includeNext = false;
|
||||
let includeAll = false;
|
||||
let excludeNext = false;
|
||||
let excludeAll = false;
|
||||
|
||||
// Walk all CSS rules, marking unused rules with `.$$remove=true` for removal in the second pass.
|
||||
// This first pass is also used to collect font and keyframe usage used in the second pass.
|
||||
walkStyleRules(
|
||||
ast,
|
||||
markOnly((rule) => {
|
||||
if (rule.type === 'comment') {
|
||||
const comment = rule.text.trim();
|
||||
|
||||
if (comment.startsWith('critters')) {
|
||||
const command = comment.replace(/^critters:/, '');
|
||||
switch (command) {
|
||||
case 'include':
|
||||
includeNext = true;
|
||||
break;
|
||||
case 'exclude':
|
||||
excludeNext = true;
|
||||
break;
|
||||
case 'include start':
|
||||
includeAll = true;
|
||||
break;
|
||||
case 'include end':
|
||||
includeAll = false;
|
||||
break;
|
||||
case 'exclude start':
|
||||
excludeAll = true;
|
||||
break;
|
||||
case 'exclude end':
|
||||
excludeAll = false;
|
||||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
if (rule.type === 'rule') {
|
||||
// Handle comment based markers
|
||||
if (includeNext) {
|
||||
includeNext = false;
|
||||
return true;
|
||||
}
|
||||
|
||||
if (excludeNext) {
|
||||
excludeNext = false;
|
||||
return false;
|
||||
}
|
||||
|
||||
if (includeAll) {
|
||||
return true;
|
||||
}
|
||||
|
||||
if (excludeAll) {
|
||||
return false;
|
||||
}
|
||||
|
||||
// Filter the selector list down to only those match
|
||||
rule.filterSelectors((sel) => {
|
||||
// Validate rule with 'allowRules' option
|
||||
const isAllowedRule = options.allowRules.some((exp) => {
|
||||
if (exp instanceof RegExp) {
|
||||
return exp.test(sel);
|
||||
}
|
||||
return exp === sel;
|
||||
});
|
||||
if (isAllowedRule) return true;
|
||||
|
||||
// Strip pseudo-elements and pseudo-classes, since we only care that their associated elements exist.
|
||||
// This means any selector for a pseudo-element or having a pseudo-class will be inlined if the rest of the selector matches.
|
||||
if (
|
||||
sel === ':root' ||
|
||||
sel.match(/^::?(before|after)$/) ||
|
||||
sel === 'html' ||
|
||||
sel === 'body'
|
||||
) {
|
||||
return true;
|
||||
}
|
||||
sel = sel
|
||||
.replace(/(?<!\\)::?[a-z-]+(?![a-z-(])/gi, '')
|
||||
.replace(/::?not\(\s*\)/g, '')
|
||||
// Remove tailing or leading commas from cleaned sub selector `is(.active, :hover)` -> `is(.active)`.
|
||||
.replace(/\(\s*,/g, '(')
|
||||
.replace(/,\s*\)/g, ')')
|
||||
.trim();
|
||||
if (!sel) return false;
|
||||
|
||||
try {
|
||||
return crittersContainer.exists(sel);
|
||||
} catch (e) {
|
||||
failedSelectors.push(sel + ' -> ' + e.message);
|
||||
return false;
|
||||
}
|
||||
});
|
||||
|
||||
// If there are no matched selectors, remove the rule:
|
||||
if (!rule.selector) {
|
||||
return false;
|
||||
}
|
||||
|
||||
if (rule.nodes) {
|
||||
for (let i = 0; i < rule.nodes.length; i++) {
|
||||
const decl = rule.nodes[i];
|
||||
|
||||
// detect used fonts
|
||||
if (decl.prop && decl.prop.match(/\bfont(-family)?\b/i)) {
|
||||
criticalFonts += ' ' + decl.value;
|
||||
}
|
||||
|
||||
// detect used keyframes
|
||||
if (decl.prop === 'animation' || decl.prop === 'animation-name') {
|
||||
// @todo: parse animation declarations and extract only the name. for now we'll do a lazy match.
|
||||
const names = decl.value.split(/\s+/);
|
||||
for (let j = 0; j < names.length; j++) {
|
||||
const name = names[j].trim();
|
||||
if (name) criticalKeyframeNames.push(name);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// keep font rules, they're handled in the second pass:
|
||||
if (rule.type === 'atrule' && rule.name === 'font-face') return;
|
||||
|
||||
// If there are no remaining rules, remove the whole rule:
|
||||
const rules = rule.nodes && rule.nodes.filter((rule) => !rule.$$remove);
|
||||
return !rules || rules.length !== 0;
|
||||
})
|
||||
);
|
||||
|
||||
if (failedSelectors.length !== 0) {
|
||||
this.logger.warn(
|
||||
`${
|
||||
failedSelectors.length
|
||||
} rules skipped due to selector errors:\n ${failedSelectors.join(
|
||||
'\n '
|
||||
)}`
|
||||
);
|
||||
}
|
||||
|
||||
const shouldPreloadFonts =
|
||||
options.fonts === true || options.preloadFonts === true;
|
||||
const shouldInlineFonts =
|
||||
options.fonts !== false && options.inlineFonts === true;
|
||||
|
||||
const preloadedFonts = [];
|
||||
// Second pass, using data picked up from the first
|
||||
walkStyleRulesWithReverseMirror(ast, astInverse, (rule) => {
|
||||
// remove any rules marked in the first pass
|
||||
if (rule.$$remove === true) return false;
|
||||
|
||||
applyMarkedSelectors(rule);
|
||||
|
||||
// prune @keyframes rules
|
||||
if (rule.type === 'atrule' && rule.name === 'keyframes') {
|
||||
if (keyframesMode === 'none') return false;
|
||||
if (keyframesMode === 'all') return true;
|
||||
return criticalKeyframeNames.indexOf(rule.params) !== -1;
|
||||
}
|
||||
|
||||
// prune @font-face rules
|
||||
if (rule.type === 'atrule' && rule.name === 'font-face') {
|
||||
let family, src;
|
||||
for (let i = 0; i < rule.nodes.length; i++) {
|
||||
const decl = rule.nodes[i];
|
||||
if (decl.prop === 'src') {
|
||||
// @todo parse this properly and generate multiple preloads with type="font/woff2" etc
|
||||
src = (decl.value.match(/url\s*\(\s*(['"]?)(.+?)\1\s*\)/) || [])[2];
|
||||
} else if (decl.prop === 'font-family') {
|
||||
family = decl.value;
|
||||
}
|
||||
}
|
||||
|
||||
if (src && shouldPreloadFonts && preloadedFonts.indexOf(src) === -1) {
|
||||
preloadedFonts.push(src);
|
||||
const preload = document.createElement('link');
|
||||
preload.setAttribute('rel', 'preload');
|
||||
preload.setAttribute('as', 'font');
|
||||
preload.setAttribute('crossorigin', 'anonymous');
|
||||
preload.setAttribute('href', src.trim());
|
||||
document.head.appendChild(preload);
|
||||
}
|
||||
|
||||
// if we're missing info, if the font is unused, or if critical font inlining is disabled, remove the rule:
|
||||
if (
|
||||
!family ||
|
||||
!src ||
|
||||
criticalFonts.indexOf(family) === -1 ||
|
||||
!shouldInlineFonts
|
||||
) {
|
||||
return false;
|
||||
}
|
||||
}
|
||||
});
|
||||
|
||||
sheet = serializeStylesheet(ast, {
|
||||
compress: this.options.compress !== false
|
||||
});
|
||||
|
||||
// If all rules were removed, get rid of the style element entirely
|
||||
if (sheet.trim().length === 0) {
|
||||
if (style.parentNode) {
|
||||
style.remove();
|
||||
}
|
||||
return;
|
||||
}
|
||||
|
||||
let afterText = '';
|
||||
let styleInlinedCompletely = false;
|
||||
if (options.pruneSource) {
|
||||
const sheetInverse = serializeStylesheet(astInverse, {
|
||||
compress: this.options.compress !== false
|
||||
});
|
||||
|
||||
styleInlinedCompletely = this.pruneSource(style, before, sheetInverse);
|
||||
|
||||
if (styleInlinedCompletely) {
|
||||
const percent = (sheetInverse.length / before.length) * 100;
|
||||
afterText = `, reducing non-inlined size ${
|
||||
percent | 0
|
||||
}% to ${prettyBytes(sheetInverse.length)}`;
|
||||
}
|
||||
}
|
||||
|
||||
// replace the inline stylesheet with its critical'd counterpart
|
||||
if (!styleInlinedCompletely) {
|
||||
style.textContent = sheet;
|
||||
}
|
||||
|
||||
// output stats
|
||||
const percent = ((sheet.length / before.length) * 100) | 0;
|
||||
this.logger.info(
|
||||
'\u001b[32mInlined ' +
|
||||
prettyBytes(sheet.length) +
|
||||
' (' +
|
||||
percent +
|
||||
'% of original ' +
|
||||
prettyBytes(before.length) +
|
||||
') of ' +
|
||||
name +
|
||||
afterText +
|
||||
'.\u001b[39m'
|
||||
);
|
||||
}
|
||||
}
|
40
my-app/node_modules/critters/src/util.js
generated
vendored
Executable file
40
my-app/node_modules/critters/src/util.js
generated
vendored
Executable file
|
@ -0,0 +1,40 @@
|
|||
import chalk from 'chalk';
|
||||
|
||||
const LOG_LEVELS = ['trace', 'debug', 'info', 'warn', 'error', 'silent'];
|
||||
|
||||
export const defaultLogger = {
|
||||
trace(msg) {
|
||||
console.trace(msg);
|
||||
},
|
||||
|
||||
debug(msg) {
|
||||
console.debug(msg);
|
||||
},
|
||||
|
||||
warn(msg) {
|
||||
console.warn(chalk.yellow(msg));
|
||||
},
|
||||
|
||||
error(msg) {
|
||||
console.error(chalk.bold.red(msg));
|
||||
},
|
||||
|
||||
info(msg) {
|
||||
console.info(chalk.bold.blue(msg));
|
||||
},
|
||||
|
||||
silent() {}
|
||||
};
|
||||
|
||||
export function createLogger(logLevel) {
|
||||
const logLevelIdx = LOG_LEVELS.indexOf(logLevel);
|
||||
|
||||
return LOG_LEVELS.reduce((logger, type, index) => {
|
||||
if (index >= logLevelIdx) {
|
||||
logger[type] = defaultLogger[type];
|
||||
} else {
|
||||
logger[type] = defaultLogger.silent;
|
||||
}
|
||||
return logger;
|
||||
}, {});
|
||||
}
|
Loading…
Add table
Add a link
Reference in a new issue