I have an accounting calculation problem. I want to write it with SQL Query (in ssms). I have two groups of documents related to one person (creditor and debtor) Creditor documents cover debtor documents. Consider the following example: (How can the result be achieved?)
USE [master]
GO
DROP TABLE IF EXISTS #credit/*creditor=0*/,#debit/*Debtor=1*/
SELECT *
INTO #debit
FROM (values
(88,'2/14',1,5,1),(88,'2/15',2,5,1)
)A (personID,DocDate,DocID,Fee,IsDebit)
SELECT *
INTO #credit
FROM (values
(88,'2/16',3,3,0),(88,'2/17',4,7,0)
)A (personID,DocDate,DocID,Fee,ISDeb)
SELECT * FROM #credit
SELECT * FROM #debit
--result:
;WITH res AS
(
SELECT 88 AS personID ,1 deb_DocID ,5 deb_Fee , 3 Cre_DocID ,3 Cre_Fee, 0 remain_Cre_Fee
UNION
SELECT 88 AS personID ,1 deb_DocID ,5 deb_Fee , 4 Cre_DocID ,7 Cre_Fee, 5 remain_Cre_Fee
UNION
SELECT 88 AS personID ,2 deb_DocID ,5 deb_Fee , 4 Cre_DocID ,7 Cre_Fee, 0 remain_Cre_Fee
)
SELECT *
FROM res
Sample data
Using an ISO date format to avoid any confusion.
The
docdate
andisdebit
columns will not be used in the solution...docdate
under the assumptions that the values are incremental and that it is allow to deposit a credit fee before any debit fee.isdebit
flag seems redundant if you are going to store debit and credit transactions in separate tables anyway.Updated sample data:
Solution
Couple steps here:
cte_debit
).cte_credit
).select * from cte_debit
)cross apply
(cc1
). This contains thedocid
of the first document that applies to the debit document.cross apply
(cc2
). This contains thedocid
of the last document that applies to the debit document.join cte_credit cc on cc.docid >= cc1.docid and cc.docid <= cc2.docid
).cc.credit_sum - cd.debit_sum
). Use acase
expression to filter out negative values.Full solution:
Result
Fiddle to see things in action. This also contains the intermediate CTE results and some commented helper columns that can be uncommented to help to further understand the solution.