Answer:
The program is as follows:
import java.util.*;
public class Main{
    public static void process(char ch, int x, int y){
 if(ch == '+'){
     System.out.print(x+y);  }
 else if(ch == '-'){
     System.out.print(x-y);  }
 else if(ch == '*'){
     System.out.print(x*y);  }
 else if(ch == '/'){
     if(y!=0){
         double num = x;
         System.out.print(num/y);      }
     else{
         System.out.print("Cannot divide by 0");     }	}
 else{
     System.out.print("Invalid operator");	}
  }
 public static void main(String[] args) {
  Scanner input = new Scanner(System.in);
  int x, y;
  char ch;
  System.out.print("Enter two integers: ");
  x = input.nextInt(); y = input.nextInt();
  System.out.print("Enter operator: ");
  ch = input.next().charAt(0);   
  process(ch,x, y);
 }
}
Explanation:
The function begins here
    public static void process(char ch, int x, int y){
If the character is +, this prints the sum of both integers
<em> if(ch == '+'){</em>
<em>     System.out.print(x+y);  }</em>
If the character is -, this prints the difference of both integers
<em> else if(ch == '-'){</em>
<em>     System.out.print(x-y);  }</em>
If the character is *, this prints the product of both integers
<em> else if(ch == '*'){</em>
<em>     System.out.print(x*y);  }</em>
If the character is /, this prints the division of both integers.
<em> else if(ch == '/'){</em>
<em>     if(y!=0){</em>
<em>         double num = x;</em>
<em>         System.out.print(num/y);      }</em>
<em>     else{</em>
<em>This is executed if the denominator is 0</em>
<em>         System.out.print("Cannot divide by 0");     }	}</em>
Invalid operator is printed for every other character
 <em>else{</em>
<em>     System.out.print("Invalid operator");	}</em>
<em> </em> }
The main begins here
 public static void main(String[] args) {
  Scanner input = new Scanner(System.in);
This declares both integers
  int x, y;
This declares the operator
  char ch;
Get input for both integers
<em>  System.out.print("Enter two integers: ");</em>
<em>  x = input.nextInt(); y = input.nextInt();</em>
Get input for the operator
<em>  System.out.print("Enter operator: ");</em>
<em>  ch = input.next().charAt(0);   </em>
Call the function
  process(ch,x, y);
 }
}