在postgresql中计算两个相应列的总和的方法

时间:2015-08-08 16:50:20

标签: postgresql view

我有两个名为“incoming”和“orders”的表,我想创建一个名为“stock”的视图,它使用来自传入和订单的数据生成。

CREATE TABLE incoming
(
  id serial NOT NULL,
  model integer,
  size integer,
  color integer,
  price real,
  quanity integer,
  CONSTRAINT pk PRIMARY KEY (id),
  CONSTRAINT "incoming_model_size_color_key" UNIQUE (model, size, color)

CREATE TABLE orders
(
  id serial NOT NULL,
  model integer,
  size integer,
 color integer,
  price real,
  quanity integer,
  Comenttext text,
  CONSTRAINT pk_orders PRIMARY KEY (id)
)

现在我有这个肮脏的解决方案:

CREATE OR REPLACE VIEW stock AS 
 WITH total_orders AS (
             SELECT orders.model,
            orders.size,
            orders.color,
            sum(orders.quanity) AS sum
           FROM orders
          GROUP BY orders.color, orders.size, orders.model
        )
 SELECT incoming.model,
    incoming.size,
    incoming.color,
    incoming.quanity - (( SELECT
                CASE count(*)
                    WHEN 1 THEN ( SELECT total_orders_1.sum
                       FROM total_orders total_orders_1
                      WHERE incoming.model = total_orders_1.model AND incoming.size = total_orders_1.size)
                    ELSE 0::bigint
                END AS "case"
           FROM total_orders
          WHERE incoming.model = total_orders.model AND incoming.size=total_orders.size)) AS quanity
   FROM incoming;

我怎样才能更清晰简单地使用它?

的示例:

 select * from incloming

 id | model | size | color | price | quanity
----+-------+------+-------+-------+--------
  1 |     1 |    6 |     5 |   550 |      15
  2 |     1 |    5 |     5 |   800 |      20


select * from orders 

 id | model | size | color | price | quanity | 
----+-------+------+-------+-------+---------+
  1 |     1 |    6 |     5 |  1000 |       1 | 
  2 |     1 |    6 |     5 |  1000 |       2 | -- sum is 3

select * from stock

 model | size | color | quanity
-------+------+-------+----------
 1     |    6 |     5 |      12 --= 15 - 3 !! excellent
 1     |    5 |     5 |      20 -- has no oerders yet

1 个答案:

答案 0 :(得分:0)

您只需要在聚合订单上保持联接:

select i.model, i.size, i.color, i.quantity, 
       o.qty as ordered, 
       i.quantity - coalesce(o.qty, 0) as quantity_on_stock
from incoming i
  left join (
     select model, size, color, sum(quantity) as qty
     from orders 
     group by model, size, color
  ) o on (o.model, o.size, o.color) = (i.model, i.size, i.color);

SQLFiddle:http://sqlfiddle.com/#!15/7fbec/2

当您使用CTE作为基础时,最终结果如下:

WITH total_orders AS (
  SELECT orders.model,
         orders.size,
         orders.color,
         sum(orders.quantity) AS sum
  FROM orders
  GROUP BY color, size, model
)
SELECT i.model,
       i.size,
       i.color,
       i.quantity - coalesce(tot.sum, 0) AS quanity
FROM incoming i
  LEFT JOIN total_orders tot on (tot.model, tot.size, tot.color) = (i.model, i.size, i.color);

CTE或派生表(第一个解决方案)是否更快,您需要测试。