,

JavaScript code to reverse a string #javascript #nodejs #reactjs #angular #interview #ytshorts #es6

Posted by

Reverse String in JavaScript

How to Reverse a String in JavaScript

If you need to reverse a string in JavaScript, there are a few different ways to accomplish this task. In this article, we will go through some of the most common methods for reversing a string using JavaScript.

Method 1: Using the String.prototype.split() and Array.prototype.reverse() methods

This method involves splitting the string into an array of characters using the split() method, then using the reverse() method to reverse the order of the elements in the array, and finally joining the reversed array back into a string using the join() method. Here’s an example:

let str = "hello";
let reversedStr = str.split("").reverse().join("");
console.log(reversedStr);
        

Method 2: Using a for loop

Another way to reverse a string is by using a for loop to iterate over the characters in the string and build a new string in reverse order. Here’s an example:

function reverseString(str) {
  let reversedStr = "";
  for (let i = str.length - 1; i >= 0; i--) {
    reversedStr += str[i];
  }
  return reversedStr;
}

let str = "hello";
let reversedStr = reverseString(str);
console.log(reversedStr);
        

Method 3: Using the Array.prototype.reduce() method

Finally, you can also reverse a string using the reduce() method on an array of characters. Here’s an example:

function reverseString(str) {
  return str.split("").reduce((reversed, char) => char + reversed, "");
}

let str = "hello";
let reversedStr = reverseString(str);
console.log(reversedStr);
        

These are just a few of the many ways to reverse a string in JavaScript. Depending on your specific use case and performance considerations, you may choose one method over another. Regardless of the method you use, reversing a string in JavaScript is a common task and is essential for many programming scenarios.