Sort a string alphabetically using a function

前端 未结 3 1197
忘掉有多难
忘掉有多难 2021-02-05 01:55

Imagine you were given a string and you had to sort that string alphabetically using a function. Example:

sortAlphabets( \'drpoklj\' ); //=> returns \'djklopr         


        
相关标签:
3条回答
  • 2021-02-05 02:40

    You can use array sort function:

    var sortAlphabets = function(text) {
        return text.split('').sort().join('');
    };
    

    STEPS

    1. Convert string to array
    2. Sort array
    3. Convert back array to string

    Demo

    0 讨论(0)
  • 2021-02-05 02:45

    As previous answers have shown, you convert the string to an array of single-character strings, sort that, and then recombine it into a string. But, using split isn't the best practice way to do that first step, because a JavaScript string is a series of UTF-16 code units with invalid surrogate pairs tolerated, and split("") splits up surrogate pairs into their individual code units, potentially separating them, thus breaking the code point (loosely: character) they're supposed to form as a pair. So if you have an emoji in the string (for instance) or any of hundreds of thousands of characters in non-Western scripts, those can get broken.

    In ES5 and earlier, correctly splitting the string required that you detect and handle surrogate pairs to ensure they stayed together, which was a bit of a pain and involved checking charCodeAt for specific ranges of values.

    As of ES2015+, it's really easy: You just use the string's iterator, which is defined to provide each code point in the string, whether that's a single code unit or two. To get an array of the code points, you can use the iterator via spread notation ([...str]) or Array.from (Array.from(str)).

    So using that, we get:

    function sortAlphabets(str) {
        return [...str].sort((a, b) => a.localeCompare(b)).join("");
    }
    

    Live Example:

    // Using the iterator
    function sortAlphabets(str) {
        return [...str].sort((a, b) => a.localeCompare(b)).join("");
    }
    
    // Using split("")
    function sortAlphabetsUsingSplit(str) {
        return str.split("").sort((a, b) => a.localeCompare(b)).join("");
    }
    
    const str = "                                                                    
    0 讨论(0)
  • 2021-02-05 02:48

    Newer browsers support String.prototype.localeCompare() which makes sorting utf8 encoded strings really simple. Note that different languages may have a different order of characters. More information on MDN about localCompare.

    function sortAlphabet(str) {
      return [...str].sort((a, b) => a.localeCompare(b)).join("");
    }
    
    console.log(sortAlphabet("drpoklj")); // Logs: "djklopr"

    If you only have to support ascii strings then the default sorting implementation will do.

    function sortAlphabet(str) {
      return [...str].sort().join("");
    }
    
    0 讨论(0)
提交回复
热议问题