在HTML文件中,我使用JS生成表行以显示数据库返回的数据:
function appendResult(data) {
var result = JSON.parse(data);
var row = result.length;
if (row == 0) {
$("#productList").html("No matching result.");
} else {
$("#productList").html("");
var i = 0;
while (i < row) {
// For each return record, create a new row, then write data into cell accordingly. New records are always written to last cell.
$("#productList").append("<tr class='hightLight'><td class='sku'></td><td class='productName'></td><td class='description'></td><td class='qtyPerCtn'></td><td class='weight'></td><td class='upc'></td><td class='gtin'></td><td class='vendorCode'></td><td class='note'></td></tr>");
$("td.sku").last().html(result[i]["sku"]);
$("td.productName").last().html(result[i]["productName"]);
$("td.description").last().html(result[i]["description"]);
$("td.qtyPerCtn").last().html(result[i]["qtyPerCtn"]);
$("td.weight").last().html(result[i]["masterWeightLb"]);
$("td.upc").last().html(result[i]["UPC"]);
$("td.gtin").last().html(result[i]["gtin"]);
$("td.vendorCode").last().html(result[i]["vendorCode"]);
$("td.note").last().html(result[i]["note"]);
i++;
}
}
}
然后我有一个功能,当鼠标滑过它时突出显示该行:
// high light row when mouse roll over
$(document).ready(function () {
$(".hightLight").hover(function () {
$(this).addClass("highLightOnRollOver");
}, function () {
$(this).removeClass("highLightOnRollOver");
});
});
但显然这不起作用。突出显示功能不起作用。但是如果我在普通的html中添加一行,它就可以了:
<table>
<tr class="hightLight"><td>test</td></tr>
</table>
这是否意味着JS函数无法识别JS生成的元素?我该如何解决这个问题?
答案 0 :(得分:2)
您必须使用委托,如下所示:
$(document).on("hover", ".hightLight", function () {
如果在创建DOM之前获取了javascript,它就不会看到它。代表团通过说&#34;在document
内寻找悬停,如果悬停在.hightLight
之内,那么请执行此操作...
您也可以将document
替换为更近的父.hightLight
......看起来#productList
可能效果不错。
答案 1 :(得分:2)
即使您在dom准备就绪后添加元素,这也会有效:
// high light row when mouse roll over
$(document).ready(function () {
$("table")
.on('mouseenter', ".hightLight", function () {
$(this).addClass("highLightOnRollOver");
})
.on('mouseleave', ".hightLight", function () {
$(this).removeClass("highLightOnRollOver");
});
});