Writing efficient CSS(編寫高效的CSS)

文章相關鏈接:

原文鏈接: Mathew Carella   翻譯: 伯樂在線 yanhaijing

譯文鏈接: http://blog.jobbole.com/55067/

MDN:https://developer.mozilla.org/zh-CN/docs/CSS/Writing_Efficient_CSS

==========================================================

編寫好的CSS代碼,有助提升頁面的渲染速度。本質上,引擎需要解析的CSS規則越少,性能越好。MDN上將CSS選擇符歸類成四個主要類別,如下所示,性能依次降低。

  1. ID 規則
  2. Class 規則
  3. 標籤規則
  4. 通用規則
編寫高性能的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:

<ulid="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 a{..}


使用複合(緊湊)語法

儘可能使用複合語法。

// 糟糕
.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:20px10px 20px 10px;
 background:#000url(../imgs/carrot.png)repeat-xbottom;
}


避免不必要的命名空間

// 糟糕
.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:
        2px2px 2px #000,
        1px4px 1px 1px #ddd inset;
}










發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章