Reputation: 12843
I try to check multiple values in ASP.NET CheckboxList but I couldn't.
I Wrote :
chkApplications.SelectedValue = 2;
chkApplications.SelectedValue = 6;
But it just selects item with value '6'
What's wrong ?
Upvotes: 9
Views: 43264
Reputation: 52241
The best technique that will work for you is the following:
chkApplications.Items.FindByValue("2").Selected = true;
chkApplications.Items.FindByValue("6").Selected = true;
OR you can simply do it like...
foreach (ListItem item in chkApplications.Items)
{
if (item.Value == "2" || item.Value == "6")
{
item.Selected = true;
}
}
Upvotes: 22
Reputation: 51
you can put the value in a list (MyList
), and use FindByValue
to check them.
foreach (var item in MyList)
{
checkBoxList.Items.FindByValue(item.id).Selected = true;
}
Upvotes: 5
Reputation: 37
Instead of trying to select the item through chkApplications.SelectedValue
try
chkApplications.Items.Item(2).Selected = True
chkApplications.Items.Item(6).Selected = True
Upvotes: -1
Reputation: 46909
foreach (var item in cb.Items.Cast<ListItem>()
.Where (li => li.Value == "2" || li.Value == "6"))
item.Selected = true;
Upvotes: 5