使用jquery从表中获取值作为键值对

时间:2010-06-03 17:17:37

标签: javascript jquery

我有一张桌子:

<table class="datatable" id="hosprates">
                <caption> hospitalization rates test</caption> <thead>
                <tr>
                    <th scope="col">Funding Source</th> <th scope="col">Alameda County</th> <th scope="col">California</th>
                </tr>
                </thead>
                <tbody>
                    <tr>
                        <th scope="row">Medi-Cal</th>
                        <td>34.3</td>
                        <td>32.3</td>
                    </tr>
                    <tr>
                        <th scope="row">Private</th>
                        <td>32.2</td>
                        <td>34.2</td>
                    </tr>
                    <tr>
                        <th scope="row">Other</th>
                        <td>22.7</td>
                        <td>21.7</td>
                    </tr>
                </tbody>
            </table>

我希望每行检索第1列和第2列值,最终看起来像这样[资金,数量],[资金,数量]

我到目前为止这样做了,但是当我提醒它时,它只显示[物体,物体] ......

  var myfunding =  $('#hosprates tbody tr').each(function(){
  var funding = new Object();

  funding.name = $('#hosprates tbody tr td:nth-child(1)').map(function() {
              return $(this).text().match(/\S+/)[0];
             }).get();
  funding.value= $('#hosprates tbody tr td:nth-child(2)').map(function() {
              return $(this).text().match(/\S+/)[0];
             }).get();

});
alert (myfunding);

2 个答案:

答案 0 :(得分:2)

var result = $('#hosprates tbody').children().map(function () {
    var children = $(this).children();

    return {
       name: children.eq(0).text(),
       value: children.eq(1).text()
    };
}).get();

这将以以下形式构建一个数组:

[
 { name : "...", value: "..." },
 { name : "...", value: "..." },
 { name : "...", value: "..." }
]

要获取第一行的名称,请使用:

alert(result[0].name);

对于值:

alert(result[0].value);

修改:如果您希望结果符合指定:

var result = $('#hosprates tbody').children().map(function () {
    var children = $(this).children();

    return "[" + children.eq(0).text() + "," + children.eq(1).text() + "]"
}).get().join(",");

答案 1 :(得分:0)

然后尝试(demo):

var funding = $('#hosprates tbody tr').map(function(){
    return [[ $(this).find('th').eq(0).text() , // find first and only <th>
            $(this).find('td').eq(0).text() ]]; // find first <td> in the row
    }).get();

   alert(funding);  // Output: Medi-Cal,32.3,Private,34.2,Other,21.7

警报显示只显示数组中的数据,实际上格式如下:

[["Medi-Cal", "32.3"], ["Private", "34.2"], ["Other", "21.7"]]

所以你可以得到像这样的Medi-Cal数据:

alert(funding[0][0] + ' -> ' + funding[0][1]);  // output: Medi-Cal -> 34.3