This site is retired and is no longer updated since November 2021. Please visit our new website at https://www.teamscode.org for up-to-date information!
Arithmetic Operators

Code Bar
() Parentheses
% Modulo
* Multiply
/ Divide
+ Add
- Subtract
(int) Casts number to int
(double) Casts number to double

In computer programming, understanding order of operations is essential to having correct mathematical operations. The order of operations used in computers is very similar to our mathematical order of operations. Math operations are read from left to right, parentheses are first completed, then multiplication, division, and modulo, then addition and subtraction.

Modulo is a math operation which finds the remainder of a number in division operations. Here are some examples:

    5 % 3 = 2
    15 % 7 = 1
    45 % 9 = 0

Modulo is useful for many mathematical applications. One of which is determining if a number is even or odd.

    int num;
    num % 2;        // equals 0 if num is even or equals 1 if num is odd

When using Java to calculate values, the variable type of each variable becomes vital to the final value. Here are three important rules which need to be known when working with int and double calculations:

Operations which combine ints and doubles will produce a double as a result. Here is an example:

    int a = 3;
    double b = 1.0;
    // a * b = 3.0
    // 3 (a + 2) - b = 14.0

Int operations which do not result in an integer will round the result to the next smallest integer; this is called truncating. Here is an example:

    int k = 1;
    //  k / 2 = 0

Values can be converted to another variable type - such as double, int, long, float, etc - by using a tool known as casting.

Casting with numerical types like ints will change the storage size and the precision of value (decimals). Casting is often used as a tool to prevent mathematical errors or correcting parameters. Here is the syntax:

    (TYPE) #

By using casting, the result of a mathematical relationship will vary dramatically depending on the placement of the action. Here is an example:

    int j = 3;
    double k = 2.5;

    j - k;          // = 0.5
    j - (int) k;    // = 3 - 2 = 1
    (int) (j - k);  // = (int) 0.5 =  0 

Casting changes the type of the value, not the type of the variable. Therefore, if a variable is initialized to a type different from its own, complications can occur.

Lesson Quiz

1. What is the value of the below statement?

    178 % 2
a. 1
b. 0
c. 2
d. 3

2. What is the proper format for casting the int variable k to type double?

a. k (int : double)
b. (int : double) k
c. double k
d. (double) k

3. What is the correct result of the below mathematical operation?

    int o = 4;
    double y = 5.5;
    (int) (o + y) - y;
a. 4
b. 3.5
c. 5
d. 4.5

Written by James Richardson

Notice any mistakes? Please email us at learn@teamscode.com so that we can fix any inaccuracies.