1

我有一个简单的销售应用程序,我在控制器中查询数据库。检索结果,使用 async.each 函数对数据进行一些操作,然后将数组发送到视图。

即使我的日志显示数组中的数据,我的视图也收到一个空白数组。

"index": function(req, res, next) {
    Sales.find().sort("createdAt DESC").done(function(err, sales) {
        if (err) {
            res.send("An error has occured. :(");
        } else {
            if (!sales) {
                req.session.flash = {
                    err: {
                        message: "You have no billing as of now.",
                        style: "alert-info"
                    }
                }
            } else {

                var bills = [];

                async.eachSeries(sales, function(thisSale, callback) {
                    if (!bills[thisSale.billingNo]) {
                        bills[thisSale.billingNo] = {
                            id: thisSale.billingNo,
                            createdAt: thisSale.createdAt,
                            total: (thisSale.quantity * thisSale.price),
                            location: thisSale.location,
                        };
                    } else {
                        bills[thisSale.billingNo].total += (thisSale.quantity * thisSale.price);
                    }
                    callback();
                }, function(err) {
                    if (err) {
                        console.log('Something went wrong !');
                        exit();
                    } else {
                        res.send({
                            billing: bills
                        });
                        console.log("=====\nBILL\n=====\n", bills);
                    }
                });
            }
        }
    });
},

我用 res.send 替换了 res.view 来调试我的代码,在客户端我只收到这个:

{
  "billing": []
}

虽然控制台日志显示:

=====
BILL
=====
 [ '53b95fdc1f7a596316f37af0': { id: '53b95fdc1f7a596316f37af0',
    createdAt: Sun Jul 06 2014 20:10:28 GMT+0530 (IST),
    total: 6497,
    location: 'Location A' },
  '53b8f7c81f7a596316f37aed': { id: '53b8f7c81f7a596316f37aed',
    createdAt: Sun Jul 06 2014 12:46:24 GMT+0530 (IST),
    total: 6497,
    location: 'Location A' } ]

有人可以帮我弄清楚我做错了什么吗?

4

2 回答 2

1

我试图调试这个问题,发现我无法访问 bills[0] 然后在数组 bills 上使用 forEach 循环,发现它无法运行 for each 循环。

在将变量 bills 从数组更改为对象时,问题已得到解决。

我不完全确定为什么会发生这种情况,或者为什么我无法将变量添加到数组中,但是会改变

var bills = [];

var bills = {};

解决了这个问题。

于 2014-07-06T17:03:47.850 回答
1

也许您来自“关联数组”是有效类型的 PHP 背景?在 Javascript 中,数组只能由整数索引,例如

bills[0] = "something";

Javascript 数组与所有非原始类型一样,都是对象实例,因此它们可以添加任意属性,这有点让人困惑:

bills.abc = 123;
bills["some arbitrary string"] = 555;

但是强烈建议您不要以这种方式使用数组,原因有很多,包括:

  • JSON.stringify()将忽略非整数索引,这就是您在问题中遇到问题的原因。Sails(以及许多其他库)用于JSON.stringify()序列化 Javascript 对象以进行传输。
  • Javascript 数组有几个保留键,例如length,push并且pop您不能为其赋值。
  • 数组的length()方法不会计算非整数键。
  • 以这种方式使用数组只是令人困惑;这就是普通对象(用 声明{})的用途!

希望这可以解释为什么更改为var bills = {}使一切正常。

于 2014-07-07T16:11:30.727 回答