Control Flow
Java Program to Calculate Sum of Natural Numbers
A Java program to calculate the sum of natural numbers up to a given number.
Problem Description
Write a Java program to calculate the sum of natural numbers from 1 to n.
Code
public class SumNatural {
public static void main(String[] args) {
int num = 100, sum = 0;
for(int i = 1; i <= num; ++i)
{
// sum = sum + i;
sum += i;
}
System.out.println("Sum = " + sum);
}
}Output
Sum = 5050Explanation
- Loop: Iterates from 1 to
num. - Accumulator: Adds the current value of
itosumin each iteration.
