Java Operators

Java operators are symbols used to perform operations on operands (variables, literals, or expressions). Here's an overview:

Arithmetic Operators:

  • Used to perform arithmetic operations.
  • Include addition (+), subtraction (-), multiplication (*), division (/), and remainder/modulus (%).

Assignment Operators:

  • Used to assign values to variables.
  • Include simple assignment (=) and compound assignment (e.g., +=, -=, *=, /=).

Comparison Operators:

  • Used to compare two values.
  • Include equal to (==), not equal to (!=), greater than (>), less than (<), greater than or equal to (>=), and less than or equal to (<=).

Logical Operators:

  • Used to perform logical operations.
  • Include logical AND (&&), logical OR (||), and logical NOT (!).

Unary Operators:

  • Operate on a single operand.
  • Include unary plus (+), unary minus (-), pre-increment (++), pre-decrement (--), and logical complement (!).

Ternary Operator:

  • Conditional operator (? :) used for decision-making.

Bitwise Operators:

  • Used to perform bitwise operations on integer types.
  • Include bitwise AND (&), bitwise OR (|), bitwise XOR (^), left shift (<<), right shift (>>), and unsigned right shift (>>>).

Example

public class OperatorsExample {
    public static void main(String[] args) {
        // Arithmetic operators
        int a = 10;
        int b = 5;
        int sum = a + b;
        int difference = a - b;
        int product = a * b;
        int quotient = a / b;
        int remainder = a % b;

        // Assignment operators
        int x = 10;
        x += 5; // Equivalent to x = x + 5

        // Comparison operators
        boolean isEqual = (a == b);
        boolean isGreater = (a > b);

        // Logical operators
        boolean logicalAnd = (a > 0) && (b < 10);
        boolean logicalOr = (a < 0) || (b < 0);
        boolean logicalNot = !(a == b);

        // Unary operators
        int num = 10;
        num++; // Increment by 1
        num--; // Decrement by 1
        boolean isNegative = !(num > 0);

        // Ternary operator
        int result = (a > b) ? a : b;

        // Bitwise operators
        int bitwiseAnd = a & b;
        int bitwiseOr = a | b;
        int bitwiseXor = a ^ b;
        int leftShift = a << 1;
        int rightShift = a >> 1;
    }
}

Summary

Java operators perform various operations on operands and are essential for arithmetic, assignment, comparison, logical, unary, ternary, and bitwise operations in Java programs. Understanding operators is crucial for writing efficient and correct Java code.