The following table is a set of statements and keywords that can be used in the script.
Type | Description |
| The |
| The |
| The |
| A |
| Executing different processes based on different conditions. |
| Terminates execution of the current iteration in a loop and then execute the next iteration in a loop. |
| Terminates the execution of a loop entirely. |
| Ends function execution and the function caller will return specifies a value. |
|
|
Example for if
…else
:
In this example, if A
equals 1, assign 5 to A
. If A
equals 2, assign 10 to A
. If A
does not equal 1 or 2, assign 0 to A
.A = 1;
if (A == 1) {
A = 5;
} else if (A == 2) {
A = 10;
} else {
A = 0;
}
Code Block | ||
---|---|---|
| ||
A = 1; if (A == 1) { A = 5; } else if (A == 2) { A = 10; } else { A = 0; } |
Example forwhile
:
In this example, 0 is set as the initial value for variable A
. When A
is less than 10, A
will increment by 1 every execution until A
equals 10. Once A
equals 10, the while
loop will end.
Code Block |
---|
A = 0; |
...
while (A < 10) { |
...
A = A + 1; |
...
} |
Example for do
...while
:
In this example, 0 is set as the initial value for variable A
. The do
statement will first be executed and increment A
by 1 every execution until equal to 10. Once A
equals 10, the do
...while
loop will end.
Code Block |
---|
A = 0; |
...
do { |
...
A = A + 1; |
...
} while (A < 10); |
Example for for
In this statement, all expressions for the initialization, the decision-making, and the post-loop process are described in a single statement line.
The following example displays the WHILE statement example shown above but uses the FOR statement instead.
Code Block |
---|
for (i = 1; i < 11; i = i + 1) { |
...
A = i; |
...
console.log(A);
} |
For (A=0; A<10; A=A+1) { // Write the loop statement. } |
...