DEV Community

Cover image for 🎮Leveling Up with JavaScript: Operators, Conditionals and Loops🕹️
Aniket Botre
Aniket Botre

Posted on

🎮Leveling Up with JavaScript: Operators, Conditionals and Loops🕹️

Hello, Code Warriors! 🎉 Today, we're stepping into the JavaScript battleground to tackle Operators, Conditionals, and Loops. Get ready to level up your JavaScript skills, and remember - in the world of JavaScript, even the smallest operator can have a big impact! 🌟


🎮 Mastering JavaScript Operators

Operators in JavaScript are the magical spells that perform operations on our values. Let's break down these mystical entities!

Arithmetic Operators: The Basic Spell Book 📖

From conjuring the sum of two numbers with + to harnessing the power of exponentiation with **, arithmetic operators are your weapons of choice for numerical wizardry. 🧙‍♂️

JavaScript.info — Operators

The following math operations are supported:

  • Addition (+) :
console.log(10+2)
//Output: 12
Enter fullscreen mode Exit fullscreen mode
  • Subtraction (-) :
console.log(10-2)
//Output: 8
Enter fullscreen mode Exit fullscreen mode
  • Multiplication (*) :
console.log(10*2)
//Output: 20
Enter fullscreen mode Exit fullscreen mode
  • Division (/) :
console.log(10/2)
//Output: 5
Enter fullscreen mode Exit fullscreen mode
  • Remainder (%) : The remainder operator %, despite its appearance, is not related to percents. The result is the remainder of integer divsion of two operands.
console.log(10%2)
//Output: 0
Enter fullscreen mode Exit fullscreen mode
  • Exponentiation (**) : The exponentiation operator raises a to the power b or here 10 to the power of 2 .
console.log(10**2)
//Output: 100
Enter fullscreen mode Exit fullscreen mode

Quirky Behavior😜

Meme regarding quirky behavior of js for arithmetic operators

let stringConcatenation = "10" + 5;  // Result: "105"
let subtractionSurprise = 10 - "5";  // Result: 5
Enter fullscreen mode Exit fullscreen mode

Welcome to JavaScript, the magical realm where arithmetic operators have a mind of their own. Behold the addition operator (‘+’), a versatile performer that can switch between adding numbers and joining strings, blurring the lines between math and art. Watch the amazing spectacle of “10” + 5, resulting in the unexpected fusion of “105”! And let’s not forget the subtraction operator (‘-’), which, when confronted with a string, unleashes its inner translator and gracefully produces numerical results, like a puzzle waiting to be cracked.

Assignment Operators: Commanding the Variables 💼

Assignment operators equip variables with values. They’re the quartermasters of JavaScript, ensuring every variable is ready for battle. = is the basic assignment operator, but why just assign when you can add (+=) or subtract (-=) at the same time? Efficiency is key on the battlefield! 💪

let healthPoints = 100;
healthPoints += 20; // Power up!
console.log(healthPoints); // 120
Enter fullscreen mode Exit fullscreen mode

Comparison Operators: The Gatekeepers 🚪

Comparison operators (==, ===, !=, !==, >, <, >=, <=) are the gatekeepers of JavaScript. They compare two values and decide whether to let the code pass through or not. Remember, === and !== are the strict bouncers - they check for type as well as value! All comparison operators return a Boolean value!

JavaScript.info — Comparison Operators

  • Equality(==): This operator is used to compare the equality of two operands. If equal then the condition is true otherwise false.

Syntax: x == y

  • Strict equality(===): This operator is used to compare the equality of two operands with type. If both value and type are equal then the condition is true otherwise false.

Syntax: x === y

  • Strict inequality(!==): This operator is used to compare the inequality of two operands with type. If both value and type are not equal then the condition is true otherwise false.

Syntax: x !== y

  • Greater than operator(>): This operator is used to check whether the left side value is greater than the right side value. If value is greater then the condition is true otherwise false.

Syntax: x > y

  • Greater than or equal operator(>=): This operator is used to check whether the left side operand is greater than or equal to the right side operand. If value is greater than or equal, then the condition is true otherwise false.

Syntax : x >= y

  • Less than operator(<): This operator is used to check whether the left side value is less than right side value. If yes then the condition is true otherwise false.

Syntax: x < y

  • Less than or equal operator(<=): This operator is used to check whether the left side operand value is less than or equal to the right side operand value. If yes then the condition is true otherwise false.

Syntax: x <= y

console.log(2 > 1);  // true 
console.log(2 == 1); // false
console.log(2 == "2"); //true
console.log(2 != 1); // true
console.log(2 === 2); // false
console.log(2 !== "2"); // true
console.log(2 > 1); //true
console.log(2 >= 2); //true
console.log(2 < 1); //false
console.log(2 <= 2); //true
Enter fullscreen mode Exit fullscreen mode

JavaScript meme

Logical Operators: Mapping Strategy 🧭

Logical operators (&&, ||, !) are the strategists of the JavaScript army, mapping out the logic between variables or values. They're crucial in making tactical decisions on the fly. ⚔️

JavaScript.info — Logical Operators

  • NOT(!=): It reverses the boolean result of the operand (or condition).
let geek = 1;
console.log(!geek); // false
Enter fullscreen mode Exit fullscreen mode

The operator converted the value 1 to Boolean and it resulted in true then after it flipped(inversed) that value and that’s why when we finally alert the value we get false.

  • AND(&&): It evaluates the operands from left to right, for each operand, it will first convert it to a boolean. If the result is false, stops and returns the original value of that operand, otherwise if all were truthy it will return the last truthy value.
console.log( 0 && 1 ); // 0
console.log( 1 && 3 ); // 3
console.log( null && true ); // null
console.log( 1 && 2 && 3 && 4); // 4
Enter fullscreen mode Exit fullscreen mode
  • OR(||): It evaluates the operand from left to right, for each operand, it will first convert it to a boolean. If the result is true, stops and returns the original value of that operand. Otherwise if all the values are falsy, it will return the last value.
console.log( 0 || 1 ); // 1
console.log( 1 || 3 ); // 1
console.log( null || true ); // true
console.log( -1 || -2 || -3 || -4); // -1
Enter fullscreen mode Exit fullscreen mode

Values that are coerced into true are called truthy, while those coerced into false are called falsy. This whimsical behavior can lead to unexpected outcomes, such as the string “0” being truthy while the number 0 is falsy, and an empty array or object being truthy despite their emptiness. JavaScript’s unique approach to truthy and falsy values keeps developers on their toes, adding a touch of surprise to the coding experience. So, while other languages may stick to the conventional, JavaScript embraces the unconventional, infusing a sense of playfulness into its very core.

Special Operators: The Secret Weapons 🗝️

JavaScript also boasts of special operators like the nullish coalescing operator (??), and optional chaining operator (?.). These operators give JavaScript its unique flavor, adding a bit of spice to our code. 🌶️

Nullish coalescing operator ‘??’ (javascript.info)

  • Nullish coalescing operator(??): It is a new feature introduced in this ECMA proposal has now been adopted into the official JavaScript Specification. This operator returns the right hand value if the left hand value is null or undefined. If not null or undefined then it will return left hand value.

Syntax: value ?? default_value

let power = null;
let defaultPower = 50;
let finalPower = power ?? defaultPower;  // 50
Enter fullscreen mode Exit fullscreen mode
  • Optional Chaining operator(?.): When navigating through deeply nested objects, the optional chaining operator gracefully short-circuits if a property along the chain is null or undefined, gracefully returning undefined without causing a TypeError. With its introduction as part of the ES2020 standard, the optional chaining operator has become a staple in modern JavaScript development, empowering developers to simplify their code and enhance overall readability.
// Example of Optional Chaining Operator
const adventurer = {
  name: 'Alice',
  equipment: {
    weapon: {
      type: 'sword',
      damage: 25
    }
  }
};

// Accessing a nested property without optional chaining
// This would throw a TypeError if equipment or weapon is undefined
// const damage = adventurer.equipment.weapon.damage;

// Accessing a nested property with optional chaining
const damage = adventurer.equipment?.weapon?.damage;

console.log(damage);  // Output: 25
Enter fullscreen mode Exit fullscreen mode

In this example, the optional chaining operator (?.) gracefully handles the access of nested properties. Without the optional chaining operator, accessing adventurer.equipment.weapon.damage directly could potentially lead to a TypeError if equipment or weapon were to be undefined along the chain.

The optional chaining operator in JavaScript is a very useful and elegant feature for accessing values from APIs. APIs often return complex nested JSON objects, and the data structure may vary. The optional chaining operator allows developers to traverse the nested properties of the API response safely and avoid ‘undefined’ errors.


JavaScript Conditionals: Navigating the Terrain 🌍

Conditionals in JavaScript are like the quest maps in RPG games. They guide the flow of execution and help us make decisions based on conditions. Let’s start the quest!

If, Else, Else-If Statements: Choosing the Path 🚶‍♀️

if statement is that first step you take towards your quest, else-if is the alternative path you can choose, and else is the path you take when all else fails. Always remember that in the game of JavaScript, every decision counts!

Conditional branching: if, ‘?’ (javascript.info)

let enemy = "Dragon";

if (enemy === "Dragon") {
    // 👈 Using if statement for decision making
    console.log("Equip sword 🗡️");
} else if (enemy === "Wizard") {
    console.log("Equip shield 🛡️");
} else {
    console.log("Run away! 🏃‍♂️");
}
Enter fullscreen mode Exit fullscreen mode

Switch Statements: The Multi-Door Dungeon 🚪

The switch statement is like a multi-door dungeon. Based on your choice, only one door will open, leading to treasures untold! 🏦

let playerClass = "Rogue";

switch (playerClass) {
    case "Warrior":
        console.log("Equip sword and shield");
        break;
    case "Mage":
        console.log("Prepare the arcane spells");
        break;
    case "Rogue":
        console.log("Sharpen the daggers");
        break;
    default:
        console.log("Choose your class wisely");
}
// Output: Sharpen the daggers
Enter fullscreen mode Exit fullscreen mode

🎭 Ternary Operator

A quick decision-making potion! A shorthand tale of if-else, where the condition unfolds in a swift dance.

let healthPoints = 30;
let heroStatus = healthPoints > 0 ? "Alive" : "Defeated";
console.log(heroStatus); // Alive
Enter fullscreen mode Exit fullscreen mode

Loops: Running the Gauntlet 🎽

Loops (for, while, do...while) are your endless running tracks. They help perform tasks repeatedly based on a condition. It's like running a gauntlet but in code! 🏃‍♀️

Loops: while and for (javascript.info)

  • While loop: A while loop is a control flow statement that allows code to be executed repeatedly based on a given Boolean condition. The while loop can be thought of as a repeating if statement.
//Syntax

//while (boolean condition)
//{
//   loop statements...
//}

//Example
var i=1;
while(i <= 10)
{
    console.log("Hello World!");
    i++;
}
// This code will output "Hello World" ten times.
Enter fullscreen mode Exit fullscreen mode
  1. While loop starts with checking the condition. If it is evaluated to be true, then the loop body statements are executed otherwise first statement following the loop is executed. For this reason, it is also called the Entry control loop.

  2. Once the condition is evaluated to be true, the statements in the loop body are executed. Normally the statements contain an update value for the variable being processed for the next iteration.

  3. When the condition becomes false, the loop terminates which marks the end of its life cycle.

  • Do-while loop: The do...while statement creates a loop that executes a specified statement until the test condition evaluates to false. The condition is evaluated after executing the statement, resulting in the specified statement executing at least once.
//Syntax

// do{
//  statement
//}while(condition);

//Example:
let result = 0;
let i = 5;

do {
  i += 1;
  result = result + i;
} while (i > 5);
console.log(result);
// Output: 6
Enter fullscreen mode Exit fullscreen mode
  1. The do-while loop starts with the execution of the statement(s). There is no checking of any condition for the first time.

  2. After the execution of the statements, and update of the variable value, the condition is checked for a true or false value. If it is evaluated to be true, the next iteration of the loop starts.

  3. When the condition becomes false, the loop terminates which marks the end of its life cycle.

  4. It is important to note that the do-while loop will execute its statements at least once before any condition is checked, and therefore is an example of the exit control loop.

  • For loop: For loop provides a concise way of writing the loop structure. Unlike a while loop, a for statement consumes the initialization, condition, and increment/decrement in one line thereby providing a shorter, easy-to-debug structure of looping.
//Syntax

//for (initialization condition; testing condition; increment/decrement)
//{
//    statement(s)
//}


//Example
var i;
for (i = 0; i < 10; i++)
{
    console.log("Hello World!");
}
// This code will print "Hello World" ten times.
Enter fullscreen mode Exit fullscreen mode
  1. Initialization condition: Here, we initialize the variable in use. It marks the start of a for loop. An already declared variable can be used or a variable can be declared, local to loop only.

  2. Testing Condition: It is used for testing the exit condition for a loop. It must return a boolean value. It is also an Entry Control Loop as the condition is checked prior to the execution of the loop statements.

  3. Statement execution: Once the condition is evaluated to be true, the statements in the loop body are executed.
    Increment/ Decrement: It is used for updating the variable for the next iteration.

  4. Loop termination: When the condition becomes false, the loop terminates marking the end of its life cycle.


Conclusion

That’s our journey through the exciting world of JavaScript operators, conditionals, and loops. Remember, JavaScript is a game where every player, from the smallest operator to the largest loop, holds their unique importance. So, keep exploring, keep learning, and let’s meet in the next level of our JavaScript gaming quest! 🎮🚀

Happy Coding! 💻👾

Top comments (0)