如何停止Javascript中的传播

如何停止Javascript中的传播

我四处张望,无法完全理解我在做什么错。

我只希望父元素在单击子元素时不触发(更改不透明度)。

简单的答案表示赞赏!

谢谢

HTML
<div id="not-clicker">
    <div id="clicker" onClick="clickBox();">
    </div>
</div>

JAVASCRIPT
function clickBox(event) {
    document.getElementById('clicker').style.backgroundColor = 'green';
    event.stopPropagation();
};

JSfiddle(无法正常工作)

最佳答案

这不会捕获事件。您将需要一个事件处理程序来做到这一点。因此,您需要重构以避免使用内联javascript

HTML更改

<div id="clicker"></div>

js变化
document.getElementById('clicker').onclick = function(event){
 document.getElementById('clicker').style.backgroundColor = 'green';
 //this.style.backgroundColor = 'green';note you can also use this to reference the element now
 event.stopPropagation();
};

编辑

更多信息

请注意,由于不再内联该脚本,因此脚本必须在元素位于DOM中之后运行。为此,您需要将脚本放在页面下方,或者等待窗口的加载事件触发。这是一个例子
window.onload = function(){//this callback executes when the window is fully loaded
 //now we can guarantee all DOM elements are present
 document.getElementById('clicker').onclick = function(event){
  this.style.backgroundColor = 'green';
  event.stopPropagation();
 };
};

关于javascript - 如何停止Javascript中的传播,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/19910890/

10-11 05:49