I'm looking to figure out a simple loop in order to calculate an amortization schedule in Swift.
So far, here is my setup on Playground:
let loanAmount: Double = 250000.00
let intRate: Double = 4.0
let years: Double = 30.0
var r: Double = intRate / 1200
var n: Double = years * 12
var rPower: Double = pow(1 + r, n)
var monthlyPayment: Double = loanAmount * r * rPower / (rPower - 1)
var annualPayment: Double = monthlyPayment * 12
For the actual loop, I'm unsure how to fix the code below.
for i in 0...360 {
var interestPayment: Double = loanAmount * r
var principalPayment: Double = monthlyPayment - interestPayment
var balance: Double; -= principalPayment
}
Looking to generate a monthly schedule. Thanks in advance for any tip.
I'm guessing you mean to declare the
balance
variable outside the loop, and to decrement it inside the loop:This should print out the correct balances going down to zero for the final balance (well actually
9.73727765085641e-09
– but that's a whole other question).If you wanted to create a monthly balance, say in an array, you could add an additional array variable to store that in:
Advanced version for anyone who's interested
You might wonder if there's a way to declare
monthlyBalances
withlet
rather thanvar
. And there is! You could usereduce
:However this is a bit nasty for a couple of reasons. It would much much nicer if the Swift standard library had a slightly different version of reduce called
accumulate
that generated an array out of a running total, like this:And here's a definition of
accumulate
: