我正在尝试根据复选框显示/隐藏html表单的一部分。这是我的基本代码:
<script src="/js/jquery.js"></script>
<script language="JavaScript">
function toggle(className){
var $input = $(this);
if($(this).prop('checked'))
$(className).show();
else
$(className).hide();
}
</script>
<fieldset><legend>Check Here
<input type="checkbox" onclick="toggle('.myClass')" ></legend>
<span class="myClass">
<p>This is the text.</p>
</span>
</fieldset>
当您单击复选框时,跨度将被隐藏,并且不会再返回。我还使用了$(this).is(':checked')
。似乎$(this).prop('checked')
正在评估 false 是否已选中。我最好的猜测是我错误地使用$(this)
。我在这里缺少什么?
答案 0 :(得分:19)
HTML,从点击事件
传递this
<input type="checkbox" onclick="toggle('.myClass', this)" ></legend>
JS
function toggle(className, obj) {
var $input = $(obj);
if ($input.prop('checked')) $(className).hide();
else $(className).show();
}
或者,不使用prop
,您可以这样做:
function toggle(className, obj) {
if ( obj.checked ) $(className).hide();
else $(className).show();
}
OR,使用.toggle( display )
一行:
function toggle(className, obj) {
$(className).toggle( !obj.checked )
}
答案 1 :(得分:8)
使用不是内联的事件处理程序,然后根据复选框状态仅使用toggle()
元素:
<script src="/js/jquery.js"></script>
<script type="text/javaScript">
$(function() {
$('input[type="checkbox"]').on('change', function() {
$(this).closest('fieldset').find('.myClass').toggle(!this.checked);
});
});
</script>
<fieldset>
<legend>Check Here<input type="checkbox"></legend>
<span class="myClass">
<p>This is the text.</p>
</span>
</fieldset>
这甚至适用于具有相同标记的多个fieldset。
答案 2 :(得分:7)
通过jQuery尝试绑定事件,然后您可以访问$(this)
:
$(document).ready(function() {
$(":checkbox").click(function(event) {
if ($(this).is(":checked"))
$(".myClass").show();
else
$(".myClass").hide();
});
});