My Input is this: 'z<*zj'
;
I am looking a Output as : j<*zz
;
here in this string, special characters not changed in position. But the letters arranged reversed alphabets. I am trying to get the output, but not works.
any one help me with shortest and correct way to get this?
my try:
JavaScript
x
9
1
const Reverser = (str) =>{
2
return str.replace(/[a-zA-Z]+/gm, (item) => {
3
return item.split('')[0].split('')
4
});
5
}
6
7
const result = Reverser('z<*zj');
8
console.log(result);
9
Thanks in advance
Advertisement
Answer
Not sure if I understand you correctly.
But I think you want to sort only the letters without changing non-letters?
Here is my approach:
JavaScript
1
18
18
1
const Reverser = (str) => {
2
3
// create sorted array of all letters found
4
// first remove all non-letters, then split into array
5
// then sort in reverse so that we can use fast .pop() instead of slow .shift()
6
7
let letters = str.replace(/[^a-zA-Z]+/gm, '').split('').sort().reverse();
8
9
// find letters and replace them with those in array, one by one
10
11
return str.replace(/[a-zA-Z]/gm, () => {
12
return letters.pop();
13
});
14
}
15
16
console.log(Reverser('z<*zj')); // j<*zz
17
console.log(Reverser('xy-a=cb')); // ab-c=xy
18