I have this setup
<div onclick="SomeEvent"> <input type=checkbox value=1>1 <input type=checkbox value=2>2 <input type=checkbox value=3>3 </div>
The problem when the user click on the checkboxes I don't want the SomeEvent fired.
In the some event I do have the line
"event.stopPropagation();"
but that seems to do nothing at all.
In the event bubbling model, the event propagation is from the inner elements to the outer elements.
This means that the event.stopPropagation(); should be in the inputs' events instead of the div.
<div onclick="SomeEvent">
<input type=checkbox value=1 onclick="stopPropagation()">1
<input type=checkbox value=2 onclick="stopPropagation()>2
<input type=checkbox value=3 onclick="stopPropagation()>3
</div>
Now the Javascript code:
function stopPropagation() {
//... do something.
//stop propagation:
if (!e) var e = window.event;
e.cancelBubble = true; //IE
if (e.stopPropagation) e.stopPropagation(); //other browsers
}
More info: http://www.quirksmode.org/js/events_order.html
EDIT: The above was a quick way to show how the bubbling model works, but a better answer to solve this problem using JQuery would be:
<div id="mydiv">
<input type="checkbox" value="1" /> 1
<input type="checkbox" value="2" /> 2
<input type="checkbox" value="3" /> 3
</div>
Now the Javascript code:
$('#mydiv').click(function(e) {
//do something
});
$('#mydiv input').click(function(e) {
//stop propagation:
if (!e) var e = window.event;
e.cancelBubble = true; //IE
if (e.stopPropagation) e.stopPropagation(); //other browsers
});