给一个HTML元素设置css属性,如 复制代码 代码如下: var head= document.getElementById("head"); head.style.width = "200px"; head.style.height = "70px"; head.style.display = "block"; 这样写太罗嗦了,为了简单些写个工具函数,如 复制代码 代码如下: function setStyle(obj,css){ for(var atr in css){ obj.style[atr] = css[atr]; } } var head= document.getElementById("head"); setStyle(head,{width:"200px",height:"70px",display:"block"}) 发现 Google API 中使用了cssText属性,后在各浏览器中测试都通过了。一行代码即可,实在很妙。如复制代码 代码如下: var head= document.getElementById("head"); head.style.cssText="width:200px;height:70px;display:bolck"; 和innerHTML一样,cssText很快捷且所有浏览器都支持。此外当批量操作样式时,cssText只需一次reflow,提高了页面渲染性能。 但cssText也有个缺点,会覆盖之前的样式。如 复制代码 代码如下: <div style="color:red;">TEST</div> 想给该div在添加个css属性width 复制代码 代码如下: div.style.cssText = "width:200px;"; 这时虽然width应用上了,但之前的color被覆盖丢失了。因此使用cssText时应该采用叠加的方式以保留原有的样式。 复制代码 代码如下: function setStyle(el, strCss){ var sty = el.style; sty.cssText = sty.cssText + strCss; } 使用该方法在IE9/Firefox/Safari/Chrome/Opera中没什么问题,但由于 IE6/7/8中cssText返回值少了分号 会让你失望。 因此对IE6/7/8还需单独处理下,如果cssText返回值没";"则补上 复制代码 代码如下:function setStyle(el, strCss){ function endsWith(str, suffix) { var l = str.length - suffix.length; return l >= 0 && str.indexOf(suffix, l) == l; } var sty = el.style, cssText = sty.cssText; if(!endsWith(cssText, ';')){ cssText += ';'; } sty.cssText = cssText + strCss; }
相关:http://www.w3.org/TR/DOM-Level-2-Style/css.html#CSS-CSSStyleDeclarationhttps://developer.mozilla.org/en/DOM/CSSStyleDeclaration
推荐阅读
基于jquery的地址栏射击游戏代码
演示地址:http://demo.jb51.net/js/2011/hunt/index.htm玩法向下看 请看地址栏上的字母 O! 你使用O来向 a射击。 使用键盘上的 左箭头 和 右箭头 移动字母O. 当O移动到 a 上时,按 空格键射击! 游戏会定时30秒时间,>>>详细阅读
本文标题:js中巧用cssText属性批量操作样式
地址:http://www.17bianji.com/kaifa2/JS/24823.html
1/2 1