222k views
5 votes
Write a program named IntegerExpressions that asks the user for three integers.

The program must then output results based on the following calculations:

firstResult = The sum of firstInt and secondInt divided by thirdInt

secondResult = The product of secondInt and thirdInt divided by the sum of secondInt and firstInt

thirdResult = The product of firstInt and thirdInt mod by the secondInt


Note:

firstInt, secondInt, and thirdInt represent the three integers entered by the user.

firstResult, secondResult, and thirdResult represent the results of the calculations.

n mod m means the remainder obtained when n is divided by m.


The prompt to the user to enter the integers must be:

Enter firstInt:
Enter secondInt:
Enter thirdInt:



The output must be in the format:

First Result = firstResult
Second Result = secondResult
Third Result = thirdResult



Please make sure to end each line of output with a newline.

Please note that your class should be named IntegerExpressions.

User Stevelove
by
7.9k points

1 Answer

1 vote

Answer:

import java.util.Scanner;

public class IntegerExpressions {

public static void main(String[] args) {

Scanner input = new Scanner(System.in);

System.out.print("Enter firstInt: ");

int firstInt = input.nextInt();

System.out.print("Enter secondInt: ");

int secondInt = input.nextInt();

System.out.print("Enter thirdInt: ");

int thirdInt = input.nextInt();

double firstResult = (firstInt + secondInt) / (double) thirdInt;

double secondResult = (secondInt * thirdInt) / (double) (secondInt + firstInt);

int thirdResult = (firstInt * thirdInt) % secondInt;

System.out.printf("First Result = %.2f\\", firstResult);

System.out.printf("Second Result = %.2f\\", secondResult);

System.out.printf("Third Result = %d\\", thirdResult);

}

}

Step-by-step explanation:

In this program, we use a Scanner object to read input from the user. We prompt the user to enter three integers using the System.out.print statement and read the integers using the Scanner.nextInt method.

We then perform the required calculations and store the results in firstResult, secondResult, and thirdResult. The double data type is used for firstResult and secondResult since the results can be decimal values.

Finally, we use the System.out.printf method to output the results in the specified format, with two decimal places for firstResult and secondResult. Each line of output ends with a newline character (\\).

User Ninjin
by
8.6k points