我有一个动态表,加载了ajax。当我将鼠标悬停在行上时,我想显示工具提示,但我希望工具提示显示在某个单元格(带有类.name
)上在整行之上。
此外,使用title函数,我需要能够获得最接近的行ID并返回自定义模板。
这是我的代码:
<table class="table" id="myTable">
<thead>
<tr>
<th>ID</th>
<th>Name</th>
<th>Country</th>
<th>Statistics</th>
</tr>
</thead>
<tbody>
<tr id="1">
<td >1</td>
<td class="name">Name #1</td>
<td>United States of America</td>
<td>100%</td>
</tr>
<tr id="2">
<td >2</td>
<td class="name">Name #2</td>
<td>United States of America</td>
<td>50%</td>
</tr>
</tbody>
</table>
初始化:
$('#myTable').tooltip({
container: 'body',
html: true,
selector: 'td.name',
trigger: 'manual',
title: function() {
// here will be custom template
var id = $(this).parent().atrr('id');
return id;
}
});
尝试一次:Demo in jsFiddle
$('#myTable')
.on('mouseenter focusin', 'tbody > tr', function() {
$(this).find('td.name').tooltip('show');
})
.on('mouseleave focusout', 'tbody > tr', function() {
$(this).find('td.name').tooltip('hide');
});
尝试二:Demo in jsFiddle
var tip;
$('#myTable')
.on('mouseenter focusin', 'tbody > tr', function() {
tip = $(this).find('.offer-name');
tip.tooltip(hereAllTooltipOptions);
tip.tooltip('show');
})
.on('mouseleave focusout', 'tbody > tr', function() {
tip.tooltip('hide');
});
但我对这种解决方案的表现非常怀疑。那么,问题是如何做到并做得更好?
答案 0 :(得分:32)
此处的问题是,selector
设置为trigger
时,您无法使用manual
选项。 selector is used for delegation when bootstrap is handling the trigger events,但您明确表示您将成为处理委托人的代理人,因此ignores the selector
setting。
这意味着我们通过使用以下代码进行预初始化来获得 nothing :
$('.parent').tooltip({
selector: '.child',
trigger: 'manual'
})
它只是说我想在.child
元素上设置工具提示,但不对它做任何事情,因为我稍后会处理它。
哪个好,这就是我们在使用manual
时想要做的事情。当显示或隐藏工具提示时,我们将成为指示的人。
让我们来看看它的简单例子:
$('#myTable').on({
'mouseenter': function() {
$(this).find('td.name').tooltip('show');
},
'mouseleave': function() {
$(this).find('td.name').tooltip('hide');
}
},'tbody > tr');
但是,这在这个实例中不起作用,因为我们想要动态生成工具提示。当我们在特定元素上调用.tooltip('show')
时,bootstrap会查看该元素以查看它是否已初始化或具有标题。以上示例有效,因为我在标题中进行了硬编码,但如果我们想首先初始化此工具提示,我们将如何使用它?
在显示工具提示之前即时初始化,如下所示:
$('#myTable').on({
'mouseenter': function() {
$(this).find('td.name')
.tooltip({
container: 'body',
html: true,
trigger: 'manual',
title: function() {
return this.parentNode.id;
}
}).tooltip('show');
},
'mouseleave': function() {
$(this).find('td.name').tooltip('hide');
}
},'tbody > tr');
因此,您不会在每次悬停时产生初始化成本,您可以将if语句中的初始化包装到check if it has already been initialized,如下所示:
var $cell = $(this).find('td.name');
if (!$cell.data("bs.tooltip")) {
$cell.tooltip({ /* options */ });
}
$cell.tooltip('show');