如何在JavaScript中动态创建CSS类并应用?


Answers:


394

尽管我不确定为什么要使用JavaScript创建CSS类,但这是一个选择:

var style = document.createElement('style');
style.type = 'text/css';
style.innerHTML = '.cssClass { color: #F00; }';
document.getElementsByTagName('head')[0].appendChild(style);

document.getElementById('someElementId').className = 'cssClass';

10
我的用例是一个书签,它突出显示了某些元素以进行质量检查。
TomG 2011年

25
可以肯定的是,这会导致IE 8及更低版本中出现未知的运行时错误。
安迪·休姆

1
我的用例是加载随机的Google网络字体,然后为randomFont类提供font-family :-)
w00t

26
另一个用例是您需要一个不依赖CSS文件的JS库。就我而言,我想开箱即用的轻量级咆哮风格警报弹出窗口。
xeolabs

1
我正在做类似w00t的事情。我正在开发一个交互式html5应用程序,该应用程序将在画布上书写文字,我希望用户可以从多种字体中进行选择。我计划创建一个后端,而不是使用所有字体的通用CSS,而只在该后端上载字体数据,并且每当加载程序时,对Web服务的一个小小的调用都会带来字体并添加它们
CJLopez

117

找到了一个更好的解决方案,该解决方案可在所有浏览器上使用。
使用document.styleSheet添加或替换规则。可接受的答案简短易用,但这适用于IE8以及更少的版本。

function createCSSSelector (selector, style) {
  if (!document.styleSheets) return;
  if (document.getElementsByTagName('head').length == 0) return;

  var styleSheet,mediaType;

  if (document.styleSheets.length > 0) {
    for (var i = 0, l = document.styleSheets.length; i < l; i++) {
      if (document.styleSheets[i].disabled) 
        continue;
      var media = document.styleSheets[i].media;
      mediaType = typeof media;

      if (mediaType === 'string') {
        if (media === '' || (media.indexOf('screen') !== -1)) {
          styleSheet = document.styleSheets[i];
        }
      }
      else if (mediaType=='object') {
        if (media.mediaText === '' || (media.mediaText.indexOf('screen') !== -1)) {
          styleSheet = document.styleSheets[i];
        }
      }

      if (typeof styleSheet !== 'undefined') 
        break;
    }
  }

  if (typeof styleSheet === 'undefined') {
    var styleSheetElement = document.createElement('style');
    styleSheetElement.type = 'text/css';
    document.getElementsByTagName('head')[0].appendChild(styleSheetElement);

    for (i = 0; i < document.styleSheets.length; i++) {
      if (document.styleSheets[i].disabled) {
        continue;
      }
      styleSheet = document.styleSheets[i];
    }

    mediaType = typeof styleSheet.media;
  }

  if (mediaType === 'string') {
    for (var i = 0, l = styleSheet.rules.length; i < l; i++) {
      if(styleSheet.rules[i].selectorText && styleSheet.rules[i].selectorText.toLowerCase()==selector.toLowerCase()) {
        styleSheet.rules[i].style.cssText = style;
        return;
      }
    }
    styleSheet.addRule(selector,style);
  }
  else if (mediaType === 'object') {
    var styleSheetLength = (styleSheet.cssRules) ? styleSheet.cssRules.length : 0;
    for (var i = 0; i < styleSheetLength; i++) {
      if (styleSheet.cssRules[i].selectorText && styleSheet.cssRules[i].selectorText.toLowerCase() == selector.toLowerCase()) {
        styleSheet.cssRules[i].style.cssText = style;
        return;
      }
    }
    styleSheet.insertRule(selector + '{' + style + '}', styleSheetLength);
  }
}

功能使用如下。

createCSSSelector('.mycssclass', 'display:none');

2
确认使用IE8。我确实必须在mediaType for循环ifs中添加“ styleSheet.cssRules [i] .selectorText &&”和“ styleSheet.rules [i] .selectorText &&”,因为它在Chrome中不起作用,显然有时候selectorText不是没有定义。
w00t 2012年

@ w00t您能否粘贴或编辑代码以使其正常工作?
横街

我刚刚打开Chrome(版本34.0.1847.132)并粘贴了函数并执行了它,但是它不起作用:“ TypeError:无法读取null的属性'length'。从开发者控制台创建它可能不起作用吗?
dnuske 2014年

事实证明,某些版本的chrome(或Chrome)不允许在索引0上插入insertRule。这是解决方法:styleSheet.insertRule(selector“”“”“
dnuske,2014年

1
@dnuske我遇到了同样的问题。事实证明styleSheet.cssRules的计算结果为null。我使用的解决方法是创建一个新变量,var styleSheetLength = styleSheet.cssRules ? styleSheet.cssRules.length : 0并将其用法替换为函数的实现。
Raj Nathani 2014年

27

简短的答案,这与“所有浏览器”(特别是IE8 / 7)兼容:

function createClass(name,rules){
    var style = document.createElement('style');
    style.type = 'text/css';
    document.getElementsByTagName('head')[0].appendChild(style);
    if(!(style.sheet||{}).insertRule) 
        (style.styleSheet || style.sheet).addRule(name, rules);
    else
        style.sheet.insertRule(name+"{"+rules+"}",0);
}
createClass('.whatever',"background-color: green;");

最后一点将类应用于元素:

function applyClass(name,element,doRemove){
    if(typeof element.valueOf() == "string"){
        element = document.getElementById(element);
    }
    if(!element) return;
    if(doRemove){
        element.className = element.className.replace(new RegExp("\\b" + name + "\\b","g"));
    }else{      
        element.className = element.className + " " + name;
    }
}

这也是一个小测试页:https : //gist.github.com/shadybones/9816763

关键一点是,样式元素具有“ styleSheet” /“ sheet”属性,可用于在其中添加/删除规则。


这样每次创建类时都会创建一个新的“样式”元素吗?因此,如果我要基于数据在for循环中创建1000多个类,则需要将document.head.appendChild应用1000次?
bluejayke

对我来说,chrome style.sheet和style.styleSheet不存在
bluejayke


7

YUI到目前为止是我见过的最好的样式表实用程序。我鼓励您检查一下,但是有一个味道:

// style element or locally sourced link element
var sheet = YAHOO.util.StyleSheet(YAHOO.util.Selector.query('style',null,true));

sheet = YAHOO.util.StyleSheet(YAHOO.util.Dom.get('local'));


// OR the id of a style element or locally sourced link element
sheet = YAHOO.util.StyleSheet('local');


// OR string of css text
var css = ".moduleX .alert { background: #fcc; font-weight: bold; } " +
          ".moduleX .warn  { background: #eec; } " +
          ".hide_messages .moduleX .alert, " +
          ".hide_messages .moduleX .warn { display: none; }";

sheet = new YAHOO.util.StyleSheet(css);

显然,还有其他更简单的即时更改样式的方法,例如此处建议的方法。如果它们对您的问题有意义,那么可能是最好的选择,但是绝对有理由为什么修改css是更好的解决方案。最明显的情况是需要修改大量元素时。另一个主要情况是,如果需要样式更改以涉及级联。使用dom修改元素将始终具有更高的优先级。它是大锤的方法,等效于直接在html元素上使用style属性。这并不总是想要的效果。


5

从IE 9开始,您现在可以加载文本文件并设置style.innerHTML属性。因此,基本上,您现在可以通过ajax加载css文件(并获取回调),然后像这样在样式标签内设置文本。

在其他浏览器中也可以使用,但不确定要追溯多久。但是,只要您不需要支持IE8,它就可以工作。

// RESULT: doesn't work in IE8 and below. Works in IE9 and other browsers.
$(document).ready(function() {
    // we want to load the css as a text file and append it with a style.
    $.ajax({
        url:'myCss.css',
        success: function(result) {
            var s = document.createElement('style');
            s.setAttribute('type', 'text/css');
            s.innerHTML = result;
            document.getElementsByTagName("head")[0].appendChild(s);
        },
        fail: function() {
            alert('fail');
        }
    })
});

然后可以让它拉出一个外部文件,例如myCss.css

.myClass { background:#F00; }

5

这是Vishwanath的解决方案,用注释进行了稍微重写:

function setStyle(cssRules, aSelector, aStyle){
    for(var i = 0; i < cssRules.length; i++) {
        if(cssRules[i].selectorText && cssRules[i].selectorText.toLowerCase() == aSelector.toLowerCase()) {
            cssRules[i].style.cssText = aStyle;
            return true;
        }
    }
    return false;
}

function createCSSSelector(selector, style) {
    var doc = document;
    var allSS = doc.styleSheets;
    if(!allSS) return;

    var headElts = doc.getElementsByTagName("head");
    if(!headElts.length) return;

    var styleSheet, media, iSS = allSS.length; // scope is global in a function
    /* 1. search for media == "screen" */
    while(iSS){ --iSS;
        if(allSS[iSS].disabled) continue; /* dont take into account the disabled stylesheets */
        media = allSS[iSS].media;
        if(typeof media == "object")
            media = media.mediaText;
        if(media == "" || media=='all' || media.indexOf("screen") != -1){
            styleSheet = allSS[iSS];
            iSS = -1;   // indication that media=="screen" was found (if not, then iSS==0)
            break;
        }
    }

    /* 2. if not found, create one */
    if(iSS != -1) {
        var styleSheetElement = doc.createElement("style");
        styleSheetElement.type = "text/css";
        headElts[0].appendChild(styleSheetElement);
        styleSheet = doc.styleSheets[allSS.length]; /* take the new stylesheet to add the selector and the style */
    }

    /* 3. add the selector and style */
    switch (typeof styleSheet.media) {
    case "string":
        if(!setStyle(styleSheet.rules, selector, style));
            styleSheet.addRule(selector, style);
        break;
    case "object":
        if(!setStyle(styleSheet.cssRules, selector, style));
            styleSheet.insertRule(selector + "{" + style + "}", styleSheet.cssRules.length);
        break;
    }

4

一个可以帮助您完成任务的有趣项目是JSS

JSS是CSS的更好抽象。它使用JavaScript作为一种以声明性和可维护的方式描述样式的语言。它是一种高性能JS到CSS的编译器,可在运行时在浏览器和服务器端运行。

JSS库允许您使用该.attach()函数插入DOM / head部分。

替换在线版本以进行评估。

有关JSS的更多信息

一个例子:

// Use plugins.
jss.use(camelCase())

// Create your style.
const style = {
  myButton: {
    color: 'green'
  }
}

// Compile styles, apply plugins.
const sheet = jss.createStyleSheet(style)

// If you want to render on the client, insert it into DOM.
sheet.attach()

3

使用谷歌关闭:

您可以只使用ccsom模块:

goog.require('goog.cssom');
var css_node = goog.cssom.addCssText('.cssClass { color: #F00; }');

将css节点放入文档头时,javascript代码会尝试成为跨浏览器。


3

https://jsfiddle.net/xk6Ut/256/

在JavaScript中动态创建和更新CSS类的一种选择:

  • 使用样式元素创建CSS部分
  • 为样式元素使用ID,以便我们更新CSS

.....

function writeStyles(styleName, cssText) {
    var styleElement = document.getElementById(styleName);
    if (styleElement) 
             document.getElementsByTagName('head')[0].removeChild(
        styleElement);
    styleElement = document.createElement('style');
    styleElement.type = 'text/css';
    styleElement.id = styleName;
    styleElement.innerHTML = cssText;
    document.getElementsByTagName('head')[0].appendChild(styleElement);
}

...

    var cssText = '.testDIV{ height:' + height + 'px !important; }';
    writeStyles('styles_js', cssText)

1

仔细查看答案,最明显,最直接的方法缺失了:document.write()用来写出所需的CSS块。

这是一个示例(在codepen上查看它:http : //codepen.io/ssh33/pen/zGjWga ):

<style>
   @import url(http://fonts.googleapis.com/css?family=Open+Sans:800);
   .d, body{ font: 3vw 'Open Sans'; padding-top: 1em; }
   .d {
       text-align: center; background: #aaf;
       margin: auto; color: #fff; overflow: hidden; 
       width: 12em; height: 5em;
   }
</style>

<script>
   function w(s){document.write(s)}
   w("<style>.long-shadow { text-shadow: ");
   for(var i=0; i<449; i++) {
      if(i!= 0) w(","); w(i+"px "+i+"px #444");
   }
   w(";}</style>");
</script> 

<div class="d">
    <div class="long-shadow">Long Shadow<br> Short Code</div>
</div>

很好,除非您需要在页面加载后创建CSS规则或正在使用XHTML。
Tim Down'7

1
function createCSSClass(selector, style, hoverstyle) 
{
    if (!document.styleSheets) 
    {
        return;
    }

    if (document.getElementsByTagName("head").length == 0) 
    {

        return;
    }
    var stylesheet;
    var mediaType;
    if (document.styleSheets.length > 0) 
    {
        for (i = 0; i < document.styleSheets.length; i++) 
        {
            if (document.styleSheets[i].disabled) 
            {
                continue;
            }
            var media = document.styleSheets[i].media;
            mediaType = typeof media;

            if (mediaType == "string") 
            {
                if (media == "" || (media.indexOf("screen") != -1)) 
                {
                    styleSheet = document.styleSheets[i];
                }
            } 
            else if (mediaType == "object") 
            {
                if (media.mediaText == "" || (media.mediaText.indexOf("screen") != -1)) 
                {
                    styleSheet = document.styleSheets[i];
                }
            }

            if (typeof styleSheet != "undefined") 
            {
                break;
            }
        }
    }

    if (typeof styleSheet == "undefined") {
        var styleSheetElement = document.createElement("style");
        styleSheetElement.type = "text/css";
        document.getElementsByTagName("head")[0].appendChild(styleSheetElement);
        for (i = 0; i < document.styleSheets.length; i++) {
            if (document.styleSheets[i].disabled) {
                continue;
            }
            styleSheet = document.styleSheets[i];
        }

        var media = styleSheet.media;
        mediaType = typeof media;
    }

    if (mediaType == "string") {
        for (i = 0; i < styleSheet.rules.length; i++) 
        {
            if (styleSheet.rules[i].selectorText.toLowerCase() == selector.toLowerCase()) 
            {
                styleSheet.rules[i].style.cssText = style;
                return;
            }
        }

        styleSheet.addRule(selector, style);
    }
    else if (mediaType == "object") 
    {
        for (i = 0; i < styleSheet.cssRules.length; i++) 
        {
            if (styleSheet.cssRules[i].selectorText.toLowerCase() == selector.toLowerCase()) 
            {
                styleSheet.cssRules[i].style.cssText = style;
                return;
            }
        }

        if (hoverstyle != null) 
        {
            styleSheet.insertRule(selector + "{" + style + "}", 0);
            styleSheet.insertRule(selector + ":hover{" + hoverstyle + "}", 1);
        }
        else 
        {
            styleSheet.insertRule(selector + "{" + style + "}", 0);
        }
    }
}





createCSSClass(".modalPopup  .header",
                                 " background-color: " + lightest + ";" +
                                  "height: 10%;" +
                                  "color: White;" +
                                  "line-height: 30px;" +
                                  "text-align: center;" +
                                  " width: 100%;" +
                                  "font-weight: bold; ", null);

如果文档上没有当前样式表,该
怎么办

1

这是我的模块化解决方案:

var final_style = document.createElement('style');
final_style.type = 'text/css';

function addNewStyle(selector, style){
  final_style.innerHTML += selector + '{ ' + style + ' } \n';
};

function submitNewStyle(){
  document.getElementsByTagName('head')[0].appendChild(final_style);

  final_style = document.createElement('style');
  final_style.type = 'text/css';
};

function submitNewStyleWithMedia(mediaSelector){
  final_style.innerHTML = '@media(' + mediaSelector + '){\n' + final_style.innerHTML + '\n};';
    submitNewStyle();
};

您基本上可以在代码中的任何地方执行:
addNewStyle('body', 'color: ' + color1);,其中color1定义了变量。

如果要“发布”当前的CSS文件,只需执行submitNewStyle()
然后以后仍可以添加更多CSS。

如果要通过“媒体查询”添加它,则可以选择。
在“ addingNewStyles”之后,您只需使用submitNewStyleWithMedia('min-width: 1280px');


这对我的用例非常有用,因为我正在根据当前时间更改公共(而非我的)网站的CSS。在使用“活动”脚本之前,我提交了一个CSS文件,然后提交了其余文件(使网站看起来有点像通过访问元素之前的样子querySelector)。


我今天要尝试一下。让您知道这在我的用例中如何工作。手指交叉!!!!
lopezdp

0

为了搜索者的利益;如果您使用的是jQuery,则可以执行以下操作:

var currentOverride = $('#customoverridestyles');

if (currentOverride) {
 currentOverride.remove();
}

$('body').append("<style id=\"customoverridestyles\">body{background-color:pink;}</style>");

显然,您可以将内部CSS更改为所需的任何内容。

赞赏一些人喜欢纯JavaScript,但是它可以工作并且对于动态编写/覆盖样式非常健壮。


0

我在这里查看了一些答案,但找不到任何可以自动添加新样式表的东西,如果不添加,或者只是简单地修改已经包含所需样式的现有样式表,那么我做了一个新功能(应该在所有浏览器上都可以使用,尽管未经测试,但使用addRule,并且除了仅基本的本机JavaScript外,请让我知道它是否可以正常工作):

function myCSS(data) {
    var head = document.head || document.getElementsByTagName("head")[0];
    if(head) {
        if(data && data.constructor == Object) {
            for(var k in data) {
                var selector = k;
                var rules = data[k];

                var allSheets = document.styleSheets;
                var cur = null;

                var indexOfPossibleRule = null,
                    indexOfSheet = null;
                for(var i = 0; i < allSheets.length; i++) {
                    indexOfPossibleRule = findIndexOfObjPropInArray("selectorText",selector,allSheets[i].cssRules);
                    if(indexOfPossibleRule != null) {
                        indexOfSheet = i;
                        break;
                    }
                }

                var ruleToEdit = null;
                if(indexOfSheet != null) {

                    ruleToEdit = allSheets[indexOfSheet].cssRules[indexOfPossibleRule];

                } else {
                    cur = document.createElement("style");
                    cur.type =  "text/css";
                    head.appendChild(cur);
                    cur.sheet.addRule(selector,"");
                    ruleToEdit = cur.sheet.cssRules[0];
                    console.log("NOPE, but here's a new one:", cur);
                }
                applyCustomCSSruleListToExistingCSSruleList(rules, ruleToEdit, (err) => {
                    if(err) {
                        console.log(err);
                    } else {
                        console.log("successfully added ", rules, " to ", ruleToEdit);
                    }
                });
            }
        } else {
            console.log("provide one paramter as an object containing the cssStyles, like: {\"#myID\":{position:\"absolute\"}, \".myClass\":{background:\"red\"}}, etc...");
        }
    } else {
        console.log("run this after the page loads");
    }

};  

然后只需在上述函数内部或其他任何地方添加以下2个辅助函数:

function applyCustomCSSruleListToExistingCSSruleList(customRuleList, existingRuleList, cb) {
    var err = null;
    console.log("trying to apply ", customRuleList, " to ", existingRuleList);
    if(customRuleList && customRuleList.constructor == Object && existingRuleList && existingRuleList.constructor == CSSStyleRule) {
        for(var k in customRuleList) {
            existingRuleList["style"][k] = customRuleList[k];
        }

    } else {
        err = ("provide first argument as an object containing the selectors for the keys, and the second argument is the CSSRuleList to modify");
    }
    if(cb) {
        cb(err);
    }
}

function findIndexOfObjPropInArray(objPropKey, objPropValue, arr) {
    var index = null;
    for(var i = 0; i < arr.length; i++) {
        if(arr[i][objPropKey] == objPropValue) {
            index = i;
            break;
        }
    }
    return index;
}

(请注意,由于CSS样式/规则列表类仅具有length属性,并且没有.filter方法,因此在这两种方法中我都使用for循环而不是.filter。)

然后调用它:

myCSS({
    "#coby": {
        position:"absolute",
        color:"blue"
    },
    ".myError": {
        padding:"4px",
        background:"salmon"
    }
})

让我知道它是否适用于您的浏览器或出现错误。

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.