reverse string function code example
Example 1: javascript reverse a string
function reverseString(s){
return s.split("").reverse().join("");
}
reverseString("Hello");
Example 2: javascript string reverse
"this is a test string".split("").reverse().join("");
const reverse = str => [...str].reverse().join('');
const reverse = str => str.split('').reduce((rev, char)=> `${char}${rev}`, '');
const reverse = str => (str === '') ? '' : `${reverse(str.substr(1))}${str.charAt(0)}`;
reverse('hello world');
Example 3: reverse words in a string javascript
function reverseString(str) {
return str.split("").reverse().join("");
}
reverseString("hello");
Example 4: reverse string javascript
const reverse = (str) => str.split("").reverse().join("");
function reverse1(str) {
const arr = str.split("");
arr.reverse();
const res = arr.join("");
return res;
}
function reverse2(str) {
let res = "";
for (let i = 0; i < str.length; i++) res = str[i] + res;
return res;
}
function reverse3(str) {
return str.split("").reduce((output, char) => {
return char + output;
}, "");
}
Example 5: javascript reverse string
function reverseString(str) {
if (str === "")
return "";
else
return reverseString(str.substr(1)) + str.charAt(0);
}
reverseString("hello");
Example 6: code to reverse a string
#include <stdio.h>
#include <string.h>
int main()
{
char s[100];
printf("Enter a string to reverse\n");
gets(s);
strrev(s);
printf("Reverse of the string: %s\n", s);
return 0;
}