3

我想显示一个“翻转”(转置)数据表。例如给定一些数据:

[{col1: "abc", col2: 123}, {col1: "xxx", col2: 321}]

它显示为

+------+-----+-----+
| col1 | abc | xxx |
+------+-----+-----+
| col2 | 123 | 321 |
+------+-----+-----+

行的行为应与标准表中的列相同。

是否有一些 JS Ajax 组件(如 YUI DataTable 或类似的)可以做到这一点?

4

1 回答 1

2

不错的运动。我认为这就是你想要的:

<!DOCTYPE html>
<html>
<head>
  <meta charset="utf-8">
  <title>Transposed table</title>
</head>
<body>
  <div id="wrapper"></div>
  <script>
    var tableData = [{col1: "abc", col2: 123},
                     {col1: "xxx", col2: 321}];

    function rotateData(theTable) {
        var result = [], i, j, key, keyFound;

        for (i = 0; i < theTable.length; ++i) {
            for (key in theTable[i]) {
                /* now loop through result[] to see if key already exists */
                keyFound = false;

                for (j = 0; j < result.length; ++j) {
                    if (result[j][0] == key) {
                        keyFound = true;
                        break;
                    }
                }

                if (!keyFound) {
                    result.push([]);  // add new empty array
                    result[j].push(key);  // add first item (key)
                }

                result[j].push(theTable[i][key]);
            }
        }

        return result;
    }

    function buildTable(theArray) {
        var html = [], n = 0, i, j;

        html[n++] = '<table>';

        for (i = 0; i < theArray.length; ++i) {
            html[n++] = '<tr>';
            for (j = 0; j < theArray[i].length; ++j) {
               html[n++] = '<td>';
               html[n++] = theArray[i][j];
               html[n++] = '</td>';
            }
            html[n++] = '</tr>';
        }

        html[n++] = '</table>';
        return html.join('');
    }

    var rotated = rotateData(tableData);
    var tableHtml = buildTable(rotated);
    document.getElementById('wrapper').innerHTML = tableHtml;
  </script>
</body>
</html>

函数rotateData在数组中旋转对象的元素,这样你就可以得到一个数组

[["col1", "abc", "xxx"], ["col2", 123, 321]]

为此,该函数测试是否已经有一个包含键的数组元素(在外部数组中),因此它可以将值添加到它的“行”,或者它首先在外部数组中创建一个新元素,其中键在第一个“列”及其在第二个中的值。

然后buildTable创建可以插入到每个可以包含表格的元素的必要 HTML。顺便说一句,该函数使用一个数组html来临时存储输出,最后连接它的所有元素以返回一个字符串。这通常比(几乎)无休止地连接字符串要快。

于 2010-08-13T20:58:30.767 回答