我想在if条件通过时终止map函数
dataset.Categories.map(function (item) {
if(Object.keys(item)[0] == current_category){
return false;
}
else
category_position++;
});
这里数据集是一个对象。即使条件通过,map函数也会运行整个长度。
答案 0 :(得分:4)
看起来你真的想用Array.prototype.some
dataset.Categories.some(function (item) {
if (Object.keys(item)[0] == current_category) {
return true; // this will end the `some`
}
++category_position;
});
此外,您的测试可能更好地以
形式编写if (item.hasOwnProperty(current_category)) { // etc
因为这可以避免涉及 Object
上的键多次序的问题答案 1 :(得分:1)
在你的实际问题之前的事情:
forEach()
。有人说修复你的代码,我会向shortcircuit引入一个变量(因为afaik那些迭代器函数无法取消):
var done = false,
category_position = 0;
dataset.Categories.map(function (item) {
if( done ) {
return;
}
if(Object.keys(item)[0] == current_category){
done = true
} else {
category_position += 1;
}
});
除此之外,我认为,仅仅for
循环对你来说最合适:
var category_position;
for( category_position=0; category_position<dataset.Categories.length; category_position++ ) {
if(Object.keys(dataset.Categories[ category_position ])[0] == current_category){
break;
}
}