我正在尝试添加交易表中的金额,但添加必须以相反的顺序完成交易,按它们所属的贷款分组。让我举几个例子:
Transactions
tid loanid amount entrydate
------------------------------------
1 1 1,500 2013-06-01
2 2 1,500 2013-06-01
3 1 1,000 2013-06-02
4 3 2,300 2013-06-04
5 5 2,000 2013-06-04
6 1 1,100 2013-06-07
7 2 1,000 2013-06-09
| | | |
Loans
loanid
------
1
2
3
4
5
|
如您所见,loanid 4 没有交易,只是为了明确指出,每笔贷款都没有义务存在交易。
现在,我想要实现的是总结每笔贷款交易的金额。第一种方法实现了这一点:
SELECT tr.tid,
l.loanid,
tr.entrydate,
tr.amount,
@prevLoan:=l.loanid prevloan,
@amnt:=if(@prevLoan:=l.loanid, @amnt+tr.amount, tr.amount) totAmnt
FROM (SELECT * FROM Transactions) tr
JOIN (SELECT @prevLoan:=0, @amnt:=0) t
JOIN Loans l
ON l.loanid = tr.loanid
GROUP BY l.loanid, tr.tid
实现了这样的目标:
tid loanid entrydate amount prevloan totAmnt
-----------------------------------------------------------
1 1 2013-06-01 1,500 1 1,500
3 1 2013-06-02 1,000 1 2,500
6 1 2013-06-07 1,100 1 3,600 <-- final result for loanid=1
2 2 2013-06-01 1,500 2 1,500
7 2 2013-06-09 1,000 2 2,500 <-- final result for loanid=2
4 3 2013-06-04 2,300 3 2,300 <-- final result for loanid=3
5 5 2013-06-04 2,000 5 2,000 <-- final result for loanid=5
| | | | | |
如您所见,对于每笔贷款,属于它的交易金额在 totAmnt 列中汇总,因此每笔贷款的最后一笔交易具有同一笔贷款的交易总和。
现在....我真正需要的是让总和以相反的顺序完成。我的意思是,对于每笔贷款的相同交易,总和仍然得到相同的结果,但我需要从每笔贷款的最后一笔交易到第一笔交易的总和。
我尝试了以下方法,但无济于事(它与最后一个查询相同,但在 FROM 事务表上有一个 Order By DESC):
SELECT tr.tid,
l.loanid,
tr.entrydate,
tr.amount,
@prevLoan:=l.loanid prevloan,
@amnt:=if(@prevLoan:=l.loanid, @amnt+tr.amount, tr.amount) totAmnt
FROM (SELECT * FROM Transactions ORDER BY tr.entrydate DESC) tr
JOIN (SELECT @prevLoan:=0, @amnt:=0) t
JOIN Loans l
ON l.loanid = tr.loanid
GROUP BY l.loanid, tr.tid
我使用 tr.entrydate 是因为它是一种更熟悉的方式来表示订单标准,除了政策所说的是有效的订单标准之外,tid 可能会说些什么,但 entrydate 是 Transactions 表的排序列......
使用上一个查询,我得到的结果与第一个查询相同,所以我想那里一定缺少一些东西。我需要的是得到如下结果:
tid loanid entrydate amount prevloan totAmnt
-----------------------------------------------------------
6 1 2013-06-07 1,100 1 1,100
3 1 2013-06-02 1,000 1 2,100
1 1 2013-06-01 1,500 1 3,600 <-- final result for loanid=1
7 2 2013-06-09 1,000 2 1,000
2 2 2013-06-01 1,500 2 2,500 <-- final result for loanid=2
4 3 2013-06-04 2,300 3 2,300 <-- final result for loanid=3
5 5 2013-06-04 2,000 5 2,000 <-- final result for loanid=5
| | | | | |
正如您所看到的,每个loanid 的总和得到相同的最终结果,但总和是以相反的顺序完成的交易......
希望所有这些混乱都清楚......我怎样才能达到这样的结果?