1. 程式人生 > >阻止事件冒泡,阻止默認事件,event.stopPropagation()和event.preventDefault(),return false的區別

阻止事件冒泡,阻止默認事件,event.stopPropagation()和event.preventDefault(),return false的區別

attr htm pre 點擊 操作 連接 com spa ati

1.event.stopPropagation()方法

這是阻止事件的冒泡方法,不讓事件向documen上蔓延,但是默認事件任然會執行,當你掉用這個方法的時候,如果點擊一個連接,這個連接仍然會被打開,

2.event.preventDefault()方法

這是阻止默認事件的方法,調用此方法是,連接不會被打開,但是會發生冒泡,冒泡會傳遞到上一層的父元素;

3.return false ;

這個方法比較暴力,他會同事阻止事件冒泡也會阻止默認事件;寫上此代碼,連接不會被打開,事件也不會傳遞到上一層的父元素;可以理解為return false就等於同時調用了event.stopPropagation()和event.preventDefault()

4.我們來看看幾組demo,使用jquery進行DOM操作

這是html代碼,div裏面套了一個a標簽,連接到百度

[html] view plain copy

  1. <div class="box1">
  2. <a href="http://www.baidu.com" target="_blank"></a>
  3. </div>

css代碼,a標簽占父元素的空間的1/4,背景顏色為紅色;

[html] view plain copy .box1{
  1. height: 200px;
  2. width: 600px;
  3. margin: 0 auto;
  4. }
  5. .box1 a{
  6. display: block;
  7. height: 50%;
  8. width: 50%;
  9. background:red;
  10. }

下面來看js代碼,第一種

[html] view plain copy //不阻止事件冒泡和默認事件
  1. $(".box1").click(function(){
  2. console.log("1")//不阻止事件冒泡會打印1,頁面跳轉;
  3. });

第二種

[html] view plain copy
  1. //阻止冒泡
  2. $(".box1 a").click(function(event){
  3. event.stopPropagation();//不會打印1,但是頁面會跳轉;
  4. });
  5. $(".box1").click(function(){
  6. console.log("1")
  7. });

第三種

[html] view plain copy
  1. $(".box1 a").click(function(event){
  2. //阻止默認事件
  3. event.preventDefault();//頁面不會跳轉,但是會打印出1,
  4. });
  5. $(".box1").click(function(){
  6. console.log("1");
  7. });

第四種

[html] view plain copy
  1. $(".box1").click(function(){
  2. console.log("1")
  3. });
  4. //阻止冒泡
  5. $(".box1 a").click(function(event){
  6. event.stopPropagation();
  7. //阻止默認事件
  8. event.preventDefault() //頁面不會跳轉,也不會打印出1
  9. })

第五種

[html] view plain copy
    1. $(".box1").click(function(){
    2. console.log("1")
    3. });
    4. $(".box1 a").click(function(event){
    5. return false; //頁面不會跳轉,也不會打印出1,等於同時調用了event.stopPropagation()和event.preventDefault()
    6. });

阻止事件冒泡,阻止默認事件,event.stopPropagation()和event.preventDefault(),return false的區別