我有一个这样的表(Oracle,10)
Account Bookdate Amount
1 20080101 100
1 20080102 101
2 20080102 200
1 20080103 -200
...
我需要的是按帐户asc和Bookdate asc按帐户顺序分组的新表格,其中包含一个正在运行的总字段,如下所示:
Account Bookdate Amount Running_total
1 20080101 100 100
1 20080102 101 201
1 20080103 -200 1
2 20080102 200 200
...
有一种简单的方法吗?
提前致谢。
答案 0 :(得分:15)
你真的需要额外的桌子吗?
您可以通过一个简单的查询获得所需的数据,如果您希望它看起来像一个表格,您显然可以将其创建为一个视图。
这将为您提供所需的数据:
select
account, bookdate, amount,
sum(amount) over (partition by account order by bookdate) running_total
from t
/
这将创建一个视图,向您显示数据,就好像它是一个表:
create or replace view t2
as
select
account, bookdate, amount,
sum(amount) over (partition by account order by bookdate) running_total
from t
/
如果你真的需要这张桌子,你的意思是你需要不断更新吗?还是只有一次?显然,如果它是一次性的,你可以使用上面的查询“创建表格作为选择”。
我使用的测试数据是:
create table t(account number, bookdate date, amount number);
insert into t(account, bookdate, amount) values (1, to_date('20080101', 'yyyymmdd'), 100);
insert into t(account, bookdate, amount) values (1, to_date('20080102', 'yyyymmdd'), 101);
insert into t(account, bookdate, amount) values (1, to_date('20080103', 'yyyymmdd'), -200);
insert into t(account, bookdate, amount) values (2, to_date('20080102', 'yyyymmdd'), 200);
commit;
编辑:
忘了添加;你指定你想要对表进行排序 - 这实际上没有意义,并且让我认为你真的意味着你想要查询/视图 - 排序是你执行的查询的结果,而不是那些在表(忽略索引组织表等)。
答案 1 :(得分:4)
我将从这个非常重要的问题开始:不要创建一个表来保存这些数据。当你这样做时,你会发现你需要保持它,这将成为一个永无止境的头痛。如果要执行此操作,请编写视图以返回额外列。如果你正在使用数据仓库,那么可能你会做这样的事情,但即使这样在视图一边也是错误的,除非你根本无法获得索引所需的性能,体面的硬件等。
这是一个以您需要的方式返回行的查询。
SELECT
Account,
Bookdate,
Amount,
(
SELECT SUM(Amount)
FROM My_Table T2
WHERE T2.Account = T1.Account
AND T2.Bookdate <= T1.Bookdate
) AS Running_Total
FROM
My_Table T1
另一种可能的解决方案是:
SELECT
T1.Account,
T1.Bookdate,
T1.Amount,
SUM(T2.Amount)
FROM
My_Table T1
LEFT OUTER JOIN My_Table T2 ON
T2.Account = T1.Account AND
T2.Bookdate <= T1.Bookdate
GROUP BY
T1.Account,
T1.Bookdate,
T1.Amount
测试它们的性能,看看哪种效果更好。另外,我没有对你提供的例子进行彻底的测试,所以一定要测试一些边缘情况。
答案 2 :(得分:3)
使用分析,就像上一个问题一样:
create table accounts
( account number(10)
, bookdate date
, amount number(10)
);
delete accounts;
insert into accounts values (1,to_date('20080101','yyyymmdd'),100);
insert into accounts values (1,to_date('20080102','yyyymmdd'),101);
insert into accounts values (2,to_date('20080102','yyyymmdd'),200);
insert into accounts values (1,to_date('20080103','yyyymmdd'),-200);
commit;
select account
, bookdate
, amount
, sum(amount) over (partition by account order by bookdate asc) running_total
from accounts
order by account,bookdate asc
/
输出:
ACCOUNT BOOKDATE AMOUNT RUNNING_TOTAL
---------- -------- ---------- -------------
1 01-01-08 100 100
1 02-01-08 101 201
1 03-01-08 -200 1
2 02-01-08 200 200