2

我需要使用事件委托在内部捕获带有图像的锚节点。

document.addEventListener(
  'click',
  function(event) {
    console.log(event.target);
    return true;
  },
  false
);
<a href="#" class="link">
  <img src="http://placehold.it/100x100" alt="">
</a>

event.target始终是img

如何检查单击是否是在具有类 .link 的节点上进行的?

更新:要清楚这里是jQuery 的一个例子

当我使用 jQuery.on() 时,回调函数中的属性中有a节点,而不是节点。使用纯 JS,我只能确定初始目标。 thisimg

4

2 回答 2

1

你可以通过调用来检查一个元素是否有一个类:

element.classList.contains('link');

您现在想要的是<img>在单击 an时执行某些<a class="link">操作。要确定单击的对象<img>是否有父对象<a class="link">,我们必须遍历其父树并检查。

这与您拥有的 jQuery 示例非常相似,即

$('body').on('click', '.link', callback)

除了 jQuery 匹配整个查询,而不仅仅是一个类。

您可以这样做:

// function to determine if the element has the link class
const hasLinkClass = element => element
  ? element.classList && element.classList.contains('link')
  : false;

// function that accepts an event handler and returns
// a wrapper function arround it.
// The wrapper is called it if the passed in event 
// object contains as its target an <img> with a parent
// with .link class
function filterImagesWithinLinks(handler) {
  return function(event) {
    let elem = event.target;

    // ignore clicks that are not on an image (it might be better to be more specific here)
    if (elem.tagName === 'IMG') {
    
      // filter until we find the parent with .link class
      while (elem && !hasLinkClass(elem)) {
        elem = elem.parentNode;
      }

      // if a parent with .link class was found, 
      // call the original handler and set its `this`
      // to the parent.
      if (elem) {
        handler.call(elem, event);
      }
    }
  };
}

// function handler that fires when 
// an <img> that has a parent with 
// class 'link' was clicked
function handler(event) {
  console.log('target : ', event.target);
  console.log('this   : ', this);
}

document.addEventListener(
  'click',
  filterImagesWithinLinks(handler),
  false
);
a.link {
  display: block;
  padding: 10px;
  background: #018bbc;
}

.middle {
  background: salmon;
  padding: 10px;
  text-align: center;
}
<a href="#" class="link">
  <p class="middle">
    <img src="http://placehold.it/100x100" alt="" />
  </p>
</a>

于 2017-05-02T17:04:31.590 回答
0

如果在锚标记中添加一些文本或其他内容,将更容易看出 和 之间的a区别img。请参阅 JSFiddle 上的此示例——它显示了是否link单击了类的元素:

https://jsfiddle.net/Lppt4hyk/4/

这是代码(仅对您的代码稍作修改):

<a href="#" class="link"> Anchor
  <img src="http://placehold.it/100x100" alt="">
</a>
document.addEventListener(
  'click',
    function( event ) {
            var patt = /(?:^link | link$|^link$| link )/g;
            if (patt.test(event.target.className)) {
        alert('link class was clicked');
      }
      else { alert('link class was not clicked'); }
    return true;
  },
    false
);
div {
  background: red;
  display: block;
  height: 90%;
  width: 90%;
}

.n1 {
    background: yellow;
}

.n2 {
    background: green;
}

更新:添加了对link类名的检查,如果它不是分配给该元素的唯一类。

更新:添加了正则表达式检查以清除link作为更大单词的一部分。

于 2017-05-02T17:19:39.927 回答