我想用d3从两个一维数组创建一个表。
我们假设输入数组是:
array1 = ['a','b','c'];
array2 = ['d','e','f'];
我希望桌子看起来像这样
ad ae af
bd be bf
cd ce cf
我应该使用嵌套选择吗?或者我应该拨打selectAll().data()
一个电话,然后拨打each()
? (In real life,每个矩阵单元格的操作不会像'a'+'d'
那么简单,但我不认为这对答案来说很重要。)
答案 0 :(得分:4)
一种方法可能是从两个数组创建一个新的2D数组,使其适合标准的嵌套选择模式(参见:http://bost.ocks.org/mike/nest/):
var arr1 = ['a', 'b', 'c'],
arr2 = ['d', 'e', 'f'];
// prepare a 2D array
var data = arr1.map(function(v1) {
return arr2.map(function(v2) {
return v1 + v2;
})
});
d3.select("body").append("table")
.selectAll("tr")
.data(data)
.enter().append("tr")
.selectAll("td")
.data(Object)
.enter().append("td")
.text(String);
另一种方法是利用这样一个事实:函数不仅传递给组内元素的索引i,而且还传递它所属组的索引j:
var arr1 = ['a', 'b', 'c'],
arr2 = ['d', 'e', 'f'];
d3.select("body").append("table")
.selectAll("tr")
// arr1 corresponds to the rows
// bound data is not used in the td cells; only arr1.length is used
.data(arr1)
.enter().append("tr")
.selectAll("td")
// arr2 corresponds to the columns
.data(arr2)
.enter().append("td")
.text(function(d, i, j) { return arr1[j] + d; }); // d === arr2[i]
类似的方法使用parentNode而不是索引j来抓取组中的绑定数据:
var arr1 = ['a', 'b', 'c'],
arr2 = ['d', 'e', 'f'];
d3.select("body").append("table")
.selectAll("tr")
// arr1 corresponds to the rows
.data(arr1)
.enter().append("tr")
.selectAll("td")
// arr2 corresponds to the columns
.data(arr2)
.enter().append("td")
.text(function(d) { return d3.select(this.parentNode).datum() + d; });