编写好的css代码,有助提升页面的渲染速度。
本质上,引擎需要解析的css规则越少,性能越好。
mdn上将css选择符归类成四个主要类别,如下所示,性能依次降低。
1.id 规则
2.class 规则
3.标签规则
4.通用规则
对效率的普遍认识是从steve souders在2009年出版的《高性能网站建设进阶指南》开始,虽然该书中罗列的更加详细,但你也可以在这里查看完整的引用列表,也可以在谷歌的《高效css选择器的最佳实践》中查看更多的细节。
本文我想分享一些我在编写高性能css中用到的简单例子和指南。这些都是受到mdn 编写的高效css指南的启发,并遵循类似的格式。
一、避免过度约束
一条普遍规则,不要添加不必要的约束。
复制代码 代码示例:
// 糟糕
ul#someid {..}
.menu#otherid{..}
// 好的
#someid {..}
#otherid {..}
二、后代选择符最烂
不仅性能低下而且代码很脆弱,html代码和css代码严重耦合,html代码结构发生变化时,css也得修改,这是多么糟糕,特别是在大公司里,写html和css的往往不是同一个人。
复制代码 代码示例:
// 烂透了
html div tr td {..}
三、避免链式(交集)选择符
这和过度约束的情况类似,创建一个新的css类选择符。
复制代码 代码示例:
// 糟糕
.menu.left.icon {..}
// 好的
.menu-left-icon {..}
四、坚持kiss原则
有如下的dom:
复制代码 代码示例:
<ul id="navigator">
<li><a href="#" class="twitter">twitter</a></li>
<li><a href="#" class="facebook">facebook</a></li>
<li><a href="#" class="dribble">dribbble</a></li>
</ul>
下面是对应的规则……
复制代码 代码示例:
// 糟糕
#navigator li a {..}
// 好的
#navigator {..}
五、使用复合(紧凑)语法
尽可能使用复合语法。
复制代码 代码示例:
// 糟糕
.someclass {
padding-top: 20px;
padding-bottom: 20px;
padding-left: 10px;
padding-right: 10px;
background: #000;
background-image: url(../imgs/carrot.png);
background-position: bottom;
background-repeat: repeat-x;
}
// 好的
.someclass {
padding: 20px 10px 20px 10px;
background: #000 url(../imgs/carrot.png) repeat-x bottom;
}
六、避免不必要的命名空间
复制代码 代码示例:
// 糟糕
.someclass table tr.otherclass td.somerule {..}
//好的
.someclass .otherclass td.somerule {..}
七、避免不必要的重复
尽可能组合重复的规则。
复制代码 代码示例:
// 糟糕
.someclass {
color: red;
background: blue;
font-size: 15px;
}
.otherclass {
color: red;
background: blue;
font-size: 15px;
}
// 好的
.someclass, .otherclass {
color: red;
background: blue;
font-size: 15px;
}
八、尽可能精简规则
在上面规则的基础上,可以进一步合并不同类里的重复的规则。
复制代码 代码示例:
// 糟糕
.someclass {
color: red;
background: blue;
height: 150px;
width: 150px;
font-size: 16px;
}
.otherclass {
color: red;
background: blue;
height: 150px;
width: 150px;
font-size: 8px;
}
// 好的
.someclass, .otherclass {
color: red;
background: blue;
height: 150px;
width: 150px;
}
.someclass {
font-size: 16px;
}
.otherclass {
font-size: 8px;
}
九、避免不明确的命名约定
最好使用表示语义的名字。一个好的css类名应描述它是什么而不是它像什么。
十、避免 !importants
其实你应该也可以使用其他优质的选择器。
十一、遵循一个标准的声明顺序
虽然有一些排列css属性顺序常见的方式。
复制代码 代码示例:
.someclass {
/* positioning */
/* display & box model */
/* background and typography styles */
/* transitions */
/* other */
}
十二、组织好的代码格式
代码的易读性和易维护性成正比。
复制代码 代码示例:
// 糟糕
.someclass-a, .someclass-b, .someclass-c, .someclass-d {
...
}
// 好的
.someclass-a,
.someclass-b,
.someclass-c,
.someclass-d {
...
}
// 好的做法
.someclass {
background-image:
linear-gradient(#000, #ccc),
linear-gradient(#ccc, #ddd);
box-shadow:
2px 2px 2px #000,
1px 4px 1px 1px #ddd inset;
}
显然,这里只讲述了少数的规则,是我在我自己的css中,本着更高效和更易维护性而尝试遵循的规则。
如果你想阅读更多的知识,我建议阅读mdn上的编写高效的css和谷歌的优化浏览器渲染指南。
以上介绍了css代码优化的12个技巧,希望对大家有所帮助。