スクリプトは正常に機能していますが、コードの繰り返しを回避する方法(DRYメソッド)があるかどうか疑問に思っています。
JSコード:
// Checkbox checked and input disbaled when page loads
$('#checkbox').prop('checked', true);
if ($('#checkbox').is(':checked') == true) {
$('#textInput').prop('disabled', true);
}
// Enable-Disable text input when checkbox is checked or unchecked
$('#checkbox').change(function() {
if ($('#checkbox').is(':checked') == true) {
$('#textInput').prop('disabled', true);
} else {
$('#textInput').val('').prop('disabled', false);
}
});
HTML
でデフォルトで属性を設定できない場合:
// Checkbox checked and input disbaled when page loads
$('#checkbox').prop('checked', true);
// Enable-Disable text input when checkbox is checked or unchecked
$('#checkbox').on('change', function() {
var value = this.checked ? $('#textInput').val() : '';
$('#textInput').prop('disabled', this.checked).val(value);
}).trigger('change');
ページが読み込まれるたびにチェックボックスをオンにし、テキストボックスを無効にする場合は、HTMLで行う方がよいでしょう。
[〜#〜] html [〜#〜]
<input type="checkbox" id="checkbox" checked="true" />
<input type="text" id="textInput" disabled=""/>
JavaScript
// Enable-Disable text input when checkbox is checked or unchecked
$('#checkbox').change(function() {
if ($('#checkbox').is(':checked') == true) {
$('#textInput').prop('disabled', true);
} else {
$('#textInput').val('').prop('disabled', false);
}
});
ロジックを再利用可能な関数に分離します。
function checkboxStatus() {
if ($('#checkbox').is(':checked') == true) {
$('#textInput').prop('disabled', true);
} else {
$('#textInput').val('').prop('disabled', false);
}
}
// Checkbox checked and input disbaled when page loads
$('#checkbox').prop('checked', true);
checkboxStatus();
// Enable-Disable text input when checkbox is checked or unchecked
$('#checkbox').change(checkboxStatus);
jqueryを簡単にするために、さまざまな方法があります
$('#checkbox').prop( 'checked', true ); // when intially checked
$('#checkbox').change(function(){
$('#textInput').prop('disabled', $(this).is(':checked'));
if(!$(this).is(':checked')){
$('#textInput').val('')
}
}).change(); //intially trigger the event change
次のように、少ないコードで同じ結果を得ることができます。
// Checkbox checked and input disbaled when page loads
$('#checkbox').prop('checked', true);
$('#textInput').prop('disabled', true);
// Enable-Disable text input when checkbox is checked or unchecked
$('#checkbox').change(function () {
var checked = $(this).is(':checked') == true;
$('#textInput').prop('disabled', checked);
});