In this program, you'll learn to store and multiply two integer numbers in Java. After multiplication, the final value is displayed on the screen.
To understand this example, you should have the knowledge of the following Java programming topics:
A Java program that multiply two numbers given by the user is as follows:
import java.util.Scanner;
class Main {
public static void main(String[] args) {
Scanner input = new Scanner(System.in); // create an object of Scanner
System.out.print("Enter two numbers: "); // take input from the user
int first = input.nextInt();
int second = input.nextInt();
System.out.println("Entered numbers are: " + first + " " + second);
// multiply two numbers
int multiplication = first * second;
System.out.println("Multiplication: " + first + " * " + second + " = " + multiplication);
input.close();
}
}
Enter two numbers: 10 2
Entered numbers are: 10 2
Multiplication: 10 * 2 = 20
Just like the previous program of addition,
first
and second
are multiplied using the *
operator, and its result is stored in another variable multiplication
.
And then, multiplication
along with some string concatenation is printed on the screen using println()
function.
Don’t know how to take input from the user ? Look at this examples
Here two input numbers are taken from user one after another with space in between them which distinguish between two different inputs, this useful behavior is because of the default settings of Scanner called as Delimiter, learn more here.
Multiplication can be performed between positive, negative numbers as well.
import java.util.Scanner;
class Main {
public static void main(String[] args) {
Scanner input = new Scanner(System.in); // create an object of Scanner
System.out.print("Enter two numbers: "); // take input from the user
double first = input.nextDouble();
double second = input.nextInt();
System.out.println("Entered numbers are: " + first + " " + second);
// multiply two numbers
double multiplication = first * second;
System.out.println("Multiplication: " + first + " * " + second + " = " + multiplication);
input.close();
}
}
Enter two numbers: -13.0 2.3
Entered numbers are: -13.0 2.3
Multiplication: -13.0 * 2.3 = -29.9
Datatype of variable multiplication
is double
, because the result of multiplying two numbers having data type double
is double
.
Note: Here, the output multiplication
is negative, because these operations follow standard mathematical rules.