3.1.Expressions
An expression is a construct that is composed of variables, operators, and method invocations, and it evaluates to a single value in accordance with the syntax of the language. The following expressions are illustrated in bold below, as you have already seen examples:
int cadence = 0; anArray[0] = 100; System.out.println("Element 1 at index 0: " + anArray[0]); int result = 1 + 2; // result is now 3 if(value1 == value2) System.out.println("value1 == value2");
An expression, with its left-hand operand, determines the data type of the value returned. In Java programming, expressions can return a variety of values, including integers and boolean or string values. The data type of the left-hand operand is the same as the expression’s data type. Compound expressions can be generated from smaller expressions, provided the data type of one part matches that of the other. An illustration of a compound expression is as follows:
1 * 2 * 3
The order in which the expression is evaluated is irrelevant in this instance, as the result of multiplication is not affected by order; the outcome remains consistent regardless of the order in which the multiplications are applied. Nevertheless, this is not the case for all expressions. For instance, the results of the subsequent expression are contingent upon whether the addition or division operation is executed first:
x + y / 100 // ambiguous
Balanced parenthesis can be employed to specify the precise manner in which an expression will be evaluated: ( and ). For instance, the following could be written to ensure that the preceding expression is unambiguous:
(x + y) / 100 // unambiguous, recommended
The expression’s operator precedence determines the order of operations if you don’t specify it. High-priority operators are evaluated first. The division operator precedes the addition operator. Thus, these two statements are equivalent:
x + y / 100
x + (y / 100) // unambiguous, recommended
Write compound expressions with parentheses indicating which operators should be evaluated first. Code is easier to read and maintain with this practice.