Search⌘ K
AI Features

Solution: Investment Growth Calculator

Explore how to implement an investment growth calculator with a loop that tracks years and updates the principal by 5 percent each iteration. Understand control flow concepts that manage repeated operations for precise financial calculations in C++.

We'll cover the following...
// Calculating compound interest with loops
#include <iostream>

int main() {
    double principal;
    std::cout << "Please enter the principal amount: ";
    std::cin >> principal;

    std::cout << "Projecting growth for 10 years..." << std::endl;

    // Simulation loop
    for (int year = 1; year <= 10; ++year) {
        // Add 5% interest
        principal = principal + (principal * 0.05); 
        std::cout << "Year " << year << ": " << principal << std::endl;
    }

    return 0;
}
Implementing solution for the investment growth calculator
...