Problem Description
Write a program that takes a given sequence of integers as input and calculates their sum.
The input is provided in the form of a string, separated by spaces or commas.
Examples of input data that the program should handle include:
"1, 2, 3, 4, 5"
, "10 20 30"
, which contain arbitrary numbers.
Input Format
The input is given in the form of a string, with each number separated by spaces or commas.
Example input: "5, 10, 15, 20"
Output Format
The sum of the numbers should be printed as an integer.
Example output: 50
Problem-Solving Process
Step 1: Reading Input Data
Read the string entered by the user and use a
String
type variable to handle it.
Step 2: Parsing the String
Split the input string based on spaces or commas to extract each number.
To do this, you can use the String.split()
method.
Step 3: Converting Strings to Integers
Convert the split string numbers to integers using the Integer.parseInt()
method.
Step 4: Calculating the Sum
Use a loop to calculate the sum of the converted integer array.
Sum each number using a for
loop.
Java Code Example
import java.util.Arrays;
public class SumOfNumbers {
public static void main(String[] args) {
String input = "5, 10, 15, 20";
int sum = sumOfNumbers(input);
System.out.println("Sum of numbers: " + sum);
}
public static int sumOfNumbers(String input) {
// Splitting the string
String[] numbers = input.split("[,\\s]+");
// Sum variable
int sum = 0;
// Summing numbers
for (String number : numbers) {
sum += Integer.parseInt(number);
}
return sum;
}
}
Conclusion
In this lesson, we wrote a program to calculate the simple sum of numbers using Java.
It is very important to learn string processing methods to handle various input formats
as part of your coding test preparation.
Based on this foundation, we encourage you to challenge more complex problems.