JS Notes
JS Notes
(const should be declared and initialized at same time unlike var and const otherwise it gives type error)
(you cant declare element two time using let and const it gives syntax error unlike var where we can declare
duplicates and it overwrited previous declaration)
(can not access element declared using let otherwise it gives reference error)
(we should use const and let mostly to avoid temporal deadzone we should declare and initialize our variable in the
beginning)
TYPES OF ERRORS
Syntax Error: Occurs when code violates JavaScript syntax rules. Example: let x = ; (missing value).
Type Error: Happens when a value is used in an inappropriate way. Example: null.length (accessing a property of
null).
Reference Error: Arises when accessing an undeclared variable. Example: console.log(y) (y is not defined).
DATA-TYPES IN JAVASCRIPT
Primitive data types (e.g., int, float, char, boolean, etc.) in Java are indeed stored in the stack when they are local
variables.
Complex data types (objects, arrays, etc.) are stored in the heap, but their references (or memory addresses) are
stored in the stack.
• var: Hoisted and initialized with undefined. You can access it before its declaration, but it will have the value
undefined until assigned.
a. console.log(a); // undefined
b. var a = 5;
c. console.log(a); // 5
• let and const: Hoisted, but not initialized. If you try to access them before their declaration, a ReferenceError
will be thrown due to the temporal dead zone (TDZ).
Summary:
• let and const are hoisted, but you cannot use them until the line where they are declared because they are in
the temporal dead zone.
• var is hoisted and initialized with undefined, allowing access before declaration (though not recommended).
FOREACH VS MAP
BLOCKSCOPE AND SHADOWING IN JS
Block scope refers to the accessibility of variables inside a specific block (i.e., between {}). Variables declared within a
block are only accessible inside that block and not outside.
Example of Block Scope:
1. {
2. let x = 10;
3. console.log(x); // 10
4. }
5. console.log(x); // Error: x is not defined
In this example, x is declared using let inside the block, so it can only be accessed inside that block.
1. var: It has function scope, meaning the variable is available throughout the function or globally if declared
outside any function.
2. let: It has block scope, meaning the variable is confined to the block it's declared in.
3. const: Similar to let, it also has block scope, but its value cannot be reassigned.
Example with var (Function Scope):
1. {
2. var y = 20;
3. }
4. console.log(y); // 20
In this case, y is declared with var and can be accessed outside the block due to function scope.
Shadowing in JavaScript
Shadowing occurs when a variable declared inside a block (local scope) has the same name as a variable declared
outside that block (in an outer scope). The inner variable "shadows" or overrides the outer variable inside the block.
Example of Shadowing:
1. var b = 30;
2. {
3. var b = 60; // This redefines `b` in the outer scope (no block scope in `var`)
4. console.log(b); // 60
5. }
6. console.log(b); // 60 (outer `b` is also changed)
With var, shadowing actually redefines the outer variable, because var doesn’t have block scope.
Key Points:
• Block Scope: Variables declared with let or const are confined to the block they're declared in.
• Shadowing: When an inner variable shares the same name as an outer variable, it overrides the outer
variable within the block, but doesn’t affect it outside the block if let or const are used.
CLOSURE IN JS
A closure in JavaScript is a function that "remembers" its lexical scope, even when the function is executed outside
that scope. In other words, closures allow a function to access variables from its outer (enclosing) function even after
the outer function has returned.
When a function is created inside another function, the inner function retains access to the variables of the outer
function. This behavior forms a closure.
Example of a Closure
1. function outerFunction() {
2. let outerVariable = "I'm outside!";
3. function innerFunction() {
4. console.log(outerVariable); // Accesses `outerVariable` from outerFunction's scope
5. }
6. return innerFunction; // Returning the inner function
7. }
8. const closureFunction = outerFunction();
9. closureFunction(); // Output: "I'm outside!"
Uses of Closures:
• Module Design Pattern
• Currying
• Functions like once
• memoize
• maintaining state in async world
• setTimeouts
• Iterators
• and many more...
CALL, BIND, APPLY
In JavaScript, call(), apply(), and bind() are methods used to control the value of this and invoke functions in different
contexts. They are primarily used when you want to borrow methods from one object and apply them to another, or
when you want to explicitly specify what this refers to.
call()
The call() method allows you to invoke a function immediately, and you can explicitly set the value of this within that
function. You can also pass arguments to the function individually.
Syntax:
const person = {
fullName: function() {
return this.firstName + " " + this.lastName;
}
};
const person1 = {
firstName: "John",
lastName: "Doe"
};
apply()
The apply() method works similarly to call(), but it accepts an array of arguments instead of passing them individually.
Syntax:
js
Copy code
functionName.apply(thisArg, [arg1, arg2, ...]);
Example:
js
Copy code
const numbers = [5, 6, 2, 3, 7];
const max = Math.max.apply(null, numbers); // Finds the max value from the array
console.log(max); // 7
Here, apply() is used to pass an array of numbers to Math.max.
bind()
The bind() method creates a new function where this is permanently set to the value you pass as its first argument.
Unlike call() and apply(), bind() does not invoke the function immediately. Instead, it returns a new function that can
be called later with the specified this context.
Syntax:
const newFunction = functionName.bind(thisArg, arg1, arg2, ...);
Example:
const person = {
firstName: "Jane",
lastName: "Doe",
fullName: function() {
return this.firstName + " " + this.lastName;
}
};
Key Differences:
• call(): Invokes the function immediately, passing this and arguments individually.
• apply(): Invokes the function immediately, passing this and arguments as an array.
• bind(): Returns a new function with this bound to the provided object, but does not invoke the function
immediately.
•
Example Comparison:
1. const person = {
2. fullName: function(city, country) {
3. return this.firstName + " " + this.lastName + ", " + city + ", " + country;
4. }
5. };
6. const person1 = {
7. firstName: "John",
8. lastName: "Doe"
9. };
10. // Using call
11. console.log(person.fullName.call(person1, "New York", "USA"));
12. // Output: John Doe, New York, USA
13. // Using apply
14. console.log(person.fullName.apply(person1, ["New York", "USA"]));
15. // Output: John Doe, New York, USA
16. // Using bind
17. const bindFullName = person.fullName.bind(person1, "New York", "USA");
18. console.log(bindFullName());
1. function greet() {
2. console.log("Hello!");
3. }
4. greet(); // Output: Hello!
2. Function Expression
A function expression defines a function and assigns it to a variable.
The difference between function declarations and function expressions in JavaScript is how they are hoisted.
• Function declarations are hoisted entirely. During the memory allocation phase (the first step of execution),
both the function's name and its definition are stored in memory, meaning the function can be called before
its declaration in the code.
• Function expressions, on the other hand, are treated like variables. The variable that holds the function is
hoisted, but its value is not initialized until the execution phase. During memory allocation, the variable is set
to undefined, so trying to call the function before the expression is reached in the code will result in an error.
4. Anonymous Function
An anonymous function is a function without a name. It's often used in function expressions.
7. First-Class Functions
Functions are treated like any other value. They can be assigned to variables, passed as arguments, or returned from
other functions.
1. function greet() {
2. return "Hello";
3. }
4. const greetFunc = greet; // Assigned to variable
5. console.log(greetFunc()); // Output: Hello
8. Arrow Functions
A shorter syntax for writing functions. It does not have its own this context.
Currying is a higher-order function technique in JavaScript that transforms a function with multiple arguments into a
series of nested functions, each taking a single argument. This process creates a new function that returns a new
function until all arguments have been provided, finally executing the original function with the collected arguments.
Key Points:
• Currying involves breaking down a function with multiple arguments into a chain of functions, each accepting
a single argument.
• The returned function from each step takes the next argument and returns another function until all
arguments are provided.
• The final function in the chain executes the original function with the accumulated arguments.
Example:(using closures)
Explanation:
1. The add function takes two arguments, x and y, and returns their sum.
2. The curriedAdd function takes a single argument, x, and returns a new function.
3. The returned function takes a single argument, y, and returns the sum of x and y.
4. By calling curriedAdd(5), we create a new function that is pre-bound to the value 5. This new function takes a
single argument, y, and adds 5 to it.
5. Calling add5(3) passes the value 3 to the newly created function, resulting in the calculation 5 + 3, which
returns 8.
Benefits of Currying:
• Code Reusability: Currying allows you to create reusable functions that can be partially applied with different
arguments.
• Improved Readability: Curried functions can often be more readable and easier to understand, especially
when dealing with complex function compositions.
JavaScript is single-threaded by nature, meaning it executes code on a single thread in a sequential manner.
However, it achieves asynchronous behavior using an event loop, allowing it to handle tasks like I/O operations (file
reading, network requests, timers) without blocking the main thread.
JavaScript uses:
1. Event Loop: It runs in a single thread, but asynchronous operations like setTimeout, Promises, or I/O don't
block execution. These tasks are sent to the browser's or Node.js's environment, and when they are
completed, the event loop picks up the result and processes it.
2. Web Workers: JavaScript can run scripts in the background on separate threads using web workers (in
browsers) or worker threads (in Node.js). However, these workers don’t share memory with the main thread,
which is why they are not true multithreading in the traditional sense (like shared-memory concurrency).
Summary:
• Can handle asynchronous tasks using the event loop and callback queue.
Key Points:
1. Synchronous Callbacks:
o These are executed immediately after the higher-order function finishes its execution. For example,
the forEach() method takes a callback that is executed synchronously for each element in an array.
javascript
Copy code
arr.forEach(function(num) {
console.log(num);
});
2. Asynchronous Callbacks:
o These are executed after the higher-order function completes its execution, typically in a future
event cycle (such as when data has been fetched). Examples include setTimeout(), setInterval(), and
HTTP requests (like using fetch or XMLHttpRequest).
javascript
Copy code
setTimeout(function() {
}, 2000);
o JavaScript is single-threaded, meaning it processes tasks one at a time. Callback functions help
ensure the program doesn’t freeze while waiting for long-running operations like network requests.
In JavaScript, ES6 Arrow Functions provide a more concise syntax for writing functions. They are written using the =>
syntax and are especially useful for simplifying function expressions. Here are some key points about arrow
functions:
1. Concise Syntax:
1. Arrow functions allow for a shorter syntax compared to traditional function expressions.
2. Example:
• // Arrow function
• const sum = (a, b) => a + b;
6. Implicit Return:
1. If the function body contains only a single expression, the return keyword and curly braces can be
omitted.
2. Example:
1. Arrow functions do not have their own this context. Instead, they inherit this from the surrounding
code. This makes them especially useful in callbacks, where the this value might otherwise change.
2. Example:
1. const obj = {
2. value: 10,
3. increment: function() {
4. setTimeout(() => {
5. this.value++;
6. console.log(this.value);
7. }, 1000);
8. }
9. };
10. obj.increment(); // After 1 second, logs 11
8. No arguments Object:
1. Arrow functions do not have an arguments object. If you need the arguments of a function, you can
use rest parameters (...args).
9. Usage Restrictions:
1. Arrow functions cannot be used as constructors and will throw an error if used with the new
keyword.
2. They are not suitable for methods in an object when you need the method to have its own this.
Overall, arrow functions make writing short functions simpler and provide clearer behavior when it comes to this and
context handling.
Use of arrow function in js
Using normal function
1. var x = function () {
2. this.val = 1;
3. setTimeout (() => {
4. this.val++;
5. console. log(this.val
6. }, 1)
7. };
8. var xx = new x();
fat arrow function does not have this functionality therefore it uses its parents this
How does fat arrow and normal function behave differently
Let’s walk through a specific use case where arrow functions shine, particularly when dealing with this context inside
objects or callbacks, such as in an event handler or a timer.
Imagine you have an object that keeps track of a counter and wants to increase this counter every second. A classic
scenario would involve using setInterval to repeatedly execute a function at a given interval. However, in such cases,
normal functions and arrow functions behave quite differently due to how they handle this.
Here, we'll use a normal function in setInterval, and you’ll see how this behaves unexpectedly.
1. const counter = {
2. count: 0,
3. increment: function () {
4. setInterval(function () {
5. this.count++; // `this` refers to the global object, not `counter`
6. console.log(this.count); // NaN or undefined behavior
7. }, 1000);
8. }
9. };
10. counter.increment();
Problem:
• Issue with Normal Function: The normal function inside setInterval has its own this context. It doesn't refer
to the counter object but to the global object (or undefined in strict mode). This means the code doesn’t
behave as expected because it’s trying to increment count on the wrong object.
o Output will likely be NaN or undefined because this.count does not refer to the counter object.
1. const counter = {
2. count: 0,
3. increment: function () {
4. setInterval(() => {
5. this.count++; // `this` correctly refers to the `counter` object
6. console.log(this.count); // increments as expected
7. }, 1000);
8. }
9. };
10. counter.increment();
• Lexical this: The arrow function inside setInterval doesn’t have its own this. It inherits this from the
surrounding context, which is the increment method of the counter object. As a result, this.count correctly
refers to counter.count.
• Correct Behavior: Now, every second, the count property on the counter object is incremented as expected,
and the output will be 1, 2, 3, 4....
...
• Cleaner Code: Without arrow functions, you would typically need to store this in a separate variable (often
called self or that) or use .bind(this) to achieve the same behavior in a normal function.
1. const counter = {
2. count: 0,
3. increment: function () {
4. const self = this; // capture the `this` value
5. setInterval(function () {
6. self.count++; // works, but less clean
7. console.log(self.count);
8. }, 1000);
9. }
10. };
• Simplicity and Readability: Arrow functions allow you to avoid these extra steps, making your code more
straightforward and readable.
Summary:
In this use case, arrow functions are very useful when you need to maintain the correct this context inside callback
functions, such as in event handlers, timers (setInterval or setTimeout), or asynchronous code. They eliminate the
need for workarounds like .bind(this) or saving this in another variable.
Would you like to explore more advanced use cases for arrow functions or normal functions?
simple breakdown of JavaScript's asynchronous execution model and the concepts related to the event loop, call
stack, web APIs, async tasks, and more:
• JavaScript Engine: Executes JS code; popular ones include V8 (Chrome) and SpiderMonkey (Firefox).
• Call Stack: A data structure where the JS engine keeps track of function calls. Think of it as a stack of plates
where each function call gets "pushed" on top and "popped" off when completed.
• Main Job of Call Stack: Keeps track of where the engine is in the code. When a function is called, it goes on
the stack; when it finishes, it’s removed.
Example:
1. function greet() {
2. console.log("Hello");
3. }
4. greet(); // greet() is pushed to the stack, then popped off after executing
• Asynchronous tasks (e.g., setTimeout, fetch) are handed over to the browser's Web APIs for processing so
they don’t block the main thread.
• Web APIs (provided by the browser) handle async operations outside of JS’s single thread.
• Web APIs manage these tasks and notify the JS engine when they’re ready.
1. Call setTimeout: The function and delay time are sent to Web API.
3. Callback Queue: Once the timer is done, the callback is moved to the Callback Queue.
4. Event Loop: Waits until the Call Stack is empty, then moves the callback from Callback Queue to Call Stack for
execution.
Example:
1. console.log("Start");
2. setTimeout(() => console.log("Delayed"), 1000); // Web API handles timer
3. console.log("End");
4. Output: "Start" → "End" → "Delayed" (after 1 second)
• Event Loop: Continuously checks if the Call Stack is empty and if there are tasks in the Callback Queue
waiting to be executed.
• Callback Queue: Stores async callback functions (like from setTimeout) that are ready to be executed but
wait for the Call Stack to be free.
Why Needed: JS is single-threaded, so Event Loop manages async tasks without blocking code execution.
• When an event occurs, the callback is placed in the Callback Queue and waits for the Event Loop to push it to
the Call Stack.
Example:
When the button is clicked, the callback is executed only when the Call Stack is empty.
7. More About the Event Loop
• Ensures async tasks execute only when the Call Stack is empty.
• Continuous Cycle: Keeps running as long as there are tasks in the Callback Queue or Microtask Queue.
2. Microtask Queue: When data returns, the fetch callback goes to the Microtask Queue, which has higher
priority than the Callback Queue.
• Microtask Queue: Holds async callbacks from promises (then) and MutationObserver.
• Higher Priority: Microtasks are always cleared before any Callback Queue tasks.
• Starvation Issue: If Microtasks keep adding tasks, Callback Queue might get "starved" (never executed).
Example:
• Callback Queue Starvation: If new Microtasks keep arriving (e.g., many .then() calls), Callback Queue tasks
like setTimeout may never run.
• Balance: JS balances async tasks by emptying Microtask Queue first, then moving to Callback Queue.
Summary
5. Event Loop: Manages the Call Stack, Callback Queue, and Microtask Queue for smooth execution.
WEB API’S
JavaScript alone is limited in its functionality and doesn’t have built-in capabilities for handling things like networking
or file manipulation. Web APIs provide a bridge between JavaScript and the browser’s more complex features,
allowing web apps to behave more like fully-featured software applications.
Web APIs (Application Programming Interfaces) are pre-built interfaces provided by the browser that allow JavaScript
to interact with various system features, perform complex tasks, and manage asynchronous operations without
blocking the main thread. They make it possible for JavaScript to perform tasks beyond basic script operations, like
interacting with the web, hardware, storage, or system capabilities.
Here’s a list of essential Web APIs in JavaScript and their functions. These APIs are provided by the browser to handle
various tasks, especially asynchronous operations, independently of the main JavaScript execution thread.
1. Timer APIs
• setTimeout: Delays the execution of a function for a specified number of milliseconds.
• setInterval: Repeatedly calls a function at specified intervals.
• clearTimeout / clearInterval: Stops a setTimeout or setInterval timer.
3. Fetch API
• fetch(): Sends HTTP requests to retrieve or send data to/from a server. It returns a promise, which resolves to a Response object.
• Response.json() / Response.text(): Parses response data into JavaScript-readable formats.
4. XMLHttpRequest API
• XMLHttpRequest: Legacy method for making HTTP requests. Provides more control than fetch() but is more complex and typically
replaced by Fetch API.
5. Console API
• console.log, console.error, console.warn: Used to output messages to the browser’s console for debugging.
6. Geolocation API
• navigator.geolocation.getCurrentPosition: Retrieves the user’s current location.
• navigator.geolocation.watchPosition: Monitors location changes in real-time.
8. IndexedDB API
• IndexedDB: A low-level API for storing large amounts of structured data (e.g., databases). Useful for offline storage of large datasets.
9. History API
• history.pushState / history.replaceState: Allows manipulation of the browser’s session history (useful for single-page applications).
• history.back / history.forward: Navigates backward or forward in the browser history.
SPREAD OPERATOR IN JS
The spread operator (...) in JavaScript (and other languages with similar syntax) is used to expand or unpack elements
from an array or properties from an object. It is particularly useful for creating new arrays or objects by copying or
merging existing ones. Here’s how it works in both contexts:
Key Points:
• Shallow Copy: The spread operator performs a shallow copy, so nested objects or arrays inside the copied
object or array still refer to the same instances.
• Order Matters: When merging objects, the order of spreading affects which properties are overridden.
• Immutability: The spread operator is often used in functional programming to keep data immutable by
creating new copies rather than modifying existing objects or arrays.
The spread operator makes code more readable and reduces the need for complex loops or helper functions when
dealing with arrays and objects.
4. Copying an Object
1. const obj = { a: 1, b: 2 };
2. const copyObj = { ...obj };
3. console.log(copyObj); // Output: { a: 1, b: 2 }
1. const obj1 = { a: 1, b: 2 };
2. const obj2 = { b: 3, c: 4 };
3. const mergedObj = { ...obj1, ...obj2 };
4. console.log(mergedObj); // Output: { a: 1, b: 3, c: 4 }
1. const obj = { a: 1, b: 2 };
2. const newObj = { ...obj, c: 3 };
3. console.log(newObj); // Output: { a: 1, b: 2, c: 3 }
1. function add(x, y, z) {
2. return x + y + z;
3. }
4. const numbers = [1, 2, 3];
5. console.log(add(...numbers)); // Output: 6
You can remove elements by combining the spread operator with array destructuring.
Each of these examples showcases the versatility of the spread operator for copying, merging, adding, and
restructuring both arrays and objects in JavaScript!