Look at the syntax highlighting in your question. In
if($(this).val()==='"+radioBoxArray[j]+"')
the right-hand side of that test is just the string '"+radioBoxArray[j]+"'
. Remove all those quotes.
if($(this).val() === radioBoxArray[j])
Other cleanup:
Declare the array using array literal notation:
var radioBoxArray = [
"appliedWorkedYes",
"workStudyYes",
"workHistoryYes",
"workWeekEndsYes",
"cprYes",
"aedYes",
"aidYes",
"wsiYes",
"gaurdYes"];
Save the radioBoxArray.length
value in a local variable, otherwise it will be recomputed at every iteration. Also save the radioBoxArray[j]
in a local variable (this also more efficient).
var len = radioBoxArray.length,
radio;
for(var j = 0; j < len; j++){
radio = radioBoxArray[j];
// class name
$("."+radio).click(function(){
if($(this).val() === radio) $("."+radio+"Hide").show("fast");
else $("."+radio+"Hide").hide("fast");
});
}
Instead of using separate show()
and hide()
calls, use .toggle(showOrHide)
Final code can be cleaned up like so:
var radioBoxArray = [
"appliedWorkedYes",
"workStudyYes",
"workHistoryYes",
"workWeekEndsYes",
"cprYes",
"aedYes",
"aidYes",
"wsiYes",
"gaurdYes"
],
len = radioBoxArray.length,
radio;
for (var j = 0; j < len; j++) {
radio = radioBoxArray[j];
// class name
$("." + radio).click(function() {
$("." + radio + "Hide").toggle($(this).val() === radio);
});
}
Alternatively, you could use $.each()
:
var radioBoxArray = [
"appliedWorkedYes",
"workStudyYes",
"workHistoryYes",
"workWeekEndsYes",
"cprYes",
"aedYes",
"aidYes",
"wsiYes",
"gaurdYes"
];
$.each(radioBoxArray, function(i, v) {
$("." + v).click(function() {
$("." + v+ "Hide").toggle($(this).val() === v);
});
});
与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…