const
, var
, catch
, await
, typeOf
, static
, protected
, goTo
, let
amongst others.x = 'I am a stranger in this land.'
x
is the variable name, I am a stranger in this land
is the information we are storing in a box x
(which is our variable). =
is a connector. Its function is to connect a variable name with the data to be stored in the variable.Strings
, integers
, booleans
, undefined
, and null
are the five most fundamental forms of data. These are known as primitive data types. A single variable can only hold one kind of data.;
. Unlike in other languages with strict syntax rules, when writing Javascript code, semicolons are not added, it doesn't break the flow of the code. However, it is important to add these semicolons for readability.let
and const
. These two keywords provide Block Scope in JavaScript. Variables declared inside a { }
block cannot be accessed from outside the block.{ let x = 2; } // x can NOT be used here
var
, let
and const
are quite similar when declared inside a function.function functionExample() { var variableName = "Volvo"; // Function Scope };
var
, let
and const
are quite similar when declared outside a block.let x = 2; // Global scope
statements
but executes as a single unit. A function can be written like:function sayHello() { console.log("Hello world"); }; // sayHello()
function
keyword. The name of the function is followed by parentheses which can include parameters or be left blank, and a set of curly braces that encloses the entire function block. A set of instructions or arguments that are supposed to run once the function is called.sayHello()
this is a function call. Meaning, we are telling our computer to execute the commands within the function block.function addNumbers(num1, num2) { console.log(num1 +num2) }; addNumbers(1, 2);
if
to specify a block of code to be executed, if a specified condition is trueelse
to specify a block of code to be executed, if the same condition is falseelse if
to specify a new condition to test, if the first condition is false.var hour = 24 if (hour < 18) { greeting = "Good day";} else if (hour = 12) { greeting = "It is noon!" } else { greeting = "Good evening"; } console.log(greeting)
if
) the value of hour
is <18, it should log on the console "Good day". However (else if
), if the value of hour
=12, it should log on the console, "It is noon!". Then (else
), if the value of hour
is >18, it should log on the console "Good evening".switch
statement specifies many alternative blocks of code to be executed.var testScore = prompt("What is your score?"); function grade(testScore) { switch (true) { case testScore <= 39: alert("You got an F!"); break; case testScore <=44: alert("You got a E!"); break; case testScore <= 49: alert("You got a D!"); break; case testScore <= 59: alert("You got a C!"); break; case testScore <= 69: alert("You got a B!"); break; case testScore <= 100: alert("You got an A!"); break; default: alert("You did not take the test!"); break; } } grade(testScore);
switch
statement. We initially created a variable to store a user's input. We take the value of that input and analyze it with our switch
statement such that if it is less than or equal to (<=
) the number specified in either of our cases, the command inside the case
block will be run. Think of each case as an else if
statement.while
loop loops through a block of code as long as a specified condition is true.while (i < 10) { text += "The number is " + i; i++; }
do...while
statements combo defines a code block to be executed once, and repeated as long as a condition is true
. The do...while
is used when you want to run a code block at least one time.If you use a variable in the condition, you must initialize it before the loop, and increment it within the loop. Otherwise, the loop will never end. This will crash your browser. If the condition is always true, the loop will never end. This will also crash your browser.let text = "Hello"; let i = 0; do { text + "John"; i++; } while (i < 5);
text + "John"
once, and then continue if condition (i < 5) is true.for
statement defines a code block that is executed as long as a condition is true
.for (statement 1; statement 2; statement 3) { code block to be executed }
true
the loop will start over again; otherwise, the loop will end. This parameter can be omitted, but not the semicolon ";"this
keyword refers to an object.this
is being invoked (used or called).this
keyword refers to different objects depending on how it is used:this
refers to the object.this
refers to the global object.this
refers to the global object.this
is undefined
.this
refers to the element that received the event.var anArray = ["hello", 1, null, false];
Array
constructor function.var emptyArray = new Array(); var controlledArray = new Array(6); var anArray = new Array(1, 'hello', null, false];
Array constructor function
. In the first line, what we have done is initialize an empty array. That is, we have opened up a 'box' or 'container' in which to store our data. This creates flexibility in that it allows our array to take any number of data inputs. In the second line, we have a controlled array. A controlled array in that we have specified a total number of values that the array is allowed to store or carry. In this case, we have made it so that controlledArray
can only have six values. In the last line, we have initialized an array, as we did in the first code example above.var emptyArray = []
var array = [1,2,3,4,5];
array
above, our value '1' is indexed at 0. Subsequently, '2' is indexed at 1, and so on. This is a concept new programmers often struggle with (I know I did 😅), but in time and with frequent practice, it becomes second nature knowledge to you.var array = [1, 2, 3, 4, 5, 6]; console.log(array[1], array[4], array[0]); //console output: 2, 5, 1
var objectExample = {name: 'John', num: 15754, isEducated: false, runOnce() {return 'I ran once!'} };
dot notation
and array notation
.var objectExample = {name: 'John', num: 15754, isEducated: false, runOnce() {return 'I ran once!'} }; console.log(objectExample.num) //this is the dot notation console.log(objectExample['isEducated']); //this is the array notation /* console output: objectExample.num: 15754 objectExample['isEducated']: false */
var string = 'string'; var length = string.length; console.log(length); //console output: 6
dot notation
at the end of our variable name. In the above code block, we see that the length
property was attached with a dot notation
at the end of our variable name string
.slice(start, end)
: this specifies to extract a string from the start of an index to the end of the index.substring(start, end)
: in this method, any negative index is treated as starting from index zero.substr(start, length)
: in this method, the second parameter is used to specify the length(or extent) to which we want the string extracted.var text = 'This is a full text.'; var slice = text.slice(5, 11); var substring = text.substring(-5, 11); var substr = text.substr(5, 11); console.log(slice, substring, substr); /* console output: slice: is a f substring: This is a f substr: is a full t */
.slice
, we got the string sliced from index 5 to index 11. But we see something funny here. The extraction does stop at 10. Yes, that is because in programming, when selecting a range, we start from the beginning of the range to the number just before the end of the range. So, as in the example above, our extraction stopped at index 10.toUpperCase()
toLowerCase()
var example1 = 'hello'; var upperCase = example1.toUpperCase(); var example2 = 'HELLO'; var lowerCase = example2.toLowerCase(); console.log(upperCase, lowerCase); /* console output: upperCase: HELLO lowerCase: hello */
var array = ['hello', 1, null, false]; console.log(array.length); // console output: 4
var salutations = ['Hello', 'Hi', 'Hey', 'Howdy'] salutations.pop(); console.log(salutations); salutations.push('Ekaroo'); console.log(salutations); /* console output: salutations.pop(): ['Hello', 'Hi', 'Hey'] salutations.push('ekaroo'): ['Hello', 'Hi', 'Hey', 'Ekaroo'] */
let array = [1, 2, 'kitty', 4, 5, 6, 7]; let [1, 2, 3, 4, 5, 6, 7] = array; console.log(3); //console output: kitty
array[3]
to get the item at index 3
, all we had to do was type in '3'. You can read more about destructuring here.function thisIsAFunction() { //Enter function code block here }
Generator
object; can be paused and resumed with the yield
operatorPromise
; can be paused and resumed with the await
operator.async function thisIsAFunction() { //Enter function code block here }
AsyncGenerator
object; both the await
and yield
operators can be usedreturn
statement, the function will stop executing.function myFunction(a, b) { return a * b; // Function returns the product of a and b } console.log(myFunction(5, 6)); //console output: 30
->
syntax in future JavaScript) has a shorter syntax compared to function expressions and does not have its own this
. Arrow functions are always anonymous.this
.const arrow = () => {return 'Her name is Chloe'} arrow()
function fizzBuzz() { for (let i = 0; i < 100; i++) { if (i % 15 === 0) { console.log("fizzBuzz") } else if (i % 3 === 0) { console.log("fizz") } else if (i % 5 === 0) { console.log("Buzz") } else { console.log(i) } } } fizzBuzz()
...
) allows us to quickly copy all or part of an existing array or object into another array or object.var firstSixNumbers = [1, 2, 3, 4, 5, 6]; var firstTenNumbers = [...firstSixNumbers, 7, 8, 9, 10]; console.log(firstTenNumbers); //console output: [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
Posted Oct 29, 2024
👉🏾 Javascript is the world's most popular programming language. 👉🏾 Javascript is the programming language of the Web. 👉🏾 JavaScript is easy to learn. 😏
0
0