作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我需要计算利率可能随年份变化的产品的复利。
下面的简化表。 initial_value
是产品在第一年年初的值(value),final_value
是相应年末的包括利息在内的值(value)。
product year initial_value interest final_value
a 1 10000 0.03 10,300.00
a 2 0.02 10,506.00
a 3 0.01 10,611.06
b 1 15000 0.04 15,600.00
b 2 0.06 16,536.00
b 3 0.07 17,693.52
重新创建表:
CREATE TABLE temp (year INTEGER, product CHARACTER,
initial_value DECIMAL(10,2), interest DECIMAL(10,2));
INSERT INTO temp VALUES (1, 'a', 10000, 0.03);
INSERT INTO temp VALUES (2, 'a', 0, 0.02);
INSERT INTO temp VALUES (3, 'a', 0, 0.01);
INSERT INTO temp VALUES (1, 'b', 15000, 0.04);
INSERT INTO temp VALUES (2, 'b', 0, 0.06);
INSERT INTO temp VALUES (3, 'b', 0, 0.07);
以 product = a 为例,第 3 年的数字应计算为 10000 * (1+0.03) * (1+0.02) * (1+0.01)
产品的年份和数量可能会有所不同,因此我想避免按年份转置数据,但不幸的是,我想不出另一种方法来乘以各行以获得所需的结果。
最佳答案
你可以使用 RECURSIVE CTE
:
WITH RECURSIVE cte AS (
SELECT year, product, initial_value, interest, initial_value*(1+ interest) AS s
FROM temp
WHERE initial_value <> 0
UNION ALL
SELECT t.year, t.product, t.initial_value, t.interest, s * (1+t.interest)
FROM temp t
JOIN cte c
ON t.product = c.product
AND t.year = c.year+1
)
SELECT *
FROM cte
ORDER BY product, year;
输出:
┌──────┬─────────┬───────────────┬──────────┬─────────────┐
│ year │ product │ initial_value │ interest │ final_value │
├──────┼─────────┼───────────────┼──────────┼─────────────┤
│ 1 │ a │ 10000 │ 0.03 │ 10300 │
│ 2 │ a │ 0 │ 0.02 │ 10506 │
│ 3 │ a │ 0 │ 0.01 │ 10611.06 │
│ 1 │ b │ 15000 │ 0.04 │ 15600 │
│ 2 │ b │ 0 │ 0.06 │ 16536 │
│ 3 │ b │ 0 │ 0.07 │ 17693.52 │
└──────┴─────────┴───────────────┴──────────┴─────────────┘
为了纯粹的乐趣,我使用窗口函数重写了它:
SELECT *,
FIRST_VALUE(initial_value) OVER(PARTITION BY product ORDER BY year)
* exp (sum (ln (1+interest)) OVER(PARTITION BY product ORDER BY year))
FROM temp;
关于sql - 如何在 SQLite 中计算不同利率的复利,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/50545552/
我是一名优秀的程序员,十分优秀!