我在stackoverflow上找到了下面的代码,它可以很好地找到字符串中最常见的单词。但是,我可以排除对“a,if,you,have等”等常用词的统计吗?或者我必须在计数后删除元素?我该怎么做?提前谢谢。
<?php
$text = "A very nice to tot to text. Something nice to think about if you're into text.";
$words = str_word_count($text, 1);
$frequency = array_count_values($words);
arsort($frequency);
echo '<pre>';
print_r($frequency);
echo '</pre>';
?>
答案 0 :(得分:9)
这是一个从字符串中提取常用单词的函数。它需要三个参数;字符串,停止字数组和关键字计数。你必须使用PHP函数从txt文件中获取stop_words,将txt文件转换为数组
$ stop_words = file('stop_words.txt',FILE_IGNORE_NEW_LINES | FILE_SKIP_EMPTY_LINES);
$ this-&gt; extract_common_words($ text,$ stop_words)
您可以将此文件stop_words.txt用作主要停用词文件,也可以创建自己的文件。
function extract_common_words($string, $stop_words, $max_count = 5) {
$string = preg_replace('/ss+/i', '', $string);
$string = trim($string); // trim the string
$string = preg_replace('/[^a-zA-Z -]/', '', $string); // only take alphabet characters, but keep the spaces and dashes too…
$string = strtolower($string); // make it lowercase
preg_match_all('/\b.*?\b/i', $string, $match_words);
$match_words = $match_words[0];
foreach ( $match_words as $key => $item ) {
if ( $item == '' || in_array(strtolower($item), $stop_words) || strlen($item) <= 3 ) {
unset($match_words[$key]);
}
}
$word_count = str_word_count( implode(" ", $match_words) , 1);
$frequency = array_count_values($word_count);
arsort($frequency);
//arsort($word_count_arr);
$keywords = array_slice($frequency, 0, $max_count);
return $keywords;
}
答案 1 :(得分:2)
没有其他参数或本机PHP函数可以传递要排除的单词。因此,我会使用您拥有的内容并忽略str_word_count
返回的自定义单词集。
答案 2 :(得分:2)
您可以使用array_diff()
:
$words = array("if", "you", "do", "this", 'I', 'do', 'that');
$stopwords = array("a", "you", "if");
print_r(array_diff($words, $stopwords));
给出
Array
(
[2] => do
[3] => this
[4] => I
[5] => do
[6] => that
)
但你必须自己照顾小写和大写。这里最简单的方法是 事先将文本转换为小写。
答案 3 :(得分:0)
这是我使用内置PHP函数的解决方案:
most_frequent_words - 查找字符串中出现的最常见字词
function most_frequent_words($string, $stop_words = [], $limit = 5) {
$string = strtolower($string); // Make string lowercase
$words = str_word_count($string, 1); // Returns an array containing all the words found inside the string
$words = array_diff($words, $stop_words); // Remove black-list words from the array
$words = array_count_values($words); // Count the number of occurrence
arsort($words); // Sort based on count
return array_slice($words, 0, $limit); // Limit the number of words and returns the word array
}
返回数组包含最常出现在字符串中的单词。
string $ string - 输入字符串。
array $ stop_words (可选) - 从数组中过滤掉的单词列表,默认为空数组。
string $ limit (可选) - 限制返回的字数,默认 5 。