Master JavaScript: 10 Essential Examples to Boost Your Programming Skills – TecAdmin

Channel: Linux
Abstract: const throttledFunction = throttle(() => console.log('Hello')const debouncedFunction = debounce(() => console.log('Hello')

JavaScript is a powerful and versatile programming language that forms the backbone of modern web development. Mastering JavaScript can help you build better applications, create more dynamic user experiences, and improve your overall programming skills. In this article, we will explore 10 practical JavaScript examples that will elevate your programming abilities and help you become a more efficient developer.

1. Debouncing

Debouncing is a technique used to limit the frequency of function execution, ensuring that the function is only called after a specified delay period. This is particularly useful in scenarios such as handling scroll or resize events, where you want to prevent the function from being triggered too often, thus improving performance and reducing resource usage.

function debounce(func, wait) { let timeout; return function(...args) { clearTimeout(timeout); timeout = setTimeout(() => func.apply(this, args), wait); }; } // Usage: const debouncedFunction = debounce(() => console.log('Hello'), 250); window.addEventListener('scroll', debouncedFunction);1234567891011function debounce(func, wait) {  let timeout;  return function(...args) {    clearTimeout(timeout);    timeout = setTimeout(() => func.apply(this, args), wait);  };} // Usage:const debouncedFunction = debounce(() => console.log('Hello'), 250);window.addEventListener('scroll', debouncedFunction);

In the provided example, the debounce function accepts two arguments: a function func that needs to be debounced, and a wait time in milliseconds. The function returns a new debounced version of the input function, which will only be executed once the specified wait time has passed since the last invocation.

2. Throttling

Throttling is a technique that ensures a function is executed at a fixed interval, regardless of how often an event is triggered. This can be useful for optimizing performance in scenarios such as handling scroll events, where you want to limit the number of times the event listener function is called.

function throttle(func, limit) { let lastCall = 0; return function(...args) { const now = new Date().getTime(); if (now - lastCall >= limit) { lastCall = now; func.apply(this, args); } }; } // Usage: const throttledFunction = throttle(() => console.log('Hello'), 250); window.addEventListener('scroll', throttledFunction);1234567891011121314function throttle(func, limit) {  let lastCall = 0;  return function(...args) {    const now = new Date().getTime();    if (now - lastCall >= limit) {      lastCall = now;      func.apply(this, args);    }  };} // Usage:const throttledFunction = throttle(() => console.log('Hello'), 250);window.addEventListener('scroll', throttledFunction);

In the provided example, the throttle function accepts two arguments: a function func that needs to be throttled and a limit time in milliseconds that determines the minimum interval between function executions. The function returns a new throttled version of the input function that will only be executed if the specified limit time has passed since the last invocation.

3. Array Filtering

Array filtering is a powerful method that allows you to create a new array by applying a conditional function (predicate) to each element of an existing array. Only the elements that meet the condition specified in the predicate will be included in the new array.

const numbers = [1, 2, 3, 4, 5]; const evenNumbers = numbers.filter(num => num % 2 === 0); console.log(evenNumbers); // Output: [2, 4]123const numbers = [1, 2, 3, 4, 5];const evenNumbers = numbers.filter(num => num % 2 === 0);console.log(evenNumbers); // Output: [2, 4]

In the provided example, the filter method is used to create a new array containing only even numbers. The predicate function checks if a number is even by using the modulo operator (num % 2 === 0). The original array remains unchanged.

4. Array Mapping

Array mapping is a technique that allows you to create a new array by applying a transformation function to each element of an existing array. The transformation function takes an element from the original array and returns a new element that will be added to the new array.

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

In the provided example, the map method is used to create a new array containing the doubled values of the elements in the original array. The transformation function simply multiplies each element by 2. The original array remains unchanged.

5. Array Reducing

Array reducing is a method that allows you to accumulate all the elements in an array based on a provided reducer function. The reducer function takes an accumulator and a current value and returns a new accumulated value. The reducer function is applied to each element in the array, and the final accumulated value is returned.

const numbers = [1, 2, 3, 4, 5]; const sum = numbers.reduce((accumulator, currentValue) => accumulator + currentValue, 0); console.log(sum); // Output: 15123const numbers = [1, 2, 3, 4, 5];const sum = numbers.reduce((accumulator, currentValue) => accumulator + currentValue, 0);console.log(sum); // Output: 15

In the provided example, the reduce method is used to calculate the sum of all elements in the array. The reducer function adds the current value to the accumulator, and the initial value of the accumulator is set to 0.

6. Promises and Async/Await

Promises and async/await are essential features for handling asynchronous operations in JavaScript. Promises provide a way to handle the eventual completion or failure of an asynchronous operation, while async/await is a more modern and concise syntax that simplifies working with Promises.

// Promise example fetch('https://api.example.com/data') .then(response => response.json()) .then(data => console.log(data)) .catch(error => console.error(error));12345// Promise examplefetch('https://api.example.com/data')  .then(response => response.json())  .then(data => console.log(data))  .catch(error => console.error(error));

In the provided Promise example, the fetch function is used to make an API request. The then method is used to handle the response and convert it to JSON format, and another then is used to handle the data. If an error occurs, the catch method is used to handle the error.

// Async/Await example async function fetchData() { try { const response = await fetch('https://api.example.com/data'); const data = await response.json(); console.log(data); } catch (error) { console.error(error); } } fetchData();1234567891011// Async/Await exampleasync function fetchData() {  try {    const response = await fetch('https://api.example.com/data');    const data = await response.json();    console.log(data);  } catch (error) {    console.error(error);  }}fetchData();

In the async/await example, the fetchData function is defined as an asynchronous function using the async keyword. The await keyword is used to wait for the resolution of the Promise returned by the fetch function and the subsequent response.json() call. The try-catch block is used to handle any errors that may occur during the API request or data processing.

7. Destructuring

Destructuring is a feature in JavaScript that allows you to extract values from arrays or objects and assign them to individual variables in a more concise and readable manner.

// Array destructuring let a = 5; let b = 10; // Swapping values using array destructuring [a, b] = [b, a]; console.log(a); // Output: 10 console.log(b); // Output: 5123456789// Array destructuringlet a = 5;let b = 10; // Swapping values using array destructuring[a, b] = [b, a]; console.log(a); // Output: 10console.log(b); // Output: 5

In this example, the values of a and b are swapped using array destructuring. The right-hand side of the assignment creates a new array with the values [b, a], and the left-hand side destructures the array, assigning the values back to a and b in reverse order. This effectively swaps the values of the two variables without the need for a temporary variable.

// Object destructuring const user = { name: 'John Doe', age: 30, address: { city: 'New York', country: 'USA' } }; const { name, age, address: { city, country } } = user; console.log(name); // Output: 'John Doe' console.log(city); // Output: 'New York'1234567891011121314151617181920// Object destructuringconst user = {    name: 'John Doe',    age: 30,    address: {        city: 'New York',        country: 'USA'    }}; const {    name,    age,    address: {        city,        country    }} = user;console.log(name); // Output: 'John Doe'console.log(city); // Output: 'New York'

In the object destructuring example, the properties of the user object are assigned to the variables name, age, city, and country. The nested address object properties are also destructured using the nested destructuring syntax.

8. Template Literals

Template literals are a convenient way to create strings with embedded expressions in JavaScript. They use backticks (「) instead of quotes, and expressions within the string are enclosed in ${}.

const name = 'John'; const age = 30; const greeting = `Hello, my name is ${name}, and I am ${age} years old.`; console.log(greeting); // Output: 'Hello, my name is John, and I am 30 years old.'1234const name = 'John';const age = 30;const greeting = `Hello, my name is ${name}, and I am ${age} years old.`;console.log(greeting); // Output: 'Hello, my name is John, and I am 30 years old.'

In the provided example, the name and age variables are embedded within the template literal to create a greeting string. The resulting string is a combination of static text and the values of the embedded expressions.

9. Default Parameters

Default parameters allow you to set default values for function parameters. This simplifies function calls by making certain arguments optional, and it helps prevent errors caused by undefined arguments.

function greet(name = 'John', age = 30) { return `Hello, my name is ${name}, and I am ${age} years old.`; } console.log(greet()); // Output: 'Hello, my name is John, and I am 30 years old.' console.log(greet('Jane', 25)); // Output: 'Hello, my name is Jane, and I am 25 years old.'123456function greet(name = 'John', age = 30) {  return `Hello, my name is ${name}, and I am ${age} years old.`;} console.log(greet()); // Output: 'Hello, my name is John, and I am 30 years old.'console.log(greet('Jane', 25)); // Output: 'Hello, my name is Jane, and I am 25 years old.'

In the provided example, the greet function has two parameters, name and age, with default values of ‘John’ and 30. When the function is called without arguments, the default values are used. When arguments are provided, they overwrite the default values.

10. Arrow Functions

Arrow functions are a more concise way to write functions in JavaScript. They have a shorter syntax compared to traditional function expressions, and they also have lexical scoping for the this keyword, which can help prevent errors related to incorrect this bindings.

const add = (a, b) => a + b; console.log(add(1, 2)); // Output: 3 const numbers = [1, 2, 3, 4, 5]; const evenNumbers = numbers.filter(num => num % 2 === 0); console.log(evenNumbers); // Output: [2, 4]123456const add = (a, b) => a + b;console.log(add(1, 2)); // Output: 3 const numbers = [1, 2, 3, 4, 5];const evenNumbers = numbers.filter(num => num % 2 === 0);console.log(evenNumbers); // Output: [2, 4]

In the provided example, the add function is defined as an arrow function that takes two arguments and returns their sum. The second example demonstrates the use of an arrow function as a predicate for the filter method, which creates a new array containing only even numbers. The lexical scoping of this is not shown in these examples but can be beneficial when working with objects or event listeners.

Conclusion

These 10 JavaScript examples showcase some of the most powerful and useful features of the language. By incorporating these techniques into your own projects, you can become a more efficient and effective programmer. As you continue to explore and practice, you’ll uncover even more ways to leverage JavaScript’s flexibility to create robust, dynamic, and responsive applications.

Ref From: tecadmin

Related articles