由于某种原因(可能是因为我不了解闭包),函数inResult
总是返回false
,并且循环从不执行。当然,我确定result
包含正确的属性。
function hasId() {return $(this).prop('id');}
function inResult(res) { return res.hasOwnProperty($(this).prop('id'));}
$.ajax({
url : opt.url,
data : $.extend(true, opt.data, {ids: ids}),
context : this, // A collection of elements
type : 'POST',
dataType : 'json',
success : function(result) {
// Filter elements with id and with a property in result named "id"
this.filter(hasId).filter(inResult(result)).each(function() {
console.log($(this).prop('id'));
});
}
});
编辑:有效的代码解决方案(感谢ŠimeVidas 向正确的方向指责我):
// Use closures to change the context later
var hasId = function() { return $(this).prop('id'); };
var inResult = function(res) { return res.hasOwnProperty($(this).prop('id')); };
$.ajax({
url : opt.url,
data : $.extend(true, opt.data, {ids: ids}),
context : this, // A collection of elements
type : 'POST',
dataType : 'json',
success : function(result) {
// Filter elements with id and with a property in result named "id"
var filtered = this.filter(function() {
// Note the context switch and result parameter passing
return hasId.call(this) && isBinded.call(this, result);
});
filtered.each(function() { console.log($(this).prop('id')); });
}
});
最佳答案
试试这个:
this.filter( hasId ).filter( function () {
return inResult( result );
}).each( function () {
console.log( this.id );
});
在您的代码中,您有
.filter(inResult(result))
无效,因为您立即调用inResult
并将该调用的结果(这是一个 bool(boolean) 值)传递给filter()
,而后者不适用于 bool(boolean) 值。您也可以这样做:
var keys = Object.keys( result );
var filtered = this.filter( function () {
return this.id && keys.indexOf( this.id ) > -1;
});
Object.keys( result )
从result
返回所有自己的属性名称的数组。关于javascript - 了解闭包和范围,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/9035841/