KEMBAR78
Intremediate Javascript Concept | PDF | Callback (Computer Programming) | Control Flow
0% found this document useful (0 votes)
5 views12 pages

Intremediate Javascript Concept

Topics related to js
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
5 views12 pages

Intremediate Javascript Concept

Topics related to js
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 12

ARRAYS AND OBJECTS

In JavaScript, arrays and objects are two fundamental data structures used to store collections
of data. Here's an explanation of both:

Arrays in JavaScript

An array is a special type of object used to store an ordered collection of items. Each item in
an array is called an element and can be accessed via its index. Arrays in JavaScript are zero-
indexed, meaning the first element is at index 0, the second at index 1, and so on.

Syntax:

let arrayName = [element1, element2, element3, ...];

Example:

let fruits = ["apple", "banana", "orange"];


console.log(fruits[0]); // "apple"
console.log(fruits[1]); // "banana"

Important Array Methods:

 push(): Adds an element to the end of the array.


 pop(): Removes the last element of the array.
 shift(): Removes the first element of the array.
 unshift(): Adds an element to the beginning of the array.
 length: Property that gives the number of elements in the array.
 map(): Creates a new array by applying a function to each element.
 filter(): Creates a new array with all elements that pass a test.
 forEach(): Iterates over all the elements in an array.

Example using push() and map():

let numbers = [1, 2, 3];


numbers.push(4); // [1, 2, 3, 4]
let doubled = numbers.map(num => num * 2); // [2, 4, 6, 8]

Objects in JavaScript

An object is a collection of key-value pairs, where each key (also called a property) is
unique. The value associated with the key can be any data type (such as strings, numbers,
arrays, or even other objects). Objects are used to store more complex data.

Syntax:

let objectName = {
key1: value1,
key2: value2,
key3: value3,
...
};

Example:

let person = {
name: "John",
age: 30,
city: "New York"
};
console.log(person.name); // "John"
console.log(person["age"]); // 30

Accessing and Modifying Object Properties:

 Dot notation: objectName.key


 Bracket notation: objectName["key"]

Important Object Methods:

 Object.keys(): Returns an array of a given object's property names.


 Object.values(): Returns an array of a given object's values.
 Object.entries(): Returns an array of a given object's key-value pairs.
 hasOwnProperty(): Checks if a property exists in the object itself.

Example of using Object.keys() and Object.values():

let person = {
name: "Alice",
age: 25,
city: "Los Angeles"
};
console.log(Object.keys(person)); // ["name", "age", "city"]
console.log(Object.values(person)); // ["Alice", 25, "Los Angeles"]

Differences Between Arrays and Objects

1. Order:
o
Arrays are ordered collections, where the order of elements matters.
o
Objects are unordered collections of key-value pairs (although the order of
properties in modern JavaScript engines is mostly predictable).
2. Indexing:
o Arrays are accessed using numerical indices.
o Objects are accessed using keys (which are usually strings or symbols).
3. Use Cases:
o Arrays are typically used when you need an ordered list of items.
o Objects are typically used when you need to group related data (e.g., attributes
of a person, or a collection of settings).

Conclusion
 Arrays: Best for ordered collections of items, and allow for easy manipulation of
elements via their index.
 Objects: Best for representing structured data with key-value pairs.

Both arrays and objects are versatile and commonly used in JavaScript to handle different
types of data.

FUNCTIONS
In JavaScript, functions are a central concept, and understanding the different types can
make your code more readable and concise. Below, I'll explain arrow functions and
callback functions, two important types of functions in JavaScript.

1. Arrow Functions

Arrow functions are a more concise way to write functions in JavaScript. They were
introduced in ES6 (ECMAScript 2015) and have a simpler syntax compared to regular
functions. Arrow functions are often used for short functions or when passing functions as
arguments.

Syntax:

const functionName = (parameters) => {


// function body
return value;
};

 If the function has a single parameter, the parentheses around the parameter can be
omitted.
 If the function has only a single expression, the {} and return keyword can be
omitted as well. The expression is automatically returned.

Example:

1. Arrow function with one parameter:


2. const square = x => x * x;
3. console.log(square(5)); // Output: 25
4. Arrow function with multiple parameters:
5. const add = (a, b) => a + b;
6. console.log(add(3, 4)); // Output: 7
7. Arrow function with a block body (multiple statements):
8. const multiply = (a, b) => {
9. let result = a * b;
10. return result;
11. };
12. console.log(multiply(2, 3)); // Output: 6

Differences between Arrow Functions and Regular Functions:


 this Binding: Arrow functions do not have their own this context. Instead, they
inherit this from the surrounding lexical context. Regular functions, on the other
hand, have their own this context.

Example:

function regularFunction() {
console.log(this); // `this` refers to the object that calls the
function
}

const arrowFunction = () => {


console.log(this); // `this` refers to the enclosing context
};

2. Callback Functions

A callback function is a function passed into another function as an argument to be executed


later, typically after some operation completes. Callback functions are commonly used for
handling asynchronous code (e.g., after reading a file, fetching data, etc.).

Syntax:

function mainFunction(callback) {
// some operations
callback(); // Call the callback function
}

Example:

1. Callback with a simple example:


2. function greet(name, callback) {
3. console.log('Hello ' + name);
4. callback(); // Call the callback function
5. }
6.
7. function goodbye() {
8. console.log('Goodbye!');
9. }
10.
11. greet('Alice', goodbye);
12. // Output:
13. // Hello Alice
14. // Goodbye!
15. Callback with a parameter:
16. function sum(a, b, callback) {
17. const result = a + b;
18. callback(result); // Pass the result to the callback function
19. }
20.
21. function displayResult(value) {
22. console.log('The sum is: ' + value);
23. }
24.
25. sum(3, 4, displayResult);
26. // Output: The sum is: 7
Common Use Cases for Callback Functions:

 Asynchronous code: Callbacks are often used in asynchronous operations, like


reading files or making network requests.

Example with setTimeout (a built-in JavaScript function):

console.log('Start');

setTimeout(() => {
console.log('Inside callback');
}, 1000); // Executes after 1 second

console.log('End');

Output:

Start
End
Inside callback

 Array methods: JavaScript array methods like map(), filter(), and forEach() use
callbacks to iterate over elements.

Example using forEach:

const numbers = [1, 2, 3, 4];


numbers.forEach(num => {
console.log(num * 2);
});
// Output:
// 2
// 4
// 6
// 8

Callback Hell:

When callbacks are nested too deeply, the code can become difficult to manage, which is
commonly referred to as callback hell or pyramid of doom. This is especially a problem in
asynchronous code.

Example of callback hell:

doSomething(function(result) {
doSomethingElse(result, function(newResult) {
doAnotherThing(newResult, function(finalResult) {
console.log(finalResult);
});
});
});

To solve callback hell, alternatives like Promises and Async/Await are often used.
Summary:

 Arrow functions provide a concise syntax and lexical scoping for this, making them
a popular choice for short functions and callbacks.
 Callback functions are functions passed as arguments to other functions and are
executed after some operation, often used for asynchronous programming.

Both arrow functions and callbacks are essential to writing efficient, modular, and
asynchronous JavaScript code.

LOOPS
In JavaScript, loops are used to iterate over collections (such as arrays or objects) or to repeat
a block of code multiple times. The most commonly used loops are for, forEach, and map.
Let's explore each of these in detail:

1. for Loop

The for loop is the most traditional and versatile looping structure in JavaScript. It’s
typically used when you know in advance how many times you want to loop.

Syntax:

for (initialization; condition; increment) {


// Code to execute on each iteration
}

 Initialization: Sets up the loop variable (executed once at the start).


 Condition: The loop runs as long as this condition is true.
 Increment: Updates the loop variable after each iteration.

Example:

for (let i = 0; i < 5; i++) {


console.log(i); // Output: 0, 1, 2, 3, 4
}

Use Case:

The for loop is great when you know the number of iterations beforehand, or when you need
more control over the iteration (e.g., skipping values or decrementing).

2. forEach Method
The forEach() method is an array method that iterates over each element in an array,
executing a provided function once for each element. It’s generally used for side effects, such
as logging values or modifying external variables.

Syntax:

array.forEach(function(element, index, array) {


// Code to execute for each element
});

 element: The current item in the array.


 index (optional): The index of the current element.
 array (optional): The array itself.

Example:

let numbers = [1, 2, 3, 4, 5];


numbers.forEach((num, index) => {
console.log(`Index: ${index}, Value: ${num}`);
});

Output:

Index: 0, Value: 1
Index: 1, Value: 2
Index: 2, Value: 3
Index: 3, Value: 4
Index: 4, Value: 5

Key Points:

 forEach cannot be broken (i.e., you can’t use break or return to exit the loop
early).
 It does not return anything (it returns undefined), making it ideal for operations
where you just want to perform actions with each element.

3. map Method

The map() method is another array method that transforms each element of the array by
applying a function to each item. Unlike forEach, map() returns a new array with the
transformed values.

Syntax:

let newArray = array.map(function(element, index, array) {


return newElement; // Transformed element
});

 element: The current item in the array.


 index (optional): The index of the current element.
 array (optional): The array itself.

Example:

let numbers = [1, 2, 3, 4, 5];


let doubledNumbers = numbers.map(num => num * 2);
console.log(doubledNumbers); // Output: [2, 4, 6, 8, 10]

Key Points:

 map() returns a new array with transformed values, so it is useful when you need to
modify data.
 It does not mutate the original array.
 You can chain other methods like filter() or reduce() with map() to create more
complex transformations.

Comparison and Use Cases

Modifies
Method Usage Returns Side Effect Original
Array?
General-purpose No return (can return
Can modify any
for loop loop for any kind of a value inside the No
variable or array
iteration loop)
forEach()
Iterates over array, undefined (doesn't Yes (modifies external
No
performs an action return anything) variables if needed)
Transforms array
map()
A new array with No (focuses on
and returns a new No
transformed values transformation)
array

When to Use Each:

 for loop: Best for cases where you need more control over the loop, like breaking
early or skipping values.
 forEach: Ideal for performing actions like logging or updating external state. It
doesn’t return anything, so it’s not useful when you need to derive a new array.
 map(): Best for transforming data into a new array. It returns a new array, so it’s
perfect when you need to generate a new list based on the existing one.

Summary:

 for loop: Offers full control, good for complex iterations.


 forEach(): Iterates over an array and performs side effects, but doesn't return a new
array.
 map(): Transforms each element of an array and returns a new array with the
transformed values.

Each of these methods has its strengths depending on your needs for iteration, transformation,
and side effects in your JavaScript code.

ERROR HANDLING
Error handling in JavaScript is a critical part of writing robust and fault-tolerant code. The
try...catch statement allows you to handle errors gracefully, preventing your application
from crashing and giving you a chance to respond to unexpected conditions.

1. try...catch Statement

The try...catch block is used to handle exceptions in JavaScript. It allows you to attempt
to execute code (in the try block) and catch any errors that occur in that code (in the catch
block). This makes it easier to manage exceptions and errors without stopping the execution
of the program.

Syntax:

try {
// Code that may throw an error
} catch (error) {
// Code that runs if an error occurs in the try block
}

 try block: Contains the code that you want to execute. If an error occurs here, it will
be caught by the catch block.
 catch block: This block is executed if an error occurs in the try block. The error
object (or variable) holds information about the error that was thrown.

Example:

try {
let result = 10 / 0; // This will not throw an error, but a division
by zero is an unexpected case.
console.log(result);
} catch (error) {
console.log("An error occurred: " + error.message); // Catch and log
the error
}

Output:

An error occurred: Infinity

2. The error Object


When an error occurs, the catch block is passed an error object, which provides useful
information about the error, such as its message, name, and stack trace. The error object can
be used to log more detailed information or handle specific errors.

Example:

try {
let x = undefinedVariable; // ReferenceError will be thrown because
undefinedVariable is not defined
} catch (error) {
console.log("Error Name: " + error.name); // "ReferenceError"
console.log("Error Message: " + error.message); // "undefinedVariable
is not defined"
console.log("Error Stack: " + error.stack); // Stack trace
information
}

Output:

Error Name: ReferenceError


Error Message: undefinedVariable is not defined
Error Stack: <stack trace information>

3. Optional finally Block

In addition to the try and catch blocks, you can also include a finally block. The finally
block contains code that will always run, regardless of whether an error was thrown or not.
This is useful for cleaning up resources, closing files, or performing other final tasks.

Syntax:

try {
// Code that may throw an error
} catch (error) {
// Code to handle the error
} finally {
// Code to execute after try and catch, regardless of the outcome
}

Example:

try {
let result = 10 / 0; // This will not throw an error, but will log
Infinity
console.log(result);
} catch (error) {
console.log("An error occurred: " + error.message);
} finally {
console.log("This will always run.");
}

Output:

Infinity
This will always run.
Even if an error occurred in the try block, the finally block will still execute.

4. Throwing Custom Errors

You can also throw your own errors using the throw statement. This is useful when you
want to create custom exceptions based on specific conditions in your code.

Syntax:

throw new Error("Custom error message");

Example:

function checkNumber(num) {
if (num < 0) {
throw new Error("Number must be positive");
}
return num;
}

try {
checkNumber(-5); // This will throw an error
} catch (error) {
console.log("Error: " + error.message); // Catch and handle the error
}

Output:

Error: Number must be positive

5. Asynchronous Code Error Handling

In asynchronous code, such as when using Promises or async/await, error handling works
similarly but has additional syntax considerations.

Using try...catch with async/await:

When using async/await, the try...catch block can be used to handle errors in
asynchronous functions.

Example:

async function fetchData() {


try {
let response = await fetch('https://api.example.com/data');
let data = await response.json();
console.log(data);
} catch (error) {
console.log("An error occurred: " + error.message);
}
}

fetchData();
In this case:

 If the fetch request fails (e.g., network error or bad response), the error will be
caught in the catch block.

Using catch() with Promises:

When using Promises, you can handle errors using .catch():

fetch('https://api.example.com/data')
.then(response => response.json())
.then(data => console.log(data))
.catch(error => {
console.log("An error occurred: " + error.message);
});

Summary:

 try: Contains code that might throw an error.


 catch: Catches and handles the error if one occurs in the try block.
 finally: Executes after the try and catch blocks, regardless of whether
an error
occurred.
 throw: Allows you to throw your own custom errors.
 Asynchronous error handling: Can be done using try...catch with async/await
or .catch() with Promises.

By using try...catch, JavaScript developers can handle errors gracefully, ensuring that
their applications remain stable even when unexpected issues arise.

You might also like