Reputation: 33571
What's the event to bind for when a select form is selected?
I have something like this:
<select id='list'>
<option value='1'>Option A</option>
<option value='2'>Option B</option>
<option value='3'>Option C</option>
</select>
When Option B is selected, I want some function to run.
So what do I bind,
$("#list").bind("?", function (){
// How do I check if it's option b that's selected here
//blah blah
});
Upvotes: 59
Views: 104120
Reputation: 523
Although few years late, this actually works also if one select already selected option.
jQuery('#list').on('click', 'option', function () {
if (jQuery(this).val() === '2') {
// Do something for option "b"
}
});
Upvotes: 1
Reputation: 101
Maybe select() is a more accurated solution:
$('#list').select(function() {
if ($(this).val() === '2') {
// Do something for option "b"
}
});
Upvotes: -1
Reputation: 4852
This jQuery snippet will get you started:
$('#list').change(function() {
if ($(this).val() === '2') {
// Do something for option "b"
}
});
Upvotes: 107
Reputation: 38860
the event you are looking for is change
. more info about that event is available in the jquery docs here: http://docs.jquery.com/Events/change#fn
Upvotes: 5