Java Arithmetic Operators

Definition:
Arithmetic Operations is just like it sounds, you can perform the operations on numerical values as well as numerical variables.

Syntax:
First, let’s see what it looks like when directly printing to console.

System.out.println(10 / 5);   // integer divide by integer = 2
System.out.println(12 + 3.0); // integer add double = 15
System.out.println(12f + 3.0); // integer divide by a float = 15
System.out.println("12" + 3); // adding string to an integer will print it as string = 123
System.out.println('a' + 3);  // you can add char to an integer, every single char has a corresponding number, so for example character 'a' has a coresponding number in the system 97, therefore, when you perform addition of char 'a' the output will be: 97  + 3 = 100
System.out.println(12.1 - 4);// double or a float minus integer = 8.1 (note that you have to add letter f to the end of the number to devrale it as float
System.out.println(12.1f - 4);// output: 8.1

System.out.println("10 / 4"); // you cannot add strings, the system sees it as text
Java

Now let’s take a look at the Arithmetic Operations using and storing them in a variables.

double result = 12.0 / 3;  // in this case, we are performing division of a double and an integer, and storing the result in the double variable, but becasue the result is a whole number, double variable will print it without decimal point
System.out.println(result); // output: 4

int b = 10 / 3;
System.out.println(b); // output 3

double c = 10 / 3;
System.out.println(c); // output: 3


double d = 10 / 3.0; // in this case we are performing same operation as the first example, but becasue 10 is not evenly divisible by 3 we will have decimal points at the output.
System.out.println(d); // output: 3.333...

int x = 3 / 2;
System.out.println(x); // output: 1
Java

We can also declare two numbers and then perform an operation storing it in the third variable, let’s see what it looks like.

double x = 1.5;
double y = 2.0;
double result = x + y;
System.out.println(result); // output: 3.5
// by doing it this way we have the ability to either reuse or validate same variables later.
Java