如何计算IndexedDB数据库中多个表的总销售额?

时间:2016-11-03 11:14:36

标签: javascript indexeddb dexie

我尝试使用Dexie.js在JavaScript中创建一个简单的股票/销售应用程序。我不确定如何在不编写多次针对一个产品的总销售额运行查询的糟糕递归代码的情况下返回总销售额。

我的架构有点像这样:

clients: "++id, name, phone",
order: "++id, clientId, daate",
order_content: "orderId, productId, qty",
product: "++id, name, mu, mk_cost, sa_cost, prod_cost",
stock: "++id, date, productId, qty, lot"

我将产品类型存储在"产品"价格和其他细节。下订单时,我将clientId存储在Order中,然后我使用" order_content"使用orderId作为键进行排序,将项目存储在那里。

我基本上想要为每个项目和总和做一个总计。

我尝试在db.product.each()循环中运行下面的代码,但似乎让我自己变得复杂。

var product1Total = 0;
function calculateTotal(productId, price){
db.order_content
.where("productID")
.equals(productId)
.each(function(item){
product1Total += (price * qty)
})
}

谢谢!

2 个答案:

答案 0 :(得分:2)

如果您的目标是在单个查询中获取特定订单的总价,并且prod_cost是您的产品的成本,并且您想要特定订单的总价,则应该执行以下操作:< / p>

function calculateTotal (orderId) {
    return db.order_content
        .where('orderId').equals(orderId).toArray()
    .then(orderContents => {
        return Promise.all(
            orderContents.map(oc => db.product.get(oc.productId))
        ).then (products => {
            return orderContents.reduce (
                (total, oc, i) => total + oc.qty * producs[i].prod_cost, 0);
        });
    });
}

或使用异步功能:

async function calculateTotal (orderId) {
    let orderContents = await db.order_content
        .where('orderId').equals(orderId).toArray();

    let products = await Promise.all(orderContents.map(oc =>
        db.product.get(oc.productId));

    return orderContents.reduce (
        (total, oc, i) => total + oc.qty * producs[i].prod_cost, 0);
}

或者使用vanilla ES5 javascript:

function calculateTotal (orderId) {
    return db.order_content
        .where('orderId').equals(orderId).toArray()
    .then(function (orderContents) {
        return Dexie.Promise.all(
            orderContents.map(function (oc) {
                return db.product.get(oc.productId);
            })
        ).then (function (products) {
            return orderContents.reduce (
                function (total, oc, i) {
                    return total + oc.qty * producs[i].prod_cost;
                }, 0);
        });
    });
}

答案 1 :(得分:1)

您的查询没有任何问题,但您应该将其封装在promise-returns函数中。通过链接Dexie的Collection.each()返回的承诺很容易实现。

function calculateTotal(productId, price) {
    var total = 0;
    return db.order_content
        .where("productID")
        .equals(productId)
        .each(function(item){
            total += (price * item.qty)
        }).then (function () {
            return total;
        });
}

或者在ES7中:

async function calculateTotal (productId, price) {
    var total = 0;

    await db.order_content
        .where("productID")
        .equals(productId)
        .each (item => total += (price * item.qty));

    return total;
}