0

我的项目是关于一家珠宝店,我试图找到每个产品类别的利润。让我更具体

我有 3 张桌子可以提供信息:

SALES(salesid,productid,数量,价格)

salesid  productid   Quantity Price
11001    13001       4        5
11002    13002       6        10
11003    13003       5        16
.
.
11012    13012       7        15

RETURN(salesid,productid,日期,数量,价格)

salesid  productid   Quantity Price
11003    13003       1        16
11007    13007       3        12
11008    13008       3        8

PROCUREMENT(procurementid,productid,数量,价格)

procurementid  productid   Quantity Price
100001         13001       10       2
100002         13002       10       2
.
. 
100012         13012       10       2

product_category(categoryid,category)

categoryid  category
1           Gold
2           Silver
.
5           Platin

产品(Productid,categoryid)

Productid  categoryid
13001      1
13002      3
.
.
13010      5

利润来自这种类型:

Profit=Quantity*Price(Sell)-Quantity*Price(Return)-Quantity*Price(Procurement)

现在问题来了..到目前为止我想到了这个

SELECT categoryid,
       category,
       (coalesce(a.rev,0)- coalesce(b.ret,0),
                           coalesce(c.cost,0)) AS profit
FROM product category AS g
    JOIN product AS h ON g.categoryid = h.categoryid
    JOIN
      (SELECT categoryid,
              sum(quantity*price) AS rev
       FROM sales AS a,
            product AS b
       WHERE a.productid = b.productid
       GROUP BY categoryid) a
    LEFT OUTER JOIN
      (SELECT cartegoryid,
              sum(quantity*price) AS ret
       FROM RETURN AS a ,
                      product AS b
       WHERE a.productid = b.productid
       GROUP BY categoryid) b ON a.categoryid = b.categoryid
    LEFT OUTER JOIN
      (SELECT categoryid,
              sum(quantity*price) AS cost
       FROM procurement AS a,
            product AS b
       WHERE a.productid = b.productid
       GROUP BY categoryid) c ON a.categoryid = c.categoryid ,
    product AS d,
    procurement AS e
WHERE MONTH(f.date) = MONTH(e.date)
  AND YEAR(date) = 2013 

[抱歉对齐,我是该网站的新手,不知道如何很好地复制粘贴代码(:D)]当我这样做时,它会进入类似的状态

categoryid  category  profit
1           Gold      -100
2           Silver    -100
.
5           Platin    -100

不知道问题出在哪里...我做了很多更改和切换,但没有任何结果...任何建议都会很有帮助。谢谢你

4

1 回答 1

0

最初看起来您的利润公式中有一个额外的逗号。这个

(coalesce(a.rev,0) - coalesce(b.ret,0),coalesce(c.cost,0)) as profit

应该是这个

coalesce(a.rev,0) - coalesce(b.ret,0) - coalesce(c.cost,0) AS profit

此查询的更多问题

  • 在 where 子句之前,在加入 cost 子查询之后,添加产品和采购表,但不加入它们。这将导致笛卡尔连接,这将抛弃您的结果。
  • 在 where 子句中,您没有指定要使用哪些表的日期字段。AND YEAR(date) = 2013应该是e.datef.date。如果您尝试运行它,那应该会给您一个错误。
  • WHERE MONTH(f.date) = MONTH(e.date)f.date 指的是哪个表?您没有f为任何表提供别名。
  • 您加入采购并使用其日期字段按月过滤结果,但您的收入、退货和成本子查询总计均未考虑日期。这将甩掉你的结果。
于 2013-06-02T22:56:14.153 回答