use*_*434 13 checkbox jquery select
我使用以下脚本来选择具有给定类的所有复选框.
$(document).ready(function(){ // 1
// 2
$(':checkbox.selectall').on('click', function(){
// 3
$(':checkbox[class='+ $(this).data('checkbox-name') + ']').prop("checked", $(this).prop("checked"));
$(':checkbox[class='+ $(this).data('checkbox-name') + ']').trigger("change");
});
});
Run Code Online (Sandbox Code Playgroud)
但是我遇到了问题,因为de/select all复选框能够取消选择被禁用的复选框.
我试过这个
$(document).ready(function(){ // 1
// 2
$(':checkbox.selectall').on('click', function(){
// 3
$(':checkbox[class='+ $(this).data('checkbox-name') + !$(:disabled) + ']').prop("checked", $(this).prop("checked"));
$(':checkbox[class='+ $(this).data('checkbox-name') + !$(:disabled) + ']').trigger("change");
});
});
Run Code Online (Sandbox Code Playgroud)
但它不起作用.我已经做了一个jsfiddle来展示问题http://jsfiddle.net/e67Fv/
Guf*_*ffa 26
嗯......有趣的尝试,但你不能在选择器中使用jQuery对象,因为选择器只是一个普通的字符串.
用于排除已禁用元素的选择器将是:not(:disabled),因此您的代码应为:
$(document).ready(function(){
$(':checkbox.selectall').on('click', function(){
$(':checkbox[class='+ $(this).data('checkbox-name') + ']:not(:disabled)').prop("checked", $(this).prop("checked"));
$(':checkbox[class='+ $(this).data('checkbox-name') + ']:not(:disabled)').trigger("change");
});
});
Run Code Online (Sandbox Code Playgroud)
请注意,您可以链接呼叫,因此您不必两次选择项目:
$(document).ready(function(){
$(':checkbox.selectall').on('click', function(){
$(':checkbox[class='+ $(this).data('checkbox-name') + ']:not(:disabled)').prop("checked", $(this).prop("checked")).trigger("change");
});
});
Run Code Online (Sandbox Code Playgroud)
使用.not()函数和:disabled选择器的组合来排除这些.
$(':checkbox[class='+ $(this).data('checkbox-name') + ']').not(':disabled').prop("checked", $(this).prop("checked"));
$(':checkbox[class='+ $(this).data('checkbox-name') + ']').not(':disabled').trigger("change");
Run Code Online (Sandbox Code Playgroud)
.not()也作为选择器存在:not(),可以如下使用:
$(':checkbox[class='+ $(this).data('checkbox-name') + ']:not(:disabled)').prop("checked", $(this).prop("checked"));
$(':checkbox[class='+ $(this).data('checkbox-name') + ']:not(:disabled)').trigger("change");
Run Code Online (Sandbox Code Playgroud)