JavaScript Operators

Operators in JavaScript are symbols that perform operations on operands. Here are the main categories of operators:

Arithmetic Operators

These operators perform arithmetic operations on numeric values.

  • Addition (+)
  • Subtraction (-)
  • Multiplication (*)
  • Division (/)
  • Modulus (%)
let sum = 5 + 3; // Result: 8
let difference = 10 - 5; // Result: 5
let product = 4 * 6; // Result: 24
let quotient = 20 / 4; // Result: 5
let remainder = 17 % 5; // Result: 2 (remainder of the division)

Assignment Operators

These operators assign values to variables.

  • Assignment (=)
  • Addition Assignment (+=)
let x = 10; // Assigns the value 10 to variable x
let y = 5;
y += 3; // Equivalent to: y = y + 3; // Result: 8

Comparison Operators

These operators compare values and return a boolean result.

  • Equal to (==)
  • Strict Equal to (===)
  • Not Equal to (!=)
  • Strict Not Equal to (!==)
console.log(5 == '5'); // true (loose equality)
console.log(5 === '5'); // false (strict equality)
console.log(5 != '5'); // false (loose inequality)
console.log(5 !== '5'); // true (strict inequality)

Logical Operators

These operators perform logical operations.

  • Logical AND (&&)
  • Logical OR (||)
  • Logical NOT (!)
if (true && false) {
  // Code here won't be executed
}

if (true || false) {
  // Code here will be executed
}

if (!false) {
  // Code here will be executed
}

Increment and Decrement Operators

These operators increase or decrease the value of a variable.

  • Increment (++) and Decrement (--)
let count = 5;
count++; // Increment by 1 (Result: 6)
count--; // Decrement by 1 (Result: 5)

Ternary (Conditional) Operator

This operator provides a concise way to write conditional statements.

  • Ternary Operator (condition ? expr1 : expr2)
let age = 20;
let status = (age >= 18) ? 'Adult' : 'Minor';

These are some of the fundamental operators in JavaScript. Understanding how to use them is essential for writing effective and dynamic JavaScript code.