javascriptjqueryhtmljquery-data

jQuery data(): can't get stored data using jQuery selectors


I want to store some information in DOM elements (rows of table). I think I can do it using jQuery's data() function. I wrote some test code and found out that I can't get the stored data from elements using jQuery selectors. Is it possible? Maybe I'm doing something wrong?

Here is the simple code:

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>JQuery data() test</title>
    <script src="https://code.jquery.com/jquery-latest.js" type="text/javascript"></script>
</head>
<body>

<table id="myTable">
    <tbody>
    <tr id="rowPrototype" style="display:none;">
        <td class="td1"></td>
        <td class="td2"></td>
    </tr>
    </tbody>
</table>
<script>
    var table = $("#myTable");
    for (var i = 0; i < 5; i++) {
        var newRow = $("#rowPrototype").clone();
        newRow.removeAttr("style");
        newRow.removeAttr("id");

        $.data(newRow, "number", i);
        console.log("Data added to row: " + $.data(newRow, "number"));

        var tds = newRow.find("td");
        tds.text("test");
        table.append(newRow);
    }

    var trs = table.find("tr");
    trs.each(function () {
        var tr = $(this).text();
        var data = $.data(tr, "number");
        console.log("number: " + data);
    });
</script>

</body>
</html>

I expect the following output:

number: undefined (row prototype)
number: 0
number: 1
number: 2
number: 3
number: 4

But actual is:

number: undefined
number: undefined
number: undefined
number: undefined
number: undefined
number: undefined

So what's wrong with this code?

UPD You can test it here: https://jsfiddle.net/rfrz332o/3/


Solution

  • $.data() expects an actual DOM element as the first argument, not a jQuery object. You can $(selector).data() with jQuery objects. I'd suggest you change this:

    $.data(newRow, "number", i);
    console.log("Data added to row: " + $.data(newRow, "number"));
    

    to this:

    newRow.data("number", i);
    console.log("Data added to row: " + newRow.data("number"));
    

    And, then change this:

    var trs = table.find("tr");
    trs.each(function () {
        var tr = $(this).text();
        var data = $.data(tr, "number");
        console.log("number: " + data);
    });
    

    to this:

    table.find("tr").each(function () {
        console.log("number: " + $(this).data("number"));
    });