Array.push() 使所有元素在推送对象时都相同

IT技术 javascript node.js
2021-03-09 20:32:48

我是 node 和 javascript 的新手,并且一直在思考以下问题。我创建了一个对象,如下所示:

var Subscriber = {
'userID': String,
'email': String,
'name': String,
'stage': String,
'poster': Boolean,
'canEmail': Boolean,
'stage': String, }

我有一个查询 mongodb 的函数,并循环遍历结果,尝试加载订阅者数组,我已将其声明为:

var s = Subscriber;
var subscribers = [];

循环如下所示:

//load array of users that are subscribed to the group
        async.forEach(g.subscribers, function(item, callback) {     
            //load user document for this user
            User.findOne({ _id: item}, function(err, u) {
                if(!err && u) {                 
                    //var s = new Subscriber();
                    console.log('Sub load, found user %s, building array item', u.email);
                    console.log('Subs @ loop start');
                    console.log(util.inspect(subscribers));

                    console.log('Heres foo: ' + util.inspect(foo));


                    s.userID = u._id;
                    s.email = u.email;
                    s.name = u.firstName + ' ' + u.lastName;
                    s.stage = u.stage;
                    s.poster = false; //we're just loading subscribers at this point'
                    if(s.stage != 'new') s.canEmail = true;

                    //push new subscriber onto the array
                    console.log('Pushing ' + util.inspect(s));
                    subscribers.push(s);

                    console.log('At end ' + util.inspect(subscribers));

                    foo.push(s.email);
                    console.log('Heres foo now: ' + util.inspect(foo));

                    callback(null, item);
                }

每次调用subscribers.push(s) 后,数组都有正确数量的元素,但所有元素都匹配s 的最后一个值,如下所示(从数据库中提取两个不同的用户):

[ { userID: 4fc53a71163006ed0f000002,
email: 'test@test.com',
name: 'undefined undefined',
stage: 'new',
poster: false,
canEmail: true },
  { userID: 4fc53a71163006ed0f000002,
email: 'test@test.com',
name: 'undefined undefined',
stage: 'new',
poster: false,
canEmail: true } ]

推送 s 的单个元素而不是整个对象似乎没问题。我添加了“foo”数组作为测试,它工作正常:

Heres foo now: [ 'email1@foo.com', 'test@test.com' ]

这里发生了什么?!?!??!

2个回答

问题不在于push方法,而在于Array.prototype你的绑定。您正在s中的每次迭代中修改相同的对象,async.foreach它实际上与先前定义的对象相同Subscriber

首先,您应该将s变量的声明移动到 foreach 块。

而且,如果您想创建一个具有默认值的对象,它应该是 a function,它返回一个新对象:

function Subscriber() {
  return {
    'userID':   '',
    'email':    '',
    'name':     '',
    'stage':    '',
    'poster':   false,
    'canEmail': false,
    'stage':    ''
  };
};

然后你可以Subscriber像这样实例化一个对象:

var s = Subscriber();

有关更多解释,请参阅此答案MDN 上的闭包

我犯了一个多么新手的错误。这正是我没有看到的。
2021-05-09 20:32:48
谢谢!在找到这个解决方案之前,我已经被难住了好几天。它不仅解决了我的问题,而且我现在更好地理解了闭包和词法范围。
2021-05-13 20:32:48
哦,天哪,我在不同的场景中遇到了同样的问题。感谢您的解决方案。
2021-05-13 20:32:48

在推入数组之前克隆对象,也解决了问题。

temp = clone(s);
subscribers.push(temp);

获取https://www.npmjs.com/package/clone