In this tutorial, we will learn writing a java program to create an array and calculate the sum of elements stored in the array.
Our program will first take the input of array size and then the elements of the array. And then calculate the sum of elements of the input array and print as an output.
For Example
Case 1: if the user inputs 4 as array size and the array elements as 1,2,3,4.
The output should be 10.
Case 2: if the user inputs 5 as array size and the array elements as 9,8,7,6,5.
The output should be 35.
Java Program to Find the Sum of Array Elements
import java.util.*;
public class Main
{
public static void main(String[] args) {
int sum=0;
Scanner sc = new Scanner(System.in);
System.out.println("Java Program to find sum of array elements");
System.out.print("Enter the size of array: ");
int size = sc.nextInt();
int arr[] = new int[size];
for(int i=0; i<size; i++) {
System.out.print("Please give value for index "+ i +" : ");
arr[i] = sc.nextInt();
}
for(int i=0; i<size; i++)
{
sum=sum+arr[i];
}
System.out.print("Sum of array elements is "+ sum);
}
}
Output
Java Program to find sum of array elements
Enter the size of array: 5
Please give value for index 0 : 4
Please give value for index 1 : 3
Please give value for index 2 : 2
Please give value for index 3 : 5
Please give value for index 4 : 2
Sum of array elements is 16
What did you think?