我正在使用bootstrap-tooltip插件来显示工具提示。 我的HTML就像这样:
<a href="#" data-role="tooltip" title="">actions</a>
<div class="user-actions">
<a class="icon" href="/edit">
<i class="icon-pencil"></i>
</a>
<a class="icon" href="/delete">
<i class="icon-trash"></i>
</a>
</div>
我的JS:
$(function() {
$('[data-role=tooltip]').tooltip({
html: true,
placement: 'bottom',
trigger: 'click'
});
$('a[data-role=tooltip]').each(function(){
var content = this.next().html()
this.attr('title', content);
});
});
我希望我的脚本执行的操作是遍历每个<a data-role='tooltip' title=''>
选择器,然后立即找到跟随选择器,获取其html并将其作为title
属性的值。
BUT
它只是不起作用。 控制台错误说:
Uncaught TypeError: Object [object HTMLAnchorElement] has no method 'next'
我做错了什么?我怎么能让它发挥作用?
答案 0 :(得分:5)
this
不是jQuery对象。这是一个DOM元素。你会这样做:
$('a[data-role=tooltip]').each(function() {
$(this).attr('title', $(this).next().html());
});
虽然这样做更好:
$('a[data-role=tooltip]').attr("title", function() {
return $(this).next().html();
});
...因为它只需要您拨打.attr()
一次。
答案 1 :(得分:0)
this
引用原始dom元素 - 在使用jquery方法之前需要首先进行包装。
$('a[data-role=tooltip]').each(function(){
// cache the jquery object
var $this = $(this);
var content = $this.next().html()
$this.attr('title', content);
});
答案 2 :(得分:0)
只需将其包裹起来:
$(this)
代替this
答案 3 :(得分:0)
查看.each()
的文档:
.each()
方法旨在使DOM循环结构简洁且不易出错。调用时,它会迭代属于jQuery对象的DOM元素。每次回调运行时,都会从0开始传递当前循环迭代。更重要的是,回调是在当前DOM元素的上下文中触发的,因此关键字this
引用该元素。 强>
所以this
引用HTMLElement
对象(或HTMLElement
的子类,正如您在记录的异常中看到的那样)。在能够调用jQuery方法之前,你需要像$(this)
一样包装它。