今天群里有人问到怎么自定义select下拉选择框的样式,于是群里就展开了激烈的讨论,刚开始一直就是考虑怎样使用纯CSS实现,把浏览器默认的样式覆盖掉,但最后均因兼容问题处理不好而失败告终,最后的解决方案就是用其他的元素(如ul,li)模拟下拉菜单,或者是使用网上一些现成的插件。
其实select这个东西只靠纯CSS是不能解决这个自定义样式问题的,但既然折腾了这么久,还是说一下CSS实现的思路吧。
首先对于默认的样式:
刚开始想到使用背景,但经试验对select设置背景是无效的,于是后来就想到了覆盖,用其它元素把那个向下的箭头盖住,然后给这个元素设置背景,写了个demo发现可行,于是就有了下面的这些。
首先用一个a标签套住select:
1
2
3
4
5
6
7
8
9
|
< a class = "btn-select" id = "btn_select" > < select > < option >选项一</ option > < option >选项二</ option > < option >选项三</ option > < option >选项四</ option > < option >选项五</ option > </ select > </ a > |
在css里让select“隐藏”,但不能display:none;,不然select元素不存在了,在这里我们可以把select的透明度改为0,这样就看不见了,但并不影响下拉框,点击时下拉框还会出现;这样貌似是可行了,但这是会发现每次选择选项后,选项并未显示,这就是select隐藏的原因了,连着文字也隐藏了,因此我们需要一个额外的标签储存每次选择的选项,下面是完整的HTML代码:
1
2
3
4
5
6
7
8
9
10
11
12
|
< form > < a class = "btn-select" id = "btn_select" > < span class = "cur-select" >请选择</ span > < select > < option >选项一</ option > < option >选项二</ option > < option >选项三</ option > < option >选项四</ option > < option >选项五</ option > </ select > </ a > </ form > |
CSS代码:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
|
* { margin : 0 ; padding : 0 ; } body { padding : 50px 50px ; } .btn-select { position : relative ; display : inline- block ; width : 150px ; height : 25px ; background-color : #f80 ; font : 14px / 20px "Microsoft YaHei" ; color : #fff ; } .btn-select .cur-select { position : absolute ; display : block ; width : 150px ; height : 25px ; line-height : 25px ; background : #f80 url (ico-arrow.png) no-repeat 125px center ; text-indent : 10px ; } .btn-select:hover .cur-select { background-color : #f90 ; } .btn-select select { position : absolute ; top : 0 ; left : 0 ; width : 150px ; height : 25px ; opacity: 0 ; filter: alpha(opacity: 0 ;); font : 14px / 20px "Microsoft YaHei" ; color : #f80 ; } .btn-select select option { text-indent : 10px ; } .btn-select select option:hover { background-color : #f80 ; color : #fff ; } |
最后效果是这样的(Chrome上的截图):
但这样做并不能完全覆盖浏览器的默认样式,如图中下拉框的边框处理不掉,另外,在ie上就更难看了,所以真正项目中使用的话,还是用插件吧,或者用其他元素代替。
到这里,本文并没有完,还要用到一段js,需要把选中的内容放到span标签里显示出来,下面是js代码:
1
2
3
4
5
6
7
8
9
10
11
12
13
|
var $$ = function (id) { return document.getElementById(id); } window.onload = function () { var btnSelect = $$( "btn_select" ); var curSelect = btnSelect.getElementsByTagName( "span" )[0]; var oSelect = btnSelect.getElementsByTagName( "select" )[0]; var aOption = btnSelect.getElementsByTagName( "option" ); oSelect.onchange = function () { var text=oSelect.options[oSelect.selectedIndex].text; curSelect.innerHTML = text; } } |
ok,终于完了。