snipe/web/node_modules/cssstyle/lib/parsers.js
pyr0ball 7a704441a6 feat(snipe): Vue 3 frontend scaffold + Docker web service
- web/: Vue 3 + Vite + UnoCSS + Pinia, dark tactical theme (amber/#0d1117)
- AppNav, ListingCard, SearchView with filters/sort, composables
  (useSnipeMode, useKonamiCode, useMotion), Pinia search store
- Steal shimmer, auction countdown, Snipe Mode easter egg all native in Vue
- docker/web/: nginx + multi-stage Dockerfile (node build → nginx serve)
- compose.yml: api (8510) + web (8509) services
- Dockerfile CMD updated to uvicorn for upcoming FastAPI layer
- Clean build: 0 TS errors, 380 modules
2026-03-25 15:11:35 -07:00

851 lines
21 KiB
JavaScript

"use strict";
const {
resolve: resolveColor,
utils: { cssCalc, resolveGradient, splitValue }
} = require("@asamuzakjp/css-color");
const { next: syntaxes } = require("@csstools/css-syntax-patches-for-csstree");
const csstree = require("css-tree");
const { LRUCache } = require("lru-cache");
const propertyDefinitions = require("./generated/propertyDefinitions");
const { asciiLowercase } = require("./utils/strings");
// Constants
const CALC_FUNC_NAMES = "(?:a?(?:cos|sin|tan)|abs|atan2|calc|clamp|exp|hypot|log|max|min|mod|pow|rem|round|sign|sqrt)";
// CSS global keywords
// @see https://drafts.csswg.org/css-cascade-5/#defaulting-keywords
const GLOBAL_KEYS = new Set(["initial", "inherit", "unset", "revert", "revert-layer"]);
// System colors
// @see https://drafts.csswg.org/css-color/#css-system-colors
// @see https://drafts.csswg.org/css-color/#deprecated-system-colors
const SYS_COLORS = new Set([
"accentcolor",
"accentcolortext",
"activeborder",
"activecaption",
"activetext",
"appworkspace",
"background",
"buttonborder",
"buttonface",
"buttonhighlight",
"buttonshadow",
"buttontext",
"canvas",
"canvastext",
"captiontext",
"field",
"fieldtext",
"graytext",
"highlight",
"highlighttext",
"inactiveborder",
"inactivecaption",
"inactivecaptiontext",
"infobackground",
"infotext",
"linktext",
"mark",
"marktext",
"menu",
"menutext",
"scrollbar",
"selecteditem",
"selecteditemtext",
"threeddarkshadow",
"threedface",
"threedhighlight",
"threedlightshadow",
"threedshadow",
"visitedtext",
"window",
"windowframe",
"windowtext"
]);
// AST node types
const AST_TYPES = Object.freeze({
CALC: "Calc",
DIMENSION: "Dimension",
FUNCTION: "Function",
GLOBAL_KEYWORD: "GlobalKeyword",
HASH: "Hash",
IDENTIFIER: "Identifier",
NUMBER: "Number",
PERCENTAGE: "Percentage",
STRING: "String",
URL: "Url"
});
// Regular expressions
const calcRegEx = new RegExp(`^${CALC_FUNC_NAMES}\\(`);
const calcContainedRegEx = new RegExp(`(?<=[*/\\s(])${CALC_FUNC_NAMES}\\(`);
const calcNameRegEx = new RegExp(`^${CALC_FUNC_NAMES}$`);
const varRegEx = /^var\(/;
const varContainedRegEx = /(?<=[*/\s(])var\(/;
// Patched css-tree
const cssTree = csstree.fork(syntaxes);
// Instance of the LRU Cache. Stores up to 4096 items.
const lruCache = new LRUCache({
max: 4096
});
/**
* Prepares a stringified value.
*
* @param {string|number|null|undefined} value - The value to prepare.
* @returns {string} The prepared value.
*/
function prepareValue(value) {
// `null` is converted to an empty string.
// @see https://webidl.spec.whatwg.org/#LegacyNullToEmptyString
if (value === null) {
return "";
}
return `${value}`.trim();
}
/**
* Checks if the value is a global keyword.
*
* @param {string} val - The value to check.
* @returns {boolean} True if the value is a global keyword, false otherwise.
*/
function isGlobalKeyword(val) {
return GLOBAL_KEYS.has(asciiLowercase(val));
}
/**
* Checks if the value starts with or contains a CSS var() function.
*
* @param {string} val - The value to check.
* @returns {boolean} True if the value contains a var() function, false otherwise.
*/
function hasVarFunc(val) {
return varRegEx.test(val) || varContainedRegEx.test(val);
}
/**
* Checks if the value starts with or contains CSS calc() or math functions.
*
* @param {string} val - The value to check.
* @returns {boolean} True if the value contains calc() or math functions, false otherwise.
*/
function hasCalcFunc(val) {
return calcRegEx.test(val) || calcContainedRegEx.test(val);
}
/**
* Parses a CSS string into an AST.
*
* @param {string} val - The CSS string to parse.
* @param {object} opt - The options for parsing.
* @returns {object} The AST.
*/
function parseCSS(val, opt) {
return cssTree.parse(prepareValue(val), opt);
}
/**
* Checks if the value is a valid property value.
* Returns false for custom properties or values containing var().
*
* @param {string} prop - The property name.
* @param {string} val - The property value.
* @returns {boolean} True if the value is valid, false otherwise.
*/
function isValidPropertyValue(prop, val) {
if (!propertyDefinitions.has(prop)) {
return false;
}
val = prepareValue(val);
if (val === "") {
return true;
}
const cacheKey = `isValidPropertyValue_${prop}_${val}`;
const cachedValue = lruCache.get(cacheKey);
if (typeof cachedValue === "boolean") {
return cachedValue;
}
let result;
try {
const ast = parseCSS(val, {
context: "value"
});
const { error, matched } = cssTree.lexer.matchProperty(prop, ast);
result = error === null && matched !== null;
} catch {
result = false;
}
lruCache.set(cacheKey, result);
return result;
}
/**
* Resolves CSS math functions.
*
* @param {string} val - The value to resolve.
* @param {object} [opt={ format: "specifiedValue" }] - The options for resolving.
* @returns {string|undefined} The resolved value.
*/
function resolveCalc(val, opt = { format: "specifiedValue" }) {
val = prepareValue(val);
if (val === "" || hasVarFunc(val) || !hasCalcFunc(val)) {
return val;
}
const cacheKey = `resolveCalc_${val}`;
const cachedValue = lruCache.get(cacheKey);
if (typeof cachedValue === "string") {
return cachedValue;
}
const ast = parseCSS(val, { context: "value" });
if (!ast?.children) {
return;
}
const values = [];
for (const item of ast.children) {
const { type: itemType, name: itemName, value: itemValue } = item;
if (itemType === AST_TYPES.FUNCTION) {
const value = cssTree
.generate(item)
.replace(/\)(?!\)|\s|,)/g, ") ")
.trim();
if (calcNameRegEx.test(itemName)) {
const newValue = cssCalc(value, opt);
values.push(newValue);
} else {
values.push(value);
}
} else if (itemType === AST_TYPES.STRING) {
values.push(`"${itemValue}"`);
} else {
values.push(itemName ?? itemValue);
}
}
const resolvedValue = values.join(" ");
lruCache.set(cacheKey, resolvedValue);
return resolvedValue;
}
/**
* Parses a property value.
* Returns a string or an array of parsed objects.
*
* @param {string} prop - The property name.
* @param {string} val - The property value.
* @param {object} [opt={}] - The options for parsing.
* @returns {string|Array<object>|undefined} The parsed value.
*/
function parsePropertyValue(prop, val, opt = {}) {
if (!propertyDefinitions.has(prop)) {
return;
}
const { caseSensitive } = opt;
val = prepareValue(val);
if (val === "" || hasVarFunc(val)) {
return val;
} else if (hasCalcFunc(val)) {
const calculatedValue = resolveCalc(val, {
format: "specifiedValue"
});
if (typeof calculatedValue !== "string") {
return;
}
val = calculatedValue;
}
const cacheKey = `parsePropertyValue_${prop}_${val}_${caseSensitive}`;
const cachedValue = lruCache.get(cacheKey);
if (cachedValue === false) {
return;
} else if (cachedValue !== undefined) {
return cachedValue;
}
let parsedValue;
const lowerCasedValue = asciiLowercase(val);
if (GLOBAL_KEYS.has(lowerCasedValue)) {
parsedValue = [
{
type: AST_TYPES.GLOBAL_KEYWORD,
name: lowerCasedValue
}
];
} else {
try {
const ast = parseCSS(val, {
context: "value"
});
const { error, matched } = cssTree.lexer.matchProperty(prop, ast);
if (error || !matched) {
parsedValue = false;
} else {
const items = ast.children;
const itemCount = items.size;
const values = [];
for (const item of items) {
const { children, name, type, value, unit } = item;
switch (type) {
case AST_TYPES.DIMENSION: {
values.push({
type,
value,
unit: asciiLowercase(unit)
});
break;
}
case AST_TYPES.FUNCTION: {
const raw = itemCount === 1 ? val : cssTree.generate(item).replace(/\)(?!\)|\s|,)/g, ") ");
// Remove "${name}(" from the start and ")" from the end
const itemValue = raw.trim().slice(name.length + 1, -1);
if (name === "calc") {
if (children.size === 1) {
const child = children.first;
if (child.type === AST_TYPES.NUMBER) {
values.push({
type: AST_TYPES.CALC,
name,
isNumber: true,
value: `${parseFloat(child.value)}`
});
} else {
values.push({
type: AST_TYPES.CALC,
name,
isNumber: false,
value: asciiLowercase(itemValue)
});
}
} else {
values.push({
type: AST_TYPES.CALC,
name,
isNumber: false,
value: asciiLowercase(itemValue)
});
}
} else {
values.push({
type,
name,
value: caseSensitive ? itemValue : asciiLowercase(itemValue)
});
}
break;
}
case AST_TYPES.IDENTIFIER: {
if (caseSensitive) {
values.push(item);
} else {
values.push({
type,
name: asciiLowercase(name)
});
}
break;
}
default: {
values.push(item);
}
}
}
parsedValue = values;
}
} catch {
parsedValue = false;
}
}
lruCache.set(cacheKey, parsedValue);
if (parsedValue === false) {
return;
}
return parsedValue;
}
/**
* Parses a numeric value (number, dimension, percentage).
* Helper function for serializeNumber, serializeLength, etc.
*
* @param {Array<object>} val - The AST value.
* @param {object} [opt={}] - The options for parsing.
* @param {Function} validateType - Function to validate the node type.
* @returns {object|undefined} The parsed result containing num and unit, or undefined.
*/
function parseNumericValue(val, opt, validateType) {
const [item] = val;
const { type, value, unit } = item ?? {};
if (!validateType(type, value, unit)) {
return;
}
const { clamp } = opt || {};
const max = opt?.max ?? Number.INFINITY;
const min = opt?.min ?? Number.NEGATIVE_INFINITY;
let num = parseFloat(value);
if (clamp) {
if (num > max) {
num = max;
} else if (num < min) {
num = min;
}
} else if (num > max || num < min) {
return;
}
return {
num,
unit: unit ? asciiLowercase(unit) : null,
type
};
}
/**
* Serializes a <number> value.
*
* @param {Array<object>} val - The AST value.
* @param {object} [opt={}] - The options for parsing.
* @returns {string|undefined} The parsed number.
*/
function serializeNumber(val, opt = {}) {
const res = parseNumericValue(val, opt, (type) => type === AST_TYPES.NUMBER);
if (!res) {
return;
}
return `${res.num}`;
}
/**
* Serializes an <angle> value.
*
* @param {Array<object>} val - The AST value.
* @param {object} [opt={}] - The options for parsing.
* @returns {string|undefined} The serialized angle.
*/
function serializeAngle(val, opt = {}) {
const res = parseNumericValue(
val,
opt,
(type, value) => type === AST_TYPES.DIMENSION || (type === AST_TYPES.NUMBER && value === "0")
);
if (!res) {
return;
}
const { num, unit } = res;
if (unit) {
if (!/^(?:deg|g?rad|turn)$/i.test(unit)) {
return;
}
return `${num}${unit}`;
} else if (num === 0) {
return `${num}deg`;
}
}
/**
* Serializes a <length> value.
*
* @param {Array<object>} val - The AST value.
* @param {object} [opt={}] - The options for parsing.
* @returns {string|undefined} The serialized length.
*/
function serializeLength(val, opt = {}) {
const res = parseNumericValue(
val,
opt,
(type, value) => type === AST_TYPES.DIMENSION || (type === AST_TYPES.NUMBER && value === "0")
);
if (!res) {
return;
}
const { num, unit } = res;
if (num === 0 && !unit) {
return `${num}px`;
} else if (unit) {
return `${num}${unit}`;
}
}
/**
* Serializes a <dimension> value, e.g. <frequency>, <time> and <resolution>.
*
* @param {Array<object>} val - The AST value.
* @param {object} [opt={}] - The options for parsing.
* @returns {string|undefined} The serialized dimension.
*/
function serializeDimension(val, opt = {}) {
const res = parseNumericValue(val, opt, (type) => type === AST_TYPES.DIMENSION);
if (!res) {
return;
}
const { num, unit } = res;
if (unit) {
return `${num}${unit}`;
}
}
/**
* Serializes a <percentage> value.
*
* @param {Array<object>} val - The AST value.
* @param {object} [opt={}] - The options for parsing.
* @returns {string|undefined} The serialized percentage.
*/
function serializePercentage(val, opt = {}) {
const res = parseNumericValue(
val,
opt,
(type, value) => type === AST_TYPES.PERCENTAGE || (type === AST_TYPES.NUMBER && value === "0")
);
if (!res) {
return;
}
const { num } = res;
return `${num}%`;
}
/**
* Serializes a <url> value.
*
* @param {Array<object>} val - The AST value.
* @returns {string|undefined} The serialized url.
*/
function serializeURL(val) {
const [item] = val;
const { type, value } = item ?? {};
if (type !== AST_TYPES.URL) {
return;
}
const str = value.replace(/\\\\/g, "\\").replaceAll('"', '\\"');
return `url("${str}")`;
}
/**
* Serializes a <string> value.
*
* @param {Array<object>} val - The AST value.
* @returns {string|undefined} The serialized string.
*/
function serializeString(val) {
const [item] = val;
const { type, value } = item ?? {};
if (type !== AST_TYPES.STRING) {
return;
}
const str = value.replace(/\\\\/g, "\\").replaceAll('"', '\\"');
return `"${str}"`;
}
/**
* Serializes a <color> value.
*
* @param {Array<object>} val - The AST value.
* @returns {string|undefined} The serialized color.
*/
function serializeColor(val) {
const [item] = val;
const { name, type, value } = item ?? {};
switch (type) {
case AST_TYPES.FUNCTION: {
const res = resolveColor(`${name}(${value})`, {
format: "specifiedValue"
});
if (res) {
return res;
}
break;
}
case AST_TYPES.HASH: {
const res = resolveColor(`#${value}`, {
format: "specifiedValue"
});
if (res) {
return res;
}
break;
}
case AST_TYPES.IDENTIFIER: {
if (SYS_COLORS.has(name)) {
return name;
}
const res = resolveColor(name, {
format: "specifiedValue"
});
if (res) {
return res;
}
break;
}
default:
}
}
/**
* Serializes a <gradient> value.
*
* @param {Array<object>} val - The AST value.
* @returns {string|undefined} The serialized gradient.
*/
function serializeGradient(val) {
const [item] = val;
const { name, type, value } = item ?? {};
if (type !== AST_TYPES.FUNCTION) {
return;
}
const res = resolveGradient(`${name}(${value})`, {
format: "specifiedValue"
});
if (res) {
return res;
}
}
/**
* Resolves a keyword value.
*
* @param {Array<object>} value - The AST node array containing the keyword value.
* @param {object} [opt={}] - The options for parsing.
* @returns {string|undefined} The resolved keyword or undefined.
*/
function resolveKeywordValue(value, opt = {}) {
const [{ name, type }] = value;
const { length } = opt;
switch (type) {
case AST_TYPES.GLOBAL_KEYWORD: {
if (length > 1) {
return;
}
return name;
}
case AST_TYPES.IDENTIFIER: {
return name;
}
default:
}
}
/**
* Resolves a function value.
*
* @param {Array<object>} value - The AST node array containing the function value.
* @param {object} [opt={}] - The options for parsing.
* @returns {string|undefined} The resolved function or undefined.
*/
function resolveFunctionValue(value, opt = {}) {
const [{ name, type, value: itemValue }] = value;
const { length } = opt;
switch (type) {
case AST_TYPES.FUNCTION: {
return `${name}(${itemValue})`;
}
case AST_TYPES.GLOBAL_KEYWORD: {
if (length > 1) {
return;
}
return name;
}
case AST_TYPES.IDENTIFIER: {
return name;
}
default:
}
}
/**
* Resolves a numeric value.
*
* @param {Array<object>} value - The AST node array containing the numeric value.
* @param {object} [opt={}] - The options for parsing.
* @returns {string|undefined} The resolved length/percentage/number or undefined.
*/
function resolveNumericValue(value, opt = {}) {
const [{ name, type: itemType, value: itemValue }] = value;
const { length, type } = opt;
switch (itemType) {
case AST_TYPES.CALC: {
return `${name}(${itemValue})`;
}
case AST_TYPES.DIMENSION: {
if (type === "angle") {
return serializeAngle(value, opt);
} else if (type === "length") {
return serializeLength(value, opt);
}
return serializeDimension(value, opt);
}
case AST_TYPES.GLOBAL_KEYWORD: {
if (length > 1) {
return;
}
return name;
}
case AST_TYPES.IDENTIFIER: {
return name;
}
case AST_TYPES.NUMBER: {
switch (type) {
case "angle": {
return serializeAngle(value, opt);
}
case "length": {
return serializeLength(value, opt);
}
case "percentage": {
return serializePercentage(value, opt);
}
default: {
return serializeNumber(value, opt);
}
}
}
case AST_TYPES.PERCENTAGE: {
return serializePercentage(value, opt);
}
default:
}
}
/**
* Resolves a color value.
*
* @param {Array<object>} value - The AST node array containing the color value.
* @param {object} [opt={}] - The options for parsing.
* @returns {string|undefined} The resolved color or undefined.
*/
function resolveColorValue(value, opt = {}) {
const [{ name, type }] = value;
const { length } = opt;
switch (type) {
case AST_TYPES.GLOBAL_KEYWORD: {
if (length > 1) {
return;
}
return name;
}
default: {
return serializeColor(value, opt);
}
}
}
/**
* Resolves an image value.
*
* @param {Array<object>} value - The AST node array containing the image value.
* @param {object} [opt={}] - The options for parsing.
* @returns {string|undefined} The resolved gradient/url or undefined.
*/
function resolveImageValue(value, opt = {}) {
const [{ name, type }] = value;
const { length } = opt;
switch (type) {
case AST_TYPES.GLOBAL_KEYWORD: {
if (length > 1) {
return;
}
return name;
}
case AST_TYPES.IDENTIFIER: {
return name;
}
case AST_TYPES.URL: {
return serializeURL(value, opt);
}
default: {
return serializeGradient(value, opt);
}
}
}
/**
* Resolves a border shorthand value.
*
* @param {Array<object>} value - The AST node array containing the shorthand value.
* @param {object} subProps - The sub properties object.
* @param {Map} parsedValues - The Map of parsed values.
* @returns {Array|string|undefined} - The resolved [prop, value] pair, keyword or undefined.
*/
function resolveBorderShorthandValue(value, subProps, parsedValues) {
const [{ isNumber, name, type, value: itemValue }] = value;
const { color: colorProp, style: styleProp, width: widthProp } = subProps;
switch (type) {
case AST_TYPES.CALC: {
if (isNumber || parsedValues.has(widthProp)) {
return;
}
return [widthProp, `${name}(${itemValue}`];
}
case AST_TYPES.DIMENSION:
case AST_TYPES.NUMBER: {
if (parsedValues.has(widthProp)) {
return;
}
const parsedValue = serializeLength(value, { min: 0 });
if (!parsedValue) {
return;
}
return [widthProp, parsedValue];
}
case AST_TYPES.FUNCTION:
case AST_TYPES.HASH: {
if (parsedValues.has(colorProp)) {
return;
}
const parsedValue = serializeColor(value);
if (!parsedValue) {
return;
}
return [colorProp, parsedValue];
}
case AST_TYPES.GLOBAL_KEYWORD: {
return name;
}
case AST_TYPES.IDENTIFIER: {
if (isValidPropertyValue(widthProp, name)) {
if (parsedValues.has(widthProp)) {
return;
}
return [widthProp, name];
} else if (isValidPropertyValue(styleProp, name)) {
if (parsedValues.has(styleProp)) {
return;
}
return [styleProp, name];
} else if (isValidPropertyValue(colorProp, name)) {
if (parsedValues.has(colorProp)) {
return;
}
return [colorProp, name];
}
break;
}
default:
}
}
module.exports = {
AST_TYPES,
hasCalcFunc,
hasVarFunc,
isGlobalKeyword,
isValidPropertyValue,
parseCSS,
parsePropertyValue,
prepareValue,
resolveBorderShorthandValue,
resolveCalc,
resolveColorValue,
resolveFunctionValue,
resolveImageValue,
resolveKeywordValue,
resolveNumericValue,
serializeAngle,
serializeColor,
serializeDimension,
serializeGradient,
serializeLength,
serializeNumber,
serializePercentage,
serializeString,
serializeURL,
splitValue
};