checkbox
自定义控件概述
这个控件属于html自带的控件,本身有样式。在制作这样的控件时,需要CSS
和javascript
两方面共同努力,才能实现全新的控件样式:CSS
覆盖原有的样式、实现新的样式;JS
实现点击等动作的动态显示。我们先看HTML结构,再一步步看CSS
代码。
radio
控件和checkbox
控件的定义方式也是一样的流程。下面是checkbox
的最终两种效果图:
HTML
代码
<div class="input_custom">
<div class="custom-checkbox">
<input name="signup" type="checkbox" checked id="checkbox1" >
<label for="checkbox1" class="checked">Checked</label>
</div>
<div class="custom-checkbox">
<input name="signup" type="checkbox" id="checkbox2" >
<label for="checkbox2" >Unchecked</label>
</div>
<div class="checkbox-large">
<div class="custom-checkbox">
<input name="signup" type="checkbox" id="checkbox3" >
<label for="checkbox3" ></label>
</div>
</div>
<div class="checkbox-large">
<div class="custom-checkbox">
<input name="signup" type="checkbox" checked id="checkbox4" >
<label for="checkbox4" ></label>
</div>
</div>
</div>
input
的id
和label
的for
值需要设置,并且需要一致,主要用于后面的javascript
,在下文谈到javascript
的时候再说。
CSS
代码
-
设置
custom-checkbox
相对布局,并且对浏览器自带的checkbox
样式进行处理。.custom-checkbox { position:relative;} .custom-checkbox input,.custom-radio input { display: none;}
-
全新的
custom-checkbox
主要是使用label来显示文字,并通过右移label,把新的check-box样式显示出来,这里主要把新的custom-chekbox
用于label背景,我们看看是怎么做的,具体看代码的注释。.custom-checkbox label { display:block; //设置为块级元素,否则显示会有问题 height:27px; line-height:27px; //通过行高和高度的设置,保证文字垂直居中 padding-left:36px; //将label的文字右移,为新的custom-chekbox样式预留空间 margin-bottom:8px; cursor:pointer; //修改鼠标显示样式 color:#6f6f6f; }
-
放置新的
custom-checkbox
样式,并依据是否选中,设置不同的background-position
,以显示不同状态下的custom-checkbox
。.custom-checkbox label { background:url(images/styled_checkbox.png) no-repeat; background-position:-7px -10px; //custom-checkbox未选中状态 } .custom-checkbox label.checked { background-position:-7px -110px; //custom-checkbox选中状态 color:#5c5c5c; }
-
另一种样式的
custom-checkbox
。.checkbox-large .custom-checkbox label { background:url(images/styled_checkbox_large.png) no-repeat; height: 37px; line-height: 33px; padding-left:95px; background-position:0 0; //custom-checkbox未选中状态 } .checkbox-large .custom-checkbox label.checked { background-position:0 -100px; //custom-checkbox选中状态 }
javascript
代码
javascript
代码主要响应用户的点击。这里面使用了jquery
(或者更小的,通常移动端使用的,jquery替代版本——zepto.js
)。这里使用jquery
,主要是因为方便。当然,你也可以直接通过DOM
操作来实现这里的功能,不过要稍微麻烦一些。
这里的javascript
的思路就是依据input的checked状态,动态地为label添加checked类或者移除checked类。我们来看一下代码:
$('div[class=input_custom] input').each(function(){ //选择合适的input元素
if($(this).is('[type=checkbox],[type=radio]')){ //此处的代码也适合自定义radio按钮
var input = $(this);
var label = $('label[for='+input.attr('id')+']'); //还记得上面的html代码吗?此处就用到了input的id和label的for
input.bind('updateState', function(){
input.is(':checked') ? label.addClass('checked') : label.removeClass('checked'); })
.trigger('updateState')
.click(function(){ $('input[name='+ $(this).attr('name') +']').trigger('updateState'); });//绑定点击事件
}
});