我在样式表中设置了一些CSS自定义属性:
:root {
--bc: #fff;
--bc-primary: #eee;
--bc-secondary: #ddd;
}
如果我已经知道CSS变量的名称,我可以单独检索它们:
console.log(getComputedStyle(document.body).getPropertyValue('--bc'));
// #fff
但如果我想提取一系列CSS变量及其值,那该怎么做?
答案 0 :(得分:9)
一种可能的解决方案是解析document.styleSheets
,然后将规则拆分为属性/值
var allCSS = [].slice.call(document.styleSheets)
.reduce(function(prev, styleSheet) {
if (styleSheet.cssRules) {
return prev + [].slice.call(styleSheet.cssRules)
.reduce(function(prev, cssRule) {
if (cssRule.selectorText == ':root') {
var css = cssRule.cssText.split('{');
css = css[1].replace('}','').split(';');
for (var i = 0; i < css.length; i++) {
var prop = css[i].split(':');
if (prop.length == 2 && prop[0].indexOf('--') == 1) {
console.log('Property name: ', prop[0]);
console.log('Property value:', prop[1]);
}
}
}
}, '');
}
}, '');
:root {
--bc: #fff;
--bc-primary: #eee;
--bc-secondary: #ddd;
}
答案 1 :(得分:0)
基于LGSon的answer,此处有些类似,但使用map
,filter
和flat
使逐行阅读更容易
const variables = [].slice.call(document.styleSheets)
.map(styleSheet => [].slice.call(styleSheet.cssRules))
.flat()
.filter(cssRule => cssRule.selectorText === ':root')
.map(cssRule => cssRule.cssText.split('{')[1].split('}')[0].trim().split(';'))
.flat()
.filter(text => text !== "")
.map(text => text.split(':'))
.map(parts => ({key: parts[0].trim(), value: parts[1].trim() }))
;
console.log(variables);
:root {
--foo: #fff;
--bar: #aaa
}
答案 2 :(得分:0)
感谢@Ason 和@mvndaai。我个人喜欢这种格式:
const variables = [].slice.call(document.styleSheets)
.map((styleSheet) => [].slice.call(styleSheet.cssRules))
.flat()
.filter((cssRule) => cssRule.selectorText === ':root')
.map((cssRule) => cssRule.cssText.split('{')[1].split('}')[0].trim().split(';'))
.flat()
.filter((text) => text !== '')
.map((text) => text.split(':'))
.map((parts) => parts[0].trim() + ': ' + parts[1].trim())
;
console.log(variables.join('\n'));
:root {
--foo: #fff;
--bar: #aaa
}