有时候在写 CSS 的过程中,某些限制总是不起作用,这就涉及了 CSS 样式覆盖的问题,如下:
- #navigator {
- height: 100%;
- width: 200;
- position: absolute;
- left: 0;
- border: solid 2 #EEE;
- }
- .current_block {
- border: solid 2 #AE0;
- }
查找一些教材中(w3schools 等),只说 css 的顺序是“元素上的 style” > “文件头上的 style 元素” >“外部样式文件”,但对于样式文件中的多个相同样式的优先级怎样排列,没有详细说明。经过测试和继续搜索,得知优先级如下排列:
1. 样式表的元素选择器选择越精确,则其中的样式优先级越高。
id 选择器指定的样式 > 类选择器指定的样式 > 元素类型选择器指定的样式
所以上例中,#navigator 的样式优先级大于.current_block 的优先级,即使.current_block 是最新添加的,也不起作用。
2. 对于相同类型选择器指定的样式,在样式表文件中,越靠后的优先级越高。
注意,这里是样式表文件中越靠后的优先级越高,而不是在元素 class 出现的顺序。比如.class2 在样式表中出现在.class1 之后:
- .class1 {
- color: black;
- }
- .class2 {
- color: red;
- }
而某个元素指定 class 时采用 class=”class2 class1″这种方式指定,此时虽然 class1 在元素中指定时排在 class2 的后面,但因为在样式表文件中 class1 处于 class2 前面,此时仍然是 class2 的优先级更高,color 的属性为 red,而非 black。
3. 如果要让某个样式的优先级变高,可以使用!important 来指定。
- .class1 {
- color: black !important;
- }
- .class2 {
- color: red;
- }
解决方案:
此时 class 将使用 black,而非 red。
对于一开始遇到的问题,有两种解决方案:
1. 将 border 从#navigator 中拿出来,放到一个 class .block 中,而.block 放到.current_block 之前:
- #navigator {
- height: 100%;
- width: 200;
- position: absolute;
- left: 0;
- }
- .block {
- border: solid 2 #EEE;
- }
- .current_block {
- border: solid 2 #AE0;
- }
需要默认为#navigator 元素指定 class=”block”
2. 使用!important:
- #navigator {
- height: 100%;
- width: 200;
- position: absolute;
- left: 0;
- border: solid 2 #EEE;
- }
- .current_block {
- border: solid 2 #AE0 !important;
- }
此时无需作任何其他改动即可生效。可见第二种方案更简单一些。