来自Txt文件的Javascript Shuffle数组

时间:2016-03-04 22:29:45

标签: javascript arrays random text-files shuffle

我希望拉5"随机"来自文本文件的行而不重复任何行。文本文件中的每一行都有html代码,可以插入到侧边菜单中。我已经读过Fisher-Yates shuffle,但不知道如何用javascript以这种方式将它合并。目前我有以下投掷错误:

var request = new XMLHttpRequest();
request.onload = function() {
    var i = 0;
    // get the file contents
    var fileContent = this.responseText;
    // split into lines
    var fileContentLines = fileContent.split( '\n' );

    var target = document.getElementById( 'random-testimonial' );
    var targetHTML = target.innerHTML;

    while ( i < 5 ) {
        // get a random index (line number)
        var randomLineIndex = Math.floor( Math.random() * fileContentLines.length );
        // extract the value
        var randomLine = fileContentLines[ randomLineIndex ];

        // add the random line in a div if not duplicate            
        if ( ! targetHTML.contains(randomLine) ) {
            targetHTML += randomLine;
            i += 1;
        }
    }

    target.innerHTML = targetHTML;
};
request.open( 'GET', 'content.txt', true );
request.send();

<div id="random-content"><script src="content.js"></script></div>

错误:

content.js:19 Uncaught TypeError:targetHTML.contains不是functionrequest.onload @ content.js:19

2 个答案:

答案 0 :(得分:0)

好的,所以Fisher-Yates洗牌的方式是

  • 从输入数组
  • 获取随机索引r
  • 将元素r从输入数组复制到输出数组
  • 从输入数组中删除元素r
  • 重复n次,其中n是输入数组的长度

在循环结束时,输出将是整个输入数组的混乱副本。

我要浏览一个小问题:这个算法不应该改变输入数组。相反,它应保持输入数组不变,并返回一个新数组,该数组是输入数组的混乱副本。 (您可以在下面的实现中看到这是如何完成的。)

因此,了解Fisher-Yates的工作原理,在您的情况下,我们不必对整个数组进行随机播放,因为您事先知道只需要N个元素

让我们先看看你的意见。

var fileContent = this.responseText;
var fileContentLines = fileContent.split( '\n' );

好的,完美的。您已定义输入数组fileContentLines。现在让我们来函数从中抽取一些随机元素

// fisher-yates sample
// • sample n elements from xs
// • does not mutate xs
// • guarantees each sampled element is unique
function sample (n,xs) {
  function loop(i, output, input, len) {
    if (i === n) return output;                   // loop exit condition
    let r = Math.floor(Math.random() * len);      // rand number between 0 and len
    return loop(                                  // continue loop
      i + 1,                                      // increment loop counter
      output.concat(input[r]),                    // copy element r from input
      input.slice(0,r).concat(input.slice(r+1)),  // remove element from input
      len - 1                                     // decrement length
    );
  }
  return loop(0, [], xs, xs.length);              // begin loop
}

好吧!我们先用简单的输入检查它

// sample 3 random inputs from numbers 1 through 10
console.log(sample(3, [1,2,3,4,5,6,7,8,9,10])); //=> [9,7,5]

完美。现在只需在你的行数组中调用它

var result = sample(5, fileContentLines);
console.log(result); // ...

上述代码有效,但请不要就此而论。我们的代码承担了太多责任,我们可以将一些行为分离为可重用的函数。

// get rand number between 0 and n
function rand(x) {
  return Math.floor(Math.random() * x);
}

// splice of xs at index i
// • return a new output array
// • does not mutate xs
function del(i,xs) {
  return xs.slice(0,i).concat(xs.slice(i+1));
}

// fisher-yates sample
// • sample n elements from xs
// • does not mutate xs
// • guarantees each sampled element is unique
function sample (n,xs) {
  function loop(i, output, input, len) {
    if (i === n) return output;       // loop exit condition
    let r = rand(len);                // rand number between 0 and len
    return loop(                      // continue loop
      i + 1,                          // increment loop counter
      output.concat(input[r]),        // copy element r from input
      del(r,input),                   // remove element from input
      len - 1                         // decrement length
    );
  }
  return loop(0, [], xs, xs.length);  // begin loop
}

// fisher-yates shuffle
// • does not mutate xs
function shuffle(xs) {
  return sample(xs.length, xs);
}

让我们快速浏览一下每个函数的个别行为

// generate random number between 0 and 10 (exclusive)
console.log(rand(10)); //=> 5

// delete 2nd letter from letters a through d
console.log(del(1, ['a', 'b', 'c', 'd'])); // => ['a', 'c', 'd]

// sample 3 random inputs from numbers 1 through 10
console.log(sample(3, [1,2,3,4,5,6,7,8,9,10])); //=> [9,7,5]

// shuffle entire input array
console.log(shuffle([1,2,3,4,5,6,7,8,9,10])); //=> [8,9,1,3,7,6,10,5,4,2]

你有它: 4个功能,价格为1 。在我看来,这是解决问题的一种更好的方法,因为每个函数本身都很有用,因此可以在多个地方使用。拥有大量可重复使用的功能将大大减少您将来必须完成的工作量。

由于所有这些复杂性都非常划分,让我们看看你的最终代码是什么样的。

function createParagraph(text) {
  var p = document.createElement('p');
  p.innerHTML = text;
  return p;
}

var request = new XMLHttpRequest();
request.onload = function() {

  var fileContent = this.responseText;
  var fileContentLines = fileContent.split('\n');
  var target = document.getElementById('random-testimonial');

  sample(5, fileContentLines).map(function(testimonial) {
    var p = createParagraph(testimonial);
    target.appendChild(p);
  });
};
request.open('GET', 'content.txt', true);
request.send();

PS 我强烈建议您为ajax请求编写可重用的函数,或者更好,使用库。手写它们非常麻烦且容易出错。大多数人使用jQuery,但最近我一直在寻找axios

答案 1 :(得分:-1)

var request = new XMLHttpRequest();
request.onload = function() {
    var i = 0;
    // get the file contents
    var fileContent = this.responseText;
    // split into lines
    var fileContentLines = fileContent.split( '\n' );

    var target = document.getElementById( 'random-testimonial' );

    var HTMLLines = [];

    while ( i < 5 ) {
        // get a random index (line number)
        var randomLineIndex = Math.floor( Math.random() * fileContentLines.length );
        // extract the value
        var randomLine = fileContentLines[ randomLineIndex ];

        // add the random line if not duplicate            
        if ( HTMLLines.indexOf(randomLine) === -1) {
            HTMLLines.push(randomLine);
            i += 1;
        }
    }

    target.innerHTML = HTMLLines.join('\n');
};
request.open( 'GET', 'content.txt', true );
request.send();