I have a table with 12 columns. Each column would have a text box. When I click on an 'Add' button, a new row should be inserted above the first row of the table
. How would I do it? Say, if I use jquery append(), it would only add the row at the end but I want to add at the top of the first row.
I have a table with 12 columns. Each column would have a text box. When I click on an 'Add' button, a new row should be inserted above the first row of the table
. How would I do it? Say, if I use jquery append(), it would only add the row at the end but I want to add at the top of the first row.
Try
$("#tableId tbody").prepend("<tr>..</tr>");
In Vanilla JavaScript, it really is as simple as:
var firstRow = yourTable.rows[0];
firstRow.parentNode.insertBefore(newRow,firstRow);
You can use following alternatives for that
1) .before() for documentations click here
2) .insertBefore() for documentations click here
3) .prepend() for documentations click here
Use .prepend
$("#tableId tbody").prepend("tr code here");
You could use something like this:
$('table > tbody > tr:first').before('<tr>...</tr>');
Try this:
<table id="tblTest">
<tr>
<td><input type="text"/></td>
<td><input type="text"/></td>
<td><input type="text"/></td>
<td><input type="text"/></td>
<td><input type="text"/></td>
<td><input type="text"/></td>
<td><input type="text"/></td>
<td><input type="text"/></td>
<td><input type="text"/></td>
<td><input type="text"/></td>
<td><input type="text"/></td>
<td><input type="text"/></td>
</tr>
</table>
<table>
<tr>
<td><input type="button" value="Add" id="btnAdd"></input></td>
</tr>
</table>
var row = $("#tblTest tbody").html();
$("#btnAdd").click(function(){
$("#tblTest tbody").prepend(row);
});
Fiddle
Use the .prepend()
method. This function do exactly what you need.
In Vanilla JavaScript, to add a new row at the top of a table is as simple as:
const table = document.getElementById("myTable");
var row = myTable.insertRow(1); // Give index as 1
var cell1= row.insertCell(0);
var cell2= row.insertCell(1);
cell1.innerHTML = "Contents in cell1";
cell2.innerHTML = "Contents in cell2";
Give the index for the insertRow()
method as 1
.