我正在编写一个简单的PHP函数,它将访问word-list.txt并拉出一个随机字(单词用新行分隔)。这个词的最大长度需要$ maxlength。我写它的方式,它将拉出单词,如果长度太长,那么它将继续得到一个新单词,直到它小于或等于$ maxlength。我遇到的问题是脚本在最长执行时间内返回致命错误。这是代码:
function GetWord($maxlength) {
$file_content = file('word-list.txt');
$nword = $file_content[array_rand($file_content)];
while(mb_strlen($nword) > $maxlength) {
$nword = $file_content[array_rand($file_content)];
}
return $nword;
}
我能想到的唯一选择是将wordlist放入数据库中,并在列中包含每个对应单词的长度。这将允许我根据它们的长度选择单词选项。我试图避免使用数据库,所以我想找出我的脚本有什么问题。任何帮助是极大的赞赏。谢谢!
答案 0 :(得分:0)
我认为这个问题来自过于复杂的事情。
你可以爆炸内容
shuffle($content_array)
随机播放阵列
foreach($content_array as $word) {
if(strlen($word) == $word_length)
return $word;
}
然后搜索给定长度的第一个单词。
{{1}}
我个人会把所有东西放在数据库中。
答案 1 :(得分:0)
使用随机索引进行重试确实效率很低。
您可以按长度条件过滤线条,这样您只剩下有效的线条,然后翻转这些线条,这样它们就成了键。然后array_rand
可用于从中选择随机密钥。所有这些都可以用函数式编程方式完成:
function GetWord($maxlength) {
return array_rand(array_flip(array_filter(file('word-list.txt'),
function($line) use ($maxlength) {
return mb_strlen($line) <= $maxlength;
})));
}
答案 2 :(得分:0)
以下类在实例化时进行一些排序,但随后每个查找一个随机字只需要O(1)时间:
class RandomWord {
private $words;
private $boundaries;
private static function sort($a, $b){
return strlen($a) - strlen($b);
}
function __construct($file_name) {
$this->words = file($file_name, FILE_IGNORE_NEW_LINES | FILE_SKIP_EMPTY_LINES);
// Sort the words by their lenghts
usort($this->words, array('RandomWord', 'sort'));
// Mark the length boundaries
$last = strlen($this->words[0]);
foreach($this->words as $key => $word) {
$length = strlen($word);
if ($length > $last) {
for($i = $last; $i < $length; $i++) {
// In case the lengths are not continuous
// we need to mark the intermediate values as well
$this->boundaries[$i] = $key - 1;
}
$last = $length;
}
}
}
public function get($max_length) {
if (isset($this->boundaries[$max_length])) {
return $this->words[rand(0, $this->boundaries[$max_length])];
}
return $this->words[array_rand($this->words)];
}
}
使用它像:
$r = new RandomWord("word-list.txt");
$word1 = $r->get(6);
$word2 = $r->get(3);
$word3 = $r->get(7);
...
更新:现在我已经测试过它了。