很好的锻炼。我想这就是你想要的:
<!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]]
为此,函数将测试是否已存在包含键的数组元素(在外部数组中),以便将值添加到其“row”中,或者首先在外部数组中创建一个新元素,其中键在其第一个“column”中,值在第二个“column”中。
然后
buildTable
创建必要的HTML,该HTML可以插入到每个可以包含表的元素中。顺便说一句,该函数使用数组
html
临时存储输出,最后联接所有元素以返回字符串。这通常比(几乎)无休止地连接字符串要快。