Javascript Basics: Detailed Explanation of Operators and Flow Control

Javascript Basics: Detailed Explanation of Operators and Flow Control

1. Operator

Operators are symbols used to perform functions such as assignment, comparison, and arithmetic operations. Commonly used operators are classified as follows

  • Arithmetic operators
  • Increment and decrement operators
  • Comparison Operators
  • Logical operators
  • Assignment Operators

1.1 Arithmetic operators

Operators describe Case
+ add 10+20=30
- reduce 10-20=-10
* take 10*20=200
/ remove 10/20=0.5
% Modulo Returns the remainder of the division 9%2=1
  //alert(1 + 1);
        console.log(1 + 1); // Type spaces on both sides of the operator //alert(1 - 1); //0
        //alert(1 * 1); //1
        //alert(1 / 1); //1

1. % remainder (modulus)

//alert(4 % 2); //0
 //alert(5 % 3); //2
//alert(3 % 5); //3 Attention! ! ! ! ! ! ! ! ! !

2. There will be problems in floating point arithmetic operations

  var result = 0.1 + 0.2; // The result is not 0.3, but: 0.30000000000000004
  console.log(0.07 * 100); // The result is not 7, but: 7.000000000000001

The maximum precision of floating-point values ​​is 17 decimal places, but their precision is far less than that of integers when performing arithmetic operations, so do not directly determine whether two floating-point numbers are equal!

3. We cannot directly compare floating point numbers for equality

 var num = 0.1 + 0.2;
 alert(num == 0.3); //false To convert to binary, there will be errors in accuracy
  • Expressions and return values
    • Expression: A formula consisting of numbers, operators, and variables.
    • Return value: After each expression is calculated, there will be a final result, which is called the return value of the expression.
  // An expression composed of numbers, operators, variables, etc. is called an expression 1+1 // alert(1 + 1); //2 is the return value //Writing method //1 + 1=2 // In our program, 2 = 1 + 1 calculates the expression on the right and returns the value to the left var num = 1 + 1; // alert(num); //2

1.2 Increment and decrement operators

If you need to repeatedly add or subtract 1 from a numeric variable, you can use the increment ( + + ) and decrement ( - - ) operators to accomplish this.

In JavaScript, the increment ( + + ) and decrement ( - - ) operators can be placed either before or after a variable. When placed before a variable, it is called a pre-increment (decrement) operator, and when placed after it, it is a post-increment (decrement) operator.

Note: The increment and decrement operators must be used with variables.

Prefix increment operator usage : first add to itself, then return the value

 <script>
        //1. Want a variable to add 1 num=num+1, which is troublesome var num = 1;
        num = num + 1; // ++num
        num = num + 1;
        //alert(num); //3
        //2. Prefix the increment operator ++ before the variable var age = 20;
        ++age; //similar to age = age + 1
        //alert(age); //21
        // 3. Add 1 first and then return the value var p = 10;
        alert(++p + 10); //21
    </script>

Prefix increment operator usage : first return the original value and then add 1

 <script>
        var num = 10;
        num++; // num = num + 1 ++num
        // alert(num); //11
        //1. If the pre-increment and post-increment are used separately, the effect is the same //2. Post-increment formula: return the original value first and then add 1
        var age = 10;
        //alert(age++ + 10); //20
        //alert(age); //11
        //alert(age + 10); //21
    </script>

Examples:

 <script>
        var a = 10;
        ++a; //++a = 11 a=11 ++a is an expression var b = ++a + 2; // a=12 a++ = 12 Prefix: first add itself, then return the value //alert(b); //14  
        var c = 10;
        c++; //c++ = 11 c = 11
        var d = c++ + 2; //c++ = 11 c = 12 Postposition: return the original value first, then add it //alert(d); //13
        var e = 10;
        var f = e++ + ++e; // e++ =10 e=11 ++e=12
        console.log(f); //22
        // Post-increment expression returns the original value and then increments the variable by 1
        // Prefix increment first, then operation // Used alone, the running results are the same // When developing, most people use postfix increment/decrement, and the code occupies a single line, for example: num++; or num--
 </script>

1.3 Comparison Operators

Comparison operators are operators used to compare two data. Comparison operators return a Boolean value (true/false) as the result of the comparison operation.

Operators describe Case
+ add 10+20=30
- reduce 10-20=-10
* take 10*20=200
/ remove 10/20=0.5
% Modulo Returns the remainder of the division 9%2=1
<script>
        // alert(3 >= 5); //false
        // alert(2 <= 5); //true
        //1. The equal symbol in our programmers is ==. The default conversion data type will convert string data to numeric type. //Only the value is required to be relative. //alert(3 == 5); //false
        //alert('pink teacher' == 'Andy Lau'); //false 
        //alert(18 == 18); //true
        //alert(18 == '18'); //true
        //alert(18 != 18); //false != not equal //2. Among us programmers, we have the requirement that the values ​​on both sides are exactly the same, and the data types must be exactly the same for it to be true
        //alert(18 === 18); //true
        //alert(18 === '18'); //false 
</script> 
symbol effect usage
= Assignment Give the right to the left
== judge Determine whether the values ​​on both sides are equal (note that there is implicit conversion at this time)
=== congruent Determine whether the values ​​and data types on both sides are completely equal

1.4 Logical operators

Concept: Logical operators are operators used to perform Boolean operations, and their return values ​​are also Boolean values. It is often used to judge multiple conditions in later development

 <script>
        // 1. Logical AND && (and) The result is true if both sides are true. As long as one side is false, the result is false
        //alert(3 > 5 && 3 > 2); //false
        //alert(3 < 5 && 3 > 2); //true
        // 2. Logical or || (or) If both sides are false, the result is false. As long as one side is true, the result is true.
        //alert(3 > 5 || 3 > 2); //true
        //alert(3 > 5 || 3 < 2); //false
        //3. Logical negation! (not)
        alert(!true); //false
    </script>

practise:

   <script>
        var num = 7;
        var str = "I love you~China~";
        alert(num > 5 && str.length >= num); //true
        alert(num < 5 && str.length >= num); //false
        alert(!(num < 10)); //false
        alert(!(num < 10 || str.length == num)); //false
    </script>

Short-circuit operation (logical interruption): (js API)

When there are multiple expressions (values), if the value of the expression on the left can determine the result, the value of the expression on the right will no longer be calculated;

  3. Logical AND short-circuit operation If expression 1 is true, then expression 2 is returned. If expression 1 is false, then expression 1 is returned.
        alert(123 && 456); //456 Except for 0, all numbers are true alert(0 && 456); // 0
        alert(0 && 1 + 2 && 456 * 56789); // 0
        alert('' && 1 + 2 && 456 * 56789); // ''
        If any is empty or negated it is false, the rest are true: 0 '' null undefined NaN
 4. Logical or short-circuit operation If expression 1 is true, expression 1 is returned. If expression 1 is false, expression 2 is returned.
        alert(123 || 456); // 123
        alert(123 || 456 || 456 + 123); // 123
        alert(0 || 456 || 456 + 123); // 456
Logical interruption is very important, it will affect the results of our program var num = 0;
        //alert(123 || num++); //123 num++ will not run //alert(num); // 0

1.5 Assignment Operators

Operators describe Case
= Direct assignment var userName = 'fan'
+= -= Add or subtract a number and then assign the value var age=5; age+=5
*= /= %= Multiplication, division, modulus and then assignment var age=5; age*=5
  <script>
        var num = 10;
        // num = num + 1; //num++
        // num = num + 2 //num+=2;
        var num = 10;
        num += 5;
        // alert(num); //15
        var num = 10;
        num -= 5;
        // alert(num); //5
        var age = 2;
        age *= 3;
        // alert(age); //6
        var age = 6;
        age /= 3;
        // alert(age); //2
        var age = 4;
        age%= 2;
        // alert(age); //0
    </script>

1.6 Operator precedence

Priority Operators order
1 Parentheses ()
2 Unary Operators !++--
3 Arithmetic operators * / % followed by + -
4 Relational operators > >= < <=
5 Equality Operator == != === !==
6 Logical operators First && After||
7 Assignment Operators =
8 Comma operator ,
  <script>
        // Unary operator: ++num !num Binary operator: 2 + 3
        // Exercise 1
        console.log(4 >= 6 || '人' != 'Avatar' && !(12 * 2 == 144) && true) //true
        var num = 10;
        console.log(5 == num / 2 && (2 + 2 * num).toString() === '22'); //true
        console.log('-------------------');
        // Exercise 2
        var a = 3 > 5 && 2 < 7 && 3 == 4;
        console.log(a); //false
        var b = 3 <= 4 || 3 > 1 || 3 != 2;
        console.log(b); //true
        var c = 2 === "2";
        console.log(c); //false
        var d = !c || b && a;
        console.log(d); //true
    </script>

2. Process Control

" Flow control " During the execution of a program, the execution order of each code has a direct impact on the results of the program. Many times we need to control the execution order of the code to achieve the functions we want to complete. There are three main structures for process control: sequential structure, branch structure and loop structure, which represent the order of execution of three types of codes.

Branch flow control:

2.1 The grammatical structure of if

        if (conditional expression) {
            //Execute statement}
        2. Execution idea If the result of the conditional expression in if is true, the execution statement in the curly braces is executed. If the result of the if conditional expression is false, the statement in the curly braces is not executed, and the code after the if statement is executed. 3. Experience code:
        if (3 < 5) {
            alert('Desert Camel');
        }

Examples:

  <script>
        // Pop up the prompt input box, the user enters the age, the program takes this value and saves it in the variable // Use the if statement to determine the age. If the age is greater than 18, execute the output statement in the if brackets var age = prompt('Please enter your age');
        if (age >= 18) {
            alert('You can enter the Internet cafe')
        }
    </script>

2.2 if else double branch statement

<script>
        // 1. Syntax structure if else // if (conditional expression) {
        // // Execute statement 1
        // } else {
        // // Execute statement 2 
        // }
        // 2. Execution idea If the expression result is true, then execute statement 1, otherwise execute statement 2
        // 3. Code verification var age = prompt('Please enter your age:');
        if (age >= 18) {
            alert('I want to take you to the Internet cafe to steal headphones');
        } else {
            alert('Go away and do your homework');
        }
        // 5. Only one of the statements 1 in if and 2 in else can be executed.
        // 6. else is followed directly by curly braces</script>

Example : Leap Year

  // Algorithm: A leap year is divisible by 4 and not by 100 (e.g. 2004 is a leap year, 1901 is not a leap year) or a leap year is divisible by 400 // Pop up a prompt input box, let the user enter the year, take the value and save it in a variable // Use an if statement to determine whether it is a leap year. If it is a leap year, execute the output statement in the if braces, otherwise execute the output statement in the else braces // Be sure to pay attention to the writing of && and or ||, and also note that the method of judging whether it is divisible is to take the remainder as 0
         var year = prompt("Please enter the year to be tested:")
        if (year % 4 == 0 && year % 100 != 0 || year % 400 == 0) {
            alert(year + 'is a leap year')
        } else {
            alert(year + 'is a normal year')
        }

2.3 if else if statement (multiple choice 1)

<script>
        // 1. A multi-branch statement is a process of using multiple conditions to select different statements to execute and get different results. // 2. It is a multi-branch statement // 3. Syntax specification if else if statement if (conditional expression 1) {
            //Statement 1;
        } else if (conditional expression 2) {
            //Statement 2;
        } else if (conditional expression 3) {
            //Statement 3;
        } else {
            //Last statement;
        }
        // 4. Execution ideas // If conditional expression 1 is satisfied, execute statement 1. After execution, exit the entire if branch statement // If conditional expression 1 is not satisfied, determine if conditional expression 2 is satisfied, and execute statement 2. And so on // If all the above conditional expressions are not true, execute the statements in else // 5. Points to note // (1) Multiple branch statements or multiple choice 1. Only one statement can be executed in the end // (2) Theoretically, there can be any number of conditions in else if // (3) There is a space in the middle of else if</script>

Case : Grades

    <script>
        // Pseudocode follows the idea of ​​judging from large to small // Pop up a prompt input box and let the user enter the score (score), and save this value in a variable // Use multi-branch if else if statements to judge and output different values ​​var score = prompt('Please enter a score:');
        if (score >= 90) {
            alert('A');
        } else if (score >= 80) { //No need to write: 90>score>=80 to run the following, it must be less than 90 alert('B');
        } else if (score >= 70) {
            alert('C');
        } else if (score >= 60) {
            alert('D');
        } else {
            alert('E'); //Quotes are required, otherwise it will be considered a variable and needs to be declared.}
    </script>

2.4 Ternary Expressions

<script>
        // 1. The expression composed of ternary operators is called a ternary expression // 2. Unary operator: ++num Binary operator: 3 + 5 Ternary operator: ? :
        // 3. Syntax structure // Conditional expression? Expression 1: Expression 2
        // 4. Execution ideas // If the conditional expression is true, return the value of expression 1. If the conditional expression is false, return the value of expression 2. // 5. Code experience var num = 10;
        var result = num > 8 ? 'Yes' : 'No' // We know that the expression has a return value, assign it to result 
        console.log(result); //Yes//Equivalent to:
        var num = 10;
        if (num > 5) {
            alert('Yes');
        } else {
            alert('No');
        }
        // Ternary expression is a simplified version of if else
    </script>

Example : Adding 0 to numbers

   <script>
        // User inputs a number between 0 and 59 // If the number is less than 10, add 0 in front of the number (add 0 for concatenation) otherwise no operation is performed // Use a variable to receive this return value and output var num = prompt('Please enter a number between 0 and 59?')
            //Ternary expression: expression? Expression 1: Expression 2;
        var result = num < 10 ? '0' + num : num; //Character type 0 Assign the return value to a variable alert(result);
    </script>

2.5 switch branch flow control

The switch statement is also a multi-branch statement, which is used to execute different code based on different conditions. Switch is used when you want to set a series of options for a variable to specific values.

    <script>
        //1. The switch statement is also a multi-branch statement and can also implement multiple selections 1
        // 2. Syntax structure switch conversion, switch case small example or option meaning break exit /* switch (expression) {
                case value1: execute statement 1; break;
                case value2: execute statement 2; break;
                case value3: execute statement 3; break;
                default: execute the last statement;
            } */
        // 3. Execution idea: Use the value of our expression to match the option value after case. If it matches, execute the statement in the case. If it does not match, execute the statement in default. switch (2) {
            case 1: alert('This is 1'); break;
            case 2: alert('This is 2'); break; //This is 2
            case 3: alert('This is 3'); break;
            default: alert('No matching results');
        }
    </script>

Note:

        var num=1;
        switch(num){
            case 1: console.log(1);break; //1
            case 2: console.log(2);break;
            case 3: console.log(3);break;
        }
        // 1. When we develop expressions, we often write them as variables // 2. When the value of num matches the value in case, they are identical. The value and data type must be consistent. num === 1

If there is no break in the current case, the switch will not be exited and the next case will be executed.

  var num=1;
        switch(num){
            case 1: console.log(1);//1
            case 2: console.log(2);//2
            case 3: console.log(3);//3
        }

Case: Query fruit case

<script>
        // Pop up a prompt input box, let the user enter the name of the fruit, and save the value into a variable.
        // Use this variable as the expression inside the switch brackets.
        // Write several different fruit names in the value after case. Note that you must add quotation marks because it must be an exact match.
        // Just pop up different prices. Also note that break is added after each case to exit the switch statement.
        // Set default to no such fruit.
        var fruit = prompt('Please enter the name of the fruit')
        switch (fruit) {
            case 'apple':
                alert('The price of apples is 3.5/catties');
                break;
            case 'Durian':
                alert('The price of durian is 35/catties');
                break;
            default:
                alert('There is no such fruit');
        }
    </script>

The difference between switch statement and if else if:

1. In general, these two statements can be replaced with each other

2. The switch...case statement usually handles the case where the case is a relatively certain value, while the if...else... statement is more flexible and is often used for range judgment (greater than or equal to a certain range)

3. After the switch statement makes a conditional judgment, it directly executes the conditional statement of the program, which is more efficient. The if..else statement has several conditions, and it has to be judged as many times as there are conditions.

4. When there are fewer branches, the execution efficiency of if...else statement is higher than that of switch statement.

5. When there are many branches, the switch statement has higher execution efficiency and clearer structure.

Summarize

This article ends here. I hope it can be helpful to you. I also hope that you can pay more attention to more content on 123WORDPRESS.COM!

You may also be interested in:
  • JavaScript flow control (branching)
  • Detailed explanation of operators and process control examples in native js
  • Javascript asynchronous process control serial execution detailed explanation
  • js data type conversion and process control operation example analysis
  • JavaScript flow control (loop)

<<:  Share 6 invitation codes for unlimited activation of Alibaba Cloud Disk. If you don't believe me, you can activate Alibaba Cloud Disk.

>>:  Markup Language - Phrase Elements

Recommend

Vue-Router installation process and principle detailed

Table of contents 1. Front-end routing implementa...

jQuery plugin to implement floating menu

Learn a jQuery plugin every day - floating menu, ...

Tutorial on installing Apache 2.4.41 on Windows 10

1. Apache 2.4.41 installation and configuration T...

JDBC Exploration SQLException Analysis

1. Overview of SQLException When an error occurs ...

Gradient slide effect implemented by CSS3

Achieve results Code html <div class="css...

How to solve the front-end cross-domain problem using Nginx proxy

Preface Nginx (pronounced "engine X") i...

Six methods for nginx optimization

1. Optimize Nginx concurrency [root@proxy ~]# ab ...

Example of how to set automatic creation time and modification time in mysql

This article describes how to set the automatic c...

Database SQL statement optimization

Why optimize: With the launch of the actual proje...

Details of using vue activated in child components

Page: base: <template> <div class="...

Detailed steps to install MySQL 8.0.27 in Linux 7.6 binary

Table of contents 1. Environmental Preparation 1....

HTML special character conversion table

character Decimal Character Number Entity Name --...

Solution to the routing highlighting problem of Vue components

Preface Before, I used cache to highlight the rou...

Ubuntu 18.04 installs mysql 5.7.23

I installed MySQL smoothly in Ubuntu 16.04 before...