从动态生成的表中的单元格中获取值

时间:2016-12-03 19:31:57

标签: javascript jquery html

我有一个基于SQL查询数据通过JavaScript动态生成的表。第一个单元格包含一个按钮,该按钮应该在该行中的第二个单元格中检索该值。出于某种原因,jQuery onclick事件没有触发。浏览器中没有抛出任何错误。

HTML

...
for (var i=0; i<queryReturned.Result.length; i++) {
  var tableRow = document.createElement("tr");
  var cell = document.createElement("td");
  var button = document.createElement("button"); //Button gets added here
  button.type = "button"; 
  button.value = "Remove Alert";
  button.className = "buttonSelect"
  cell.appendChild(button);
  tableRow.appendChild(cell);
  //This loop creates the rest of the cells and fills in their data
  for (var j=0; j<Object.keys(queryReturned.Result[i]).length; j++) {
    var cell2    = document.createElement("td");
    var cellText = document.createTextNode(Object.values(queryReturned.Result[i])[j]);
    cell2.appendChild(cellText);
    tableRow.appendChild(cell2);
  }
  tableBody.appendChild(tableRow);
}
table.appendChild(tableBody);
table.setAttribute("border", "2");
body.appendChild(table);
...

的jQuery

$(document).ready(function(){
$(".buttonSelect").on('click',function(){
     var currentRow=$(this).closest("tr");
     var col2=currentRow.find("td:eq(1)").html();
     alert(col2); //alert for now to test if we grabbed the data
  });
});

2 个答案:

答案 0 :(得分:1)

重新命名事件处理函数,如下所示:

$(document).on('click', '.buttonSelect', function(){ ... });

所以它也适用于动态添加的元素。

告诉我们它是怎么回事!

答案 1 :(得分:1)

首先,主要问题是您需要使用委托事件处理程序将click事件附加到button元素。

另外,你正在使用JS和jQuery的奇怪组合。您可以大规模简化表创建逻辑。太。试试这个:

$(function() {
  var $table = $('<table />').appendTo('body'); // this wasn't in your code example, but should look like this

  queryReturned.Result.forEach(function(result) {
    var $tr = $("<tr />").appendTo($table);
    var $td = $("<td />").appendTo($tr);    
    $('<button class="buttonSelect">Remove Alert</button>').appendTo($td);

    for (var j = 0; j < Object.keys(result).length; j++) {
      $('<td />').text(result[j]).appendTo($tr);
    }
  }

  $(document).on('click', '.buttonSelect', function() {
    var currentRow = $(this).closest("tr");
    var col2 = currentRow.find("td:eq(1)").html();
    alert(col2);
  });
});