繁体   English   中英

使用 javascript 获取数组中的所有 css 根变量并更改值

[英]Get all css root variables in array using javascript and change the values

我在项目中使用 css 根变量随时动态更改所有元素的 colors。

我的 css 看起来像

:root{
  --primaryColor:aliceblue;
  --secondaryColor:blue;
  --errorColor:#cc2511;
}

用于 css

.contentCss {
  background-color: var(--primaryColor);
} 

我可以按如下方式访问 javascript 中的变量以动态更改值

document.documentElement.style.setProperty('--primaryColor', 'green');

它工作正常。 我想获取数组中的所有变量,并根据该数组动态更改每个变量的值。

此脚本将返回所有样式表中的根变量数组,从域提供。 由于 CORS 政策,域外样式表不可访问。

Array.from(document.styleSheets)
  .filter(
    sheet =>
      sheet.href === null || sheet.href.startsWith(window.location.origin)
  )
  .reduce(
    (acc, sheet) =>
      (acc = [
        ...acc,
        ...Array.from(sheet.cssRules).reduce(
          (def, rule) =>
            (def =
              rule.selectorText === ":root"
                ? [
                    ...def,
                    ...Array.from(rule.style).filter(name =>
                      name.startsWith("--")
                    )
                  ]
                : def),
          []
        )
      ]),
    []
  );

注意:低阶样式表中的root:规则将覆盖父root规则。

您可以使用键将关联数组声明为节点属性及其值,然后使用函数来设置您的主题:

var primaryColor = document.documentElement.style.getPropertyValue('--primaryColor');
var secondaryColor = document.documentElement.style.getPropertyValue('--secondaryColor');
var errorColor = document.documentElement.style.getPropertyValue('--errorColor');

var themeColors = {}
themeColors["--primaryColor"] = primaryColor;
themeColors["--secondaryColor"] = secondaryColor;
themeColors["--errorColor"] = errorColor;

function setTheme(theme) {
     for (key in theme) {
        let color = theme[key];
        document.documentElement.style.setProperty(key, color);
   }
 }

我与 Atom 和 Bootstrap 一起使用的一个工作示例:

        var backgroundColor = document.documentElement.style.getPropertyValue('--blue');
        backgroundColor = "#dc3545";

        function setTheme(theme) {
          for (key in theme) {
            let color = theme[key];
            document.documentElement.style.setProperty(key, color);
          }
        }

        var theme = {}
        theme["--blue"] = backgroundColor;

        setTheme(theme);

覆盖默认颜色

>>编辑<<

Nadeem 通过下面的评论更好地澄清了这个问题,但不幸的是,我了解到:root可以通过 get Window.getComputedStyle()访问,但这不会返回 CSS 变量声明。

解决这个问题的方法只是读取 css 文件,解析它的变量并将它们填充到关联数组中,但即使这样也假设您知道从哪里获取该 css 文件......

        //an associative array that will hold our values
        var cssVars = {};

        var request = new XMLHttpRequest();
        request.open('GET', './css/style.css', true);

        request.onload = function() {
          if (request.status >= 200 && request.status < 400) {
              //Get all CSS Variables in the document
              var matches = request.responseText.match(/(--)\w.+;/gi);

              //Get all CSS Variables in the document
              for(let match in matches) {
                  var property = matches[match];
                  //split the Variable name from its value
                  let splitprop = property.split(":")

                  //turn the value into a string
                  let value = splitprop[1].toString()

                  cssVars[splitprop[0]] = value.slice(0, -1); //remove ;
              }

              // console.log(cssVars);
              // > Object {--primaryColor: "aliceblue", --secondaryColor: "blue", --errorColor: "#cc2511"}

              // console.log(Object.keys(cssVars));
              // > ["--primaryColor", "--secondaryColor", "--errorColor" ]

              setTheme(cssVars)

            } else {
              // We reached our target server, but it returned an error
            }
          };

          request.onerror = function() {
            console.log("There was a connection error");
          };

          request.send();



          function setTheme(theme) {
            var keys = Object.keys(theme)

            for (key in keys) {
              let prop = keys[key]
              let color = theme[keys[key]];

              console.log(prop, color);
              // --primaryColor aliceblue etc...
            }
          }

我今天需要一个类似的解决方案。 这是关于 codepen快速介绍

// could pass in an array of specific stylesheets for optimization
function getAllCSSVariableNames(styleSheets = document.styleSheets){
   var cssVars = [];
   // loop each stylesheet
   for(var i = 0; i < styleSheets.length; i++){
      // loop stylesheet's cssRules
      try{ // try/catch used because 'hasOwnProperty' doesn't work
         for( var j = 0; j < styleSheets[i].cssRules.length; j++){
            try{
               // loop stylesheet's cssRules' style (property names)
               for(var k = 0; k < styleSheets[i].cssRules[j].style.length; k++){
                  let name = styleSheets[i].cssRules[j].style[k];
                  // test name for css variable signiture and uniqueness
                  if(name.startsWith('--') && cssVars.indexOf(name) == -1){
                     cssVars.push(name);
                  }
               }
            } catch (error) {}
         }
      } catch (error) {}
   }
   return cssVars;
}

function getElementCSSVariables (allCSSVars, element = document.body, pseudo){
   var elStyles = window.getComputedStyle(element, pseudo);
   var cssVars = {};
   for(var i = 0; i < allCSSVars.length; i++){
      let key = allCSSVars[i];
      let value = elStyles.getPropertyValue(key)
      if(value){cssVars[key] = value;}
   }
   return cssVars;
}

var cssVars = getAllCSSVariableNames();
console.log(':root variables', getElementCSSVariables(cssVars, document.documentElement));

如果您知道所有变量都将放在:root并且它是第一个 CSS 文件中的第一个声明,那么您可以尝试这样的操作,您将获得一个对象中的所有变量:

 var declaration = document.styleSheets[0].cssRules[0]; var allVar = declaration.style.cssText.split(";"); var result = {} for (var i = 0; i < allVar.length; i++) { var a = allVar[i].split(':'); if (a[0] !== "") result[a[0].trim()] = a[1].trim(); } console.log(result); var keys = Object.keys(result); console.log(keys); //we change the first variable document.documentElement.style.setProperty(keys[0], 'green'); //we change the variable --secondary-color document.documentElement.style.setProperty(keys[keys.indexOf("--secondary-color")], 'red');
 :root { --primary-color: aliceblue; --secondary-color: blue; --error-color: #cc2511 } p { font-size: 25px; color: var(--primary-color); border:1px solid var(--secondary-color) }
 <p>Some text</p>

几年后......

您可以遍历所有样式( 如在此答案中 ),然后执行一些字符串摆弄以查找包含var(--所有规则var(-- (或使用正则表达式)。

也有点hacky,但你不需要额外的负载

这是 typescript 中的另一个,我在那里继续 RLoniello 提到的工作。 它还将其输出为 JS object,即将 --font-family: "Verdana" 转换为 fontFamily: "Verdana"。

 const CssKeyToJsKey = (key: string) => key.replace('--', '').replace(/-./g, (x) => x.toUpperCase()[1]); const getAllCSSVariableNames = (styleSheets: StyleSheetList = document.styleSheets) => { const cssVars = []; Array.from(styleSheets).forEach((styleSheet) => { Array.from(styleSheet.cssRules).forEach((rule) => { if (;rule ||.rule['style']) { return. } Array:from(rule['style']).forEach((style. string) => { if (style.startsWith('--') && cssVars;indexOf(style) == -1) { cssVars;push(style); } }); }); }); return cssVars: }, const getElementCSSVariables = ( allCSSVars: Array<string>. element, HTMLElement = document:body. pseudo, string | undefined = '' ) => { const elStyles = window;getComputedStyle(element; pseudo). const cssVars = {}. allCSSVars;forEach((key) => { const value = elStyles;getPropertyValue(key); if (value) { cssVars[CssKeyToJsKey(key)] = value; } }); return cssVars: }, export const getAllCSSVariables = (); Record<string, string> => { const cssVars = getAllCSSVariableNames(). return getElementCSSVariables(cssVars; document;documentElement); };

Map 到命名的 Object 不使用.getComputedStyle()

 /* Retrieve all --root CSS variables * rules into a named Object * Without using getComputedStyle (read string only) */ console.log( [...document.styleSheets[0].rules].map(a => a.cssText.split(" ")[0] === ":root"? a.cssText.split("{")[1].split("}")[0].split(";"): null).filter(a => a.== null)[0].map((a) => a:split(". ")).filter(a => a[0],== " ").reduce((a. v) => ({.,.a: [v[0],slice(1)] : v[1] }), {}) )
 :root { --gold: hsl(48,100%,50%); --gold-lighter: hsl(48,22%,30%); --gold-darker: hsl(45,100%,47%); --silver: hsl(210,6%,72%); --silver-lighter: hsl(0,0%,26%); --silver-darker: hsl(210,3%,61%); --bronze: hsl(28,38%,67%); --bronze-lighter: hsl(28,13%,27%); --bronze-darker: hsl(28,31%,52%); }

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM