巧用cssText属性批量操作样式

来源:互联网 发布:关于人工智能英语文章 编辑:程序博客网 时间:2024/06/07 21:45

给一个HTML元素设置css属性,如

?
1
2
3
4
varhead= document.getElementById("head");
head.style.width ="200px";
head.style.height ="70px";
head.style.display ="block";

这样写太罗嗦了,为了简单些写个工具函数,如

?
1
2
3
4
5
6
7
functionsetStyle(obj,css){
  for(varatr incss){
    obj.style[atr] = css[atr];
  }
}
varhead= document.getElementById("head");
setStyle(head,{width:"200px",height:"70px",display:"block"})

发现 Google API 中使用了cssText属性,后在各浏览器中测试都通过了。一行代码即可,实在很妙。如

?
1
2
varhead= document.getElementById("head");
head.style.cssText="width:200px;height:70px;display:bolck";

和innerHTML一样,cssText很快捷且所有浏览器都支持。此外当批量操作样式时,cssText只需一次reflow,提高了页面渲染性能。

但cssText也有个缺点,会覆盖之前的样式。如

?
1
<divstyle="color:red;">TEST</div>

想给该div在添加个css属性width

?
1
div.style.cssText = "width:200px;";

这时虽然width应用上了,但之前的color被覆盖丢失了。因此使用cssText时应该采用叠加的方式以保留原有的样式。

?
1
2
3
4
functionsetStyle(el, strCss){
    varsty = el.style;
    sty.cssText = sty.cssText + strCss;
}

使用该方法在IE9/Firefox/Safari/Chrome/Opera中没什么问题,但由于 IE6/7/8中cssText返回值少了分号 会让你失望。

因此对IE6/7/8还需单独处理下,如果cssText返回值没";"则补上

?
1
2
3
4
5
6
7
8
9
10
11
12
functionsetStyle(el, strCss){
    functionendsWith(str, suffix) {
        varl = str.length - suffix.length;
        returnl >= 0 && str.indexOf(suffix, l) == l;
    }
    varsty = el.style,
        cssText = sty.cssText;
    if(!endsWith(cssText,';')){
        cssText +=';';
    }
    sty.cssText = cssText + strCss;
}
0 0
原创粉丝点击