JavaScript

Comprehensive Guide to Learning JavaScript for Beginners

JavaScript is a high-level, interpreted programming language primarily used for creating interactive and dynamic content on web pages. It was initially developed by Brendan Eich at Netscape Communications Corporation and was first released in December 1995. JavaScript is now one of the core technologies of web development, alongside HTML and CSS.

Here are some key characteristics and features of JavaScript:

Overall, JavaScript is a powerful and essential tool for web developers, enabling them to create dynamic and interactive web applications that enhance user engagement and interactivity.


Before diving into JavaScript, it's crucial to have a basic understanding of HTML and CSS. HTML (Hypertext Markup Language) provides the structure of a webpage, while CSS (Cascading Style Sheets) controls its appearance and layout. JavaScript often interacts with HTML and CSS to create dynamic web content, so having a foundation in these languages will be beneficial.

JavaScript can be implemented using JavaScript statements that are placed within the <script>... </script> HTML tags in a web page.

<script language = "javascript" type = "text/javascript">

   JavaScript code

</script>

The script tag takes two important attributes −

JavaScript in <head>...</head> section

If you want to have a script run on some event, such as when a user clicks somewhere, then you will place that script in the head as follows

<html>

   <head>      

      <script type = "text/javascript">

         <!--

            function sayHello() {

               alert("Hello World")

            }

         //-->

      </script>     

   </head>

   

   <body>

      <input type = "button" onclick = "sayHello()" value = "Say Hello" />

   </body>  

</html>


Let's start with the traditional "Hello, World!" program, which serves as a simple introduction to any programming language. In JavaScript, you can use the console.log() function to output messages to the browser console.

<html>

   <body>   

      <script language = "javascript" type = "text/javascript">

         document.write("Hello World!")

console.log("Hello World!");

      </script>      

   </body>

</html>

When you run this code, the message "Hello, World!" will be displayed in the console. This is a basic example of how JavaScript can be used to interact with the browser environment.

Variables are used to store and manipulate data in JavaScript. There are several data types in JavaScript, including:

Here are some examples of variable declarations and assignments:

let name = "John";           // String

let age = 30;                 // Number

let isStudent = true;         // Boolean

let colors = ["red", "green", "blue"];  // Array

let person = {                // Object

  name: "Jane",

  age: 25,

  isStudent: false

};


JavaScript Variable Scope

JavaScript variables have only two scopes.

<html>

   <body onload = checkscope();>   

      <script type = "text/javascript">

         <!--

            var myVar = "global";      // Declare a global variable

           

          function checkscope( ) {

               var myVar = "local";    // Declare a local variable

               document.write(myVar);

            }

         //-->

      </script>     

   </body>

</html>

Arithmetic Operators:

Arithmetic operators are used to perform mathematical operations like addition, subtraction, multiplication, division, and more.

Example:

var x = 10;

var y = 5;


console.log(x + y); // Addition: 15

console.log(x - y); // Subtraction: 5

console.log(x * y); // Multiplication: 50

console.log(x / y); // Division: 2

console.log(x % y); // Modulus: 0 (remainder of division)

console.log(++x);   // Increment: 11

console.log(--y);   // Decrement: 4

Note − Addition operator (+) works for Numeric as well as Strings. e.g. "a" + 10 will give "a10".

Assignment Operators:

Assignment operators are used to assign values to variables.

Example:

var x = 10;

var y = 5;


x += y; // Equivalent to x = x + y

console.log(x); // Output: 15


y *= 2; // Equivalent to y = y * 2

console.log(y); // Output: 10


Comparison Operators:

Comparison operators are used to compare two values and return a boolean result (true or false).

Example:

var a = 10;

var b = 5;


console.log(a > b);  // Greater than: true

console.log(a < b);  // Less than: false

console.log(a >= b); // Greater than or equal to: true

console.log(a <= b); // Less than or equal to: false

console.log(a === b); // Equal to (strict equality): false

console.log(a !== b); // Not equal to: true

Logical Operators:

Logical operators are used to combine or invert boolean values.

Example:

var x = true;

var y = false;


console.log(x && y); // Logical AND: false

console.log(x || y); // Logical OR: true

console.log(!x);     // Logical NOT (negation): false

Conditional (Ternary) Operator:

The conditional operator is a shorthand way of writing an if...else statement.

Example:

var age = 20;

var message = (age >= 18) ? "Adult" : "Minor";

console.log(message); // Output: Adult

Functions are blocks of code that perform a specific task and can be reused throughout your program. They help organize your code and make it more modular and easier to maintain. Functions can take parameters (inputs) and return values (outputs). Here's an example of a simple function that adds two numbers:

function addNumbers(num1, num2) {

  return num1 + num2;

}


let result = addNumbers(5, 3);

console.log(result); // Output: 8

In this example, the addNumbers() function takes two parameters (num1 and num2) and returns their sum. We then call the function with arguments 5 and 3, and the result is stored in the result variable.

Conditional statements allow you to execute different blocks of code based on certain conditions. JavaScript supports several types of conditional statements, including if, else if, and else. Here's an example using an if statement:

let hour = new Date().getHours();


if (hour < 12) {

  console.log("Good morning!");

} else if (hour < 18) {

  console.log("Good afternoon!");

} else {

  console.log("Good evening!");

}

In this example, we use the Date() object to get the current hour, and then we use an if statement to check the hour. Depending on the hour of the day, a different message will be printed to the console.

JavaScript loops are used to repeatedly execute a block of code as long as a specified condition is true. There are different types of loops in JavaScript, including for loops, while loops, and do...while loops. Here are examples of each type:

For Loop:

The for loop is used when you know the number of iterations in advance.

Example:

let colors = ["red", "green", "blue"];


for (let i = 0; i < colors.length; i++) {

  console.log(colors[i]);

}


// Print numbers from 1 to 5

for (var i = 1; i <= 5; i++) {

    console.log(i);

}

In this example, we use a for loop to iterate over the colors array. The loop starts at index 0, and for each iteration, it prints the value of the array element at that index.

While Loop:

The while loop is used when the number of iterations is not known in advance, and the loop continues until a specified condition is false.

// Print numbers from 1 to 5 using a while loop

var i = 1;

while (i <= 5) {

    console.log(i);

    i++;

}

Do...While Loop:

The do...while loop is similar to the while loop, but it always executes the block of code at least once, even if the condition is false.

// Print numbers from 1 to 5 using a do...while loop

var i = 1;

do {

    console.log(i);

    i++;

} while (i <= 5);

For...in Loop

In JavaScript, the for...in loop is used to iterate over the enumerable properties of an object. It iterates over all enumerable properties of an object, including inherited properties from its prototype chain. Here's an example demonstrating how to use the for...in loop:

// Define an object

var person = {

    firstName: "John",

    lastName: "Doe",

    age: 30

};


// Iterate over the properties of the object using for...in loop

for (var key in person) {

    // Check if the property belongs to the object itself (not inherited)

    if (person.hasOwnProperty(key)) {

        console.log(key + ": " + person[key]);

     }

}


// Output

firstName: John

lastName: Doe

age: 30

In this example:

It's important to note that the order of iteration is not guaranteed to be the same as the order in which properties were defined in the object literal. Also, properties with enumerable flag set to false will not be iterated over by the for...in loop.

Switch Statement

The switch statement in JavaScript is used to perform different actions based on different conditions. It evaluates an expression, matches the expression's value to a case clause, and executes statements associated with that case. If no match is found, an optional default case will be executed. Here's an example demonstrating how to use the switch statement:

var grade = 'A'; 

switch (grade) {

    case 'A': document.write("Good job<br />");

        break;            

    case 'B': document.write("Pretty good<br />");

        break;            

    case 'C': document.write("Passed<br />");

        break;            

    case 'D': document.write("Not so good<br />");

        break;            

    case 'F': document.write("Failed<br />");

        break;            

    default:  document.write("Unknown grade<br />")

}

Loop Control Statements: 

JavaScript also provides loop control statements like break and continue to control the flow of loops.

Example:

// Print numbers from 1 to 5 using a for loop with break and continue

for (var i = 1; i <= 10; i++) {

    if (i === 3) {

        continue; // Skip iteration if i is 3

    }

    if (i === 6) {

        break; // Exit loop if i is 6

    }

    console.log(i);

}

In this example, the loop skips printing the number 3 using continue, and it exits when it reaches the number 6 using break.

These are the basic examples of using loops in JavaScript. Loops are powerful constructs for iterating over arrays, performing repetitive tasks, and controlling program flow. Understanding how to use loops effectively is essential for writing efficient and concise JavaScript code.


Error handling in JavaScript is the process of gracefully handling errors or exceptions that may occur during the execution of a program. This helps prevent crashes and allows you to provide meaningful feedback to users. JavaScript provides try...catch blocks for error handling. Here's an example:

try {

    // Code that may throw an error

    var x = y; // y is not defined

} catch (error) {

    // Code to handle the error

    console.error("An error occurred:", error.message);

}

In this example:

You can also use finally block which will be executed regardless of whether an error occurred or not:

try {

    // Code that may throw an error

    var x = y; // y is not defined

} catch (error) {

    // Code to handle the error

    console.error("An error occurred:", error.message);

} finally {

    // Code that will always be executed

    console.log("Execution completed.");

}


In this example, the finally block will execute regardless of whether an error occurred or not. It's useful for cleanup tasks or operations that must be performed regardless of errors.

You can also throw your own errors using the throw statement:

try {

    var userInput = prompt("Enter a number:");

    if (isNaN(userInput)) {

        throw new Error("Invalid input: Not a number.");

    }

    console.log("Entered number:", userInput);

} catch (error) {

    console.error("An error occurred:", error.message);

}


In this example, if the user enters a value that is not a number, a custom error is thrown using the throw statement. The catch block handles the error and logs the error message to the console.

Error handling is an essential aspect of writing robust JavaScript code, ensuring that your applications can gracefully recover from unexpected situations.

Form validation in JavaScript is used to ensure that user input meets certain criteria before the form is submitted to the server. This helps prevent invalid data from being submitted and provides feedback to users if there are errors. Here's an example of form validation using JavaScript:

<html>   

   <head>

      <title>Form Validation</title>      

      <script type = "text/javascript">

          <!--

          // Form validation code will come here.

        function validate() {

      

         if( document.myForm.Name.value == "" ) {

            alert( "Please provide your name!" );

            document.myForm.Name.focus() ;

            return false;

         }

         if( document.myForm.EMail.value == "" ) {

            alert( "Please provide your Email!" );

            document.myForm.EMail.focus() ;

            return false;

         }

         if( document.myForm.Zip.value == "" || isNaN( document.myForm.Zip.value ) ||

            document.myForm.Zip.value.length != 5 ) {

            

            alert( "Please provide a zip in the format #####." );

            document.myForm.Zip.focus() ;

            return false;

         }

         if( document.myForm.Country.value == "-1" ) {

            alert( "Please provide your country!" );

            return false;

         }

         return( true );

        }

       //-->

    </script>

   

   </head>

   

   <body>

      <form action = "/cgi-bin/test.cgi" name = "myForm" onsubmit = "return(validate());">

         <table cellspacing = "2" cellpadding = "2" border = "1">

            

            <tr>

               <td align = "right">Name</td>

               <td><input type = "text" name = "Name" /></td>

            </tr>

            

            <tr>

               <td align = "right">EMail</td>

               <td><input type = "text" name = "EMail" /></td>

            </tr>

            

            <tr>

               <td align = "right">Zip Code</td>

               <td><input type = "text" name = "Zip" /></td>

            </tr>

            

            <tr>

               <td align = "right">Country</td>

               <td>

                  <select name = "Country">

                     <option value = "-1" selected>[choose yours]</option>

                     <option value = "1">USA</option>

                     <option value = "2">UK</option>

                     <option value = "3">INDIA</option>

                  </select>

               </td>

            </tr>

            

            <tr>

               <td align = "right"></td>

               <td><input type = "submit" value = "Submit" /></td>

            </tr>

            

         </table>

      </form>      

   </body>

</html>

In JavaScript, you can store cookies using the document.cookie property. Cookies are small pieces of data that are sent by a website and stored in the user's web browser while the user is browsing that website.

Cookies are a plain text data record of 5 variable-length fields −

 Here's an example of how to store cookies using JavaScript:

<html>

   <head>   

      <script type = "text/javascript">

         <!--

            function WriteCookie() {

               if( document.myform.customer.value == "" ) {

                  alert("Enter some value!");

                  return;

               }

               cookievalue = escape(document.myform.customer.value) + ";";

               document.cookie = "name=" + cookievalue;

               document.write ("Setting Cookies : " + "name=" + cookievalue );

            }

         //-->

      </script>      

   </head>

   

   <body>      

      <form name = "myform" action = "">

         Enter name: <input type = "text" name = "customer"/>

         <input type = "button" value = "Set Cookie" onclick = "WriteCookie();"/>

      </form>   

   </body>

</html>

function Redirect() {

   window.location = "https://www.tsedalugebeyehu.com";

}

10.

Conclusion

Congratulations! You've completed this comprehensive guide to learning JavaScript for beginners. We've covered the fundamental concepts of JavaScript, including variables, data types, functions, conditional statements, and loops, with detailed explanations and plenty of examples to help solidify your understanding. Remember to practice writing code on your own, experiment with different examples, and don't be afraid to make mistakes. Happy coding!