str_shuffle() equivalent in javascript?

2020-04-08 14:03发布

Like the str_shuffle() function in PHP, is there a function similar in shuffling the string in javascript ?

Please help !

6条回答
该账号已被封号
2楼-- · 2020-04-08 14:38

You could use php.js implementation: http://phpjs.org/functions/str_shuffle:529

查看更多
We Are One
3楼-- · 2020-04-08 14:43

You could also do it as a prototype:

String.prototype.shuffle = function() {
  var parts = this.split('');

  for (var i = 0, len = parts.length; i < len; i++) {
    var j = Math.floor( Math.random() * ( i + 1 ) );
    var temp = parts[i];
    parts[i] = parts[j];
    parts[j] = temp;
  }

  return parts.join('');
};

Using it like so:

var myString = "Hello";
myString = myString.shuffle();
查看更多
狗以群分
4楼-- · 2020-04-08 14:48

Here's my versinof the php.js function

function str_shuffle (str) {

    var newStr = [];

    if (arguments.length < 1) {
        throw 'str_shuffle : Parameter str not specified';
    }

    if (typeof str !== 'string') {
        throw 'str_shuffle : Parameter str ( = ' + str + ') is not a string';
    }

    str = str.split (''); 
    while (str.length) {
        newStr.push (str.splice (Math.floor (Math.random () * (str.length - 1)) , 1)[0]);
    }

    return newStr.join ('');
}
查看更多
ら.Afraid
5楼-- · 2020-04-08 14:56

No such function exist, you'll write one yourself. Here's an example:

function shuffle(string) {
    var parts = string.split('');
    for (var i = parts.length; i > 0;) {
        var random = parseInt(Math.random() * i);
        var temp = parts[--i];
        parts[i] = parts[random];
        parts[random] = temp;
    }
    return parts.join('');
}

alert(shuffle('abcdef'));
查看更多
Emotional °昔
6楼-- · 2020-04-08 14:56

No, there is no inbuilt method of String that will randomise the character sequence.

查看更多
做个烂人
7楼-- · 2020-04-08 14:56

I would recommend lodash shuffle function.

const result = _.shuffle('my_string');
查看更多
登录 后发表回答