我有一组嵌套对象,每个州每年都包含GDP,收入,人口等值:
// The "records" array looks like this:
[
{
name : "...",
income : [
[1995, 1234], // [year, value]
[1996. 1235],
[...]
],
GDP : [
[1995, 1234],
[1996. 1235],
[...]
],
population : [
[1995, 1234],
[1996. 1235],
[...]
]
}, {
name : "...",
income : [
[...]
],
GDP : [
[...]
],
population : [
[...]
]
}, {
...
}
]
现在,我想找到所有州和年份的每个维度的最小值和最大值(范围)。
populationExtents = [659651, 82536680];
gdpExtents = [14250, 2498800];
incomeExtents = [..., ...];
如何在不必遍历整个阵列的情况下多次执行此操作?目前,我正在针对每个维度执行此操作:
var income = records.map(function(d, i) {
return d.income;
});
var min = d3.min(income, function(d, i) {
return d3.min(d, function(e) {
return e[1]; // returns values of each year
});
});
var max = d3.max(income, function(d, i) {
return d3.max(d, function(e) {
return e[1];
});
});
但我认为这太复杂了,因为我应该能够计算所有" local"每个维度和状态的最小值,然后计算刚刚通过的所有状态的全局最小值(而不是每个维度一次传递)。
我尝试了几个级别的d3.map和嵌套的d3.min,但我无法绕过这个结构。
答案 0 :(得分:3)
function getMaxMin( prop ) {
var concat = [].concat,
arr = concat.apply([], records.map(function(value) {
return concat.apply([], value[prop]);
}));
return [ Math.min.apply(Math.min, arr), Math.max.apply(Math.max, arr) ];
}
或者更漂亮一点:
function getMaxMin( prop ) {
var arr = [];
records.map(function(value) {
arr = arr.concat.apply(arr, value[prop][1]);
});
return [ Math.min.apply(Math.min, arr), Math.max.apply(Math.max, arr) ];
}
编辑:排除年[year, value]
并将几乎所有内容置于同一循环中:
function getMaxMin() {
var arrs = [];
records.map(function(value) {
arrs[0] = arrs[0].concat(value.income);
arrs[1] = arrs[1].concat(value.GDP);
arrs[2] = arrs[2].concat(value.population);
});
arrs[0] = arrs[0].filter(c);
arrs[1] = arrs[1].filter(c);
arrs[2] = arrs[2].filter(c);
function c(value, key) {
return key % 2;
}
return [
[ Math.min.apply(Math.min, arrs[0]), Math.max.apply(Math.max, arrs[0]) ],
[ Math.min.apply(Math.min, arrs[1]), Math.max.apply(Math.max, arrs[1]) ],
[ Math.min.apply(Math.min, arrs[2]), Math.max.apply(Math.max, arrs[2]) ]
];
}
var maxMin = getMaxMin();
maxMin === [
[income-min, income-max],
[GDP-min, GDP-max],
[population-min, population-max]
]
答案 1 :(得分:0)
您可以使用JavaScript的Math.max
和Math.min
函数与apply
来获取数组的最大值和最小值。要获取数组,我使用reduce
并汇总每条记录的属性
var allValues = function (property) {
return records.reduce(function (memo, record) {
return memo.concat(record[property])
}, [])
}
var allIncome = allValues('income')
Math.max.apply(null, allIncome)
Math.min.apply(null, allIncome)