php词频统计,Go语言词频统计

从数据挖掘到语言学习本身,文本分析功能的应用非常广泛,本一节我们来分析一个例子,它是文本分析最基本的一种形式:统计出一个文件里单词出现的频率。

示例中频率统计后的结果以两种不同的方式显示,一种是将单词按照字母顺序把单词和频率排列出来,另一种是按照有序列表的方式把频率和对应的单词显示出来,完整的示例代码如下所示:

package main

import (

"bufio"

"fmt"

"io"

"log"

"os"

"path/filepath"

"runtime"

"sort"

"strings"

"unicode"

"unicode/utf8"

)

func main() {

if len(os.Args) == 1 || os.Args[1] == "-h" || os.Args[1] == "--help" {

fmt.Printf("usage: %s [ [... ]]\n",

filepath.Base(os.Args[0]))

os.Exit(1)

}

frequencyForWord := map[string]int{} // 与:make(map[string]int)相同

for _, filename := range commandLineFiles(os.Args[1:]) {

updateFrequencies(filename, frequencyForWord)

}

reportByWords(frequencyForWord)

wordsForFrequency := invertStringIntMap(frequencyForWord)

reportByFrequency(wordsForFrequency)

}

func commandLineFiles(files []string) []string {

if runtime.GOOS == "windows" {

args := make([]string, 0, len(files))

for _, name := range files {

if matches, err := filepath.Glob(name); err != nil {

args = append(args, name) // 无效模式

} else if matches != nil {

args = append(args, matches...)

}

}

return args

}

return files

}

func updateFrequencies(filename string, frequencyForWord map[string]int) {

var file *os.File

var err error

if file, err = os.Open(filename); err != nil {

log.Println("failed to open the file: ", err)

return

}

defer file.Close()

readAndUpdateFrequencies(bufio.NewReader(file), frequencyForWord)

}

func readAndUpdateFrequencies(reader *bufio.Reader,

frequencyForWord map[string]int) {

for {

line, err := reader.ReadString('\n')

for _, word := range SplitOnNonLetters(strings.TrimSpace(line)) {

if len(word) > utf8.UTFMax ||

utf8.RuneCountInString(word) > 1 {

frequencyForWord[strings.ToLower(word)] += 1

}

}

if err != nil {

if err != io.EOF {

log.Println("failed to finish reading the file: ", err)

}

break

}

}

}

func SplitOnNonLetters(s string) []string {

notALetter := func(char rune) bool { return !unicode.IsLetter(char) }

return strings.FieldsFunc(s, notALetter)

}

func invertStringIntMap(intForString map[string]int) map[int][]string {

stringsForInt := make(map[int][]string, len(intForString))

for key, value := range intForString {

stringsForInt[value] = append(stringsForInt[value], key)

}

return stringsForInt

}

func reportByWords(frequencyForWord map[string]int) {

words := make([]string, 0, len(frequencyForWord))

wordWidth, frequencyWidth := 0, 0

for word, frequency := range frequencyForWord {

words = append(words, word)

if width := utf8.RuneCountInString(word); width > wordWidth {

wordWidth = width

}

if width := len(fmt.Sprint(frequency)); width > frequencyWidth {

frequencyWidth = width

}

}

sort.Strings(words)

gap := wordWidth + frequencyWidth - len("Word") - len("Frequency")

fmt.Printf("Word %*s%s\n", gap, " ", "Frequency")

for _, word := range words {

fmt.Printf("%-*s %*d\n", wordWidth, word, frequencyWidth,

frequencyForWord[word])

}

}

func reportByFrequency(wordsForFrequency map[int][]string) {

frequencies := make([]int, 0, len(wordsForFrequency))

for frequency := range wordsForFrequency {

frequencies = append(frequencies, frequency)

}

sort.Ints(frequencies)

width := len(fmt.Sprint(frequencies[len(frequencies)-1]))

fmt.Println("Frequency → Words")

for _, frequency := range frequencies {

words := wordsForFrequency[frequency]

sort.Strings(words)

fmt.Printf("%*d %s\n", width, frequency, strings.Join(words, ", "))

}

}

程序的运行结果如下所示。

PS D:\code> go run .\main.go small-file.txt

Word       Frequency

ability                     1

about                     1

above                     3

years                      1

you                    128

Frequency → Words

1 ability, about, absence, absolute, absolutely, abuse, accessible, ...

2 accept, acquired, after, against, applies, arrange, assumptions, ...

...

128    you

151    or

192    to

221    of

345    the

其中,small-file.txt 为待统计的文件名,它不是固定的,可以根据实际情况自行调整。由于输出的结果太多,所以上面只截取了部分内容。

通过上面的输出结果可以看出,第一种输出是比较直接的,我们可以使用一个map[string]int类型的结构来保存每一个单词的频率,但是要得到第二种输出结果我们需要将整个映射反转成多值类型的映射,如map[int][]string,也就是说,键是频率而值则是所有具有这个频率的单词。

接下来我们将从程序的 main() 函数开始,从上到下分析。

func main() {

if len(os.Args) == 1 || os.Args[1] == "-h" || os.Args[1] == "--help" {

fmt.Printf("usage: %s [ [... ]]\n",

filepath.Base(os.Args[0]))

os.Exit(1)

}

frequencyForWord := map[string]int{} // 与:make(map[string]int)相同

for _, filename := range commandLineFiles(os.Args[1:]) {

updateFrequencies(filename, frequencyForWord)

}

reportByWords(frequencyForWord)

wordsForFrequency := invertStringIntMap(frequencyForWord)

reportByFrequency(wordsForFrequency)

}

main() 函数首先分析命令行参数,之后再进行相应处理。

我们使用复合语法创建一个空的映射,用来保存从文件读到的每一个单词和对应的频率,接着我们遍历从命令行得到的每一个文件,分析每一个文件后更新 frequencyForWord 的数据。

得到第一个映射之后,我们就可以输出第一个报告了(按照字母顺序排列的列表),然后我们创建一个反转的映射,输出第二个报告(按出现频率统计并排序的列表)。

func commandLineFiles(files []string) []string {

if runtime.GOOS == "windows" {

args := make([]string, 0, len(files))

for _, name := range files {

if matches, err := filepath.Glob(name); err != nil {

args = append(args, name) // 无效模式

} else if matches != nil {

args = append(args, matches...)

}

}

return args

}

return files

}

因为 Unix 类系统(如 Linux 或 Mac OS X 等)的命令行工具默认会自动处理通配符(也就是说,*.txt 能匹配任意后缀为 .txt 的文件,如 README.txt 和 INSTALL.txt 等),而 Windows 平台的命令行工具(CMD)不支持通配符,所以如果用户在命令行输入 *.txt,那么程序只能接收到 *.txt。

为了保持平台之间的一致性,这里使用 commandLineFiles() 函数来实现跨平台的处理,当程序运行在 Windows 平台时,实现文件名通配功能。

func updateFrequencies(filename string, frequencyForWord map[string]int) {

var file *os.File

var err error

if file, err = os.Open(filename); err != nil {

log.Println("failed to open the file: ", err)

return

}

defer file.Close()

readAndUpdateFrequencies(bufio.NewReader(file), frequencyForWord)

}

updateFrequencies() 函数纯粹就是用来处理文件的,它打开给定的文件,并使用 defer 在函数返回时关闭文件,这里我们将文件作为一个 *bufio.Reader(使用 bufio.NewReader() 函数创建)传给 readAndUpdateFrequencies() 函数,因为这个函数是以字符串的形式一行一行地读取数据的,所以实际的工作都是在 readAndUpdateFrequencies() 函数里完成的,代码如下。

func readAndUpdateFrequencies(reader *bufio.Reader, frequencyForWord map[string]int) {

for {

line, err := reader.ReadString('\n')

for _, word := range SplitOnNonLetters(strings.TrimSpace(line)) {

if len(word) > utf8.UTFMax || utf8.RuneCountInString(word) > 1 {

frequencyForWord[strings.ToLower(word)] += 1

}

}

if err != nil {

if err != io.EOF {

log.Println("failed to finish reading the file: ", err)

}

break

}

}

}

第一部分的代码我们应该很熟悉了,用了一个无限循环来一行一行地读一个文件,当读到文件结尾或者出现错误的时候就退出循环,将错误报告给用户但并不退出程序,因为还有很多其他的文件需要去处理。

任意一行都可能包括标点、数字、符号或者其他非单词字符,所以我们需要逐个单词地去读,将每一行分隔成若干个单词并使用 SplitOnNonLetters() 函数忽略掉非单词的字符,并且过滤掉字符串开头和结尾的空白。

只需要记录含有两个以上(包括两个)字母的单词,可以通过使用 if 语句,如 utf8.RuneCountlnString(word) > 1 来完成。

上面描述的 if 语句有一点性能损耗,因为它会分析整个单词,所以在这个程序里我们增加了一个判断条件,用来检査这个单词的字节数是否大于 utf8.UTFMax(utf8.UTFMax 是一个常量,值为 4,用来表示一个 UTF-8 字符最多需要几个字节)。

func SplitOnNonLetters(s string) []string {

notALetter := func(char rune) bool { return !unicode.IsLetter(char) }

return strings.FieldsFunc(s, notALetter)

}

SplitOnNonLetters()函数用来在非单词字符上对一个字符串进行切分,首先我们为 strings.FieldsFunc() 函数创建一个匿名函数 notALetter,如果传入的是字符那就返回 false,否则返回 true,然后返回调用函数 strings.FieldsFunc() 的结果,调用的时候将给定的字符串和 notALetter 作为它的参数。

func reportByWords(frequencyForWord map[string]int) {

words := make([]string, 0, len(frequencyForWord))

wordWidth, frequencyWidth := 0, 0

for word, frequency := range frequencyForWord {

words = append(words, word)

if width := utf8.RuneCountInString(word); width > wordWidth {

wordWidth = width

}

if width := len(fmt.Sprint(frequency)); width > frequencyWidth {

frequencyWidth = width

}

}

sort.Strings(words)

gap := wordWidth + frequencyWidth - len("Word") - len("Frequency")

fmt.Printf("Word %*s%s\n", gap, " ", "Frequency")

for _, word := range words {

fmt.Printf("%-*s %*d\n", wordWidth, word, frequencyWidth,

frequencyForWord[word])

}

}

计算出了 frequencyForWord 之后,调用 reportByWords() 将它的数据打印出来,因为我们需要将输出结果按照字母顺序排序好,所以首先要创建一个空的容量足够大的 []string 切片来保存所有在 frequencyForWord 里的单词。

第一个循环遍历映射里的所有项,把每个单词追加到 words 字符串切片里去,使用 append() 函数只需要把给定的单词追加到第 len(words) 个索引位置上即可,words 的长度会自动增加 1。

得到了 words 切片之后,对它进行排序,这个在 readAndUpdateFrequencies() 函数中已经处理好了。

经过排序之后我们打印两列标题,第一个是 "Word",为了能让 Frequency 最后一个字符 y 右对齐,需要在 "Word" 后打印一些空格,通过%*s可以实现的打印固定长度的空白,也可以使用 %s来打印 strings.Repeat(" ", gap) 返回的字符串。

最后,我们将单词和它们的频率用两列方式按照字母顺序打印出来。

func invertStringIntMap(intForString map[string]int) map[int][]string {

stringsForInt := make(map[int][]string, len(intForString))

for key, value := range intForString {

stringsForInt[value] = append(stringsForInt[value], key)

}

return stringsForInt

}

上面的函数首先创建一个空的映射,用来保存反转的结果,但是我们并不知道它到底要保存多少个项,因此我们假设它和原来的映射容量一样大,然后简单地遍历原来的映射,将它的值作为键保存到反转的映射里,并将键增加到对应的值里去,新的映射的值就是一个字符串切片,即使原来的映射有多个键对应同一个值,也不会丢掉任何数据。

func reportByFrequency(wordsForFrequency map[int][]string) {

frequencies := make([]int, 0, len(wordsForFrequency))

for frequency := range wordsForFrequency {

frequencies = append(frequencies, frequency)

}

sort.Ints(frequencies)

width := len(fmt.Sprint(frequencies[len(frequencies)-1]))

fmt.Println("Frequency → Words")

for _, frequency := range frequencies {

words := wordsForFrequency[frequency]

sort.Strings(words)

fmt.Printf("%*d %s\n", width, frequency, strings.Join(words, ", "))

}

}

这个函数的结构和 reportByWords() 函数很相似,它首先创建一个切片用来保存频率,并按照频率升序排列,然后再计算需要容纳的最大长度并以此作为第一列的宽度,之后输出报告的标题,最后,遍历输出所有的频率并按照字母升序输出对应的单词,如果一个频率有超过两个对应的单词则单词之间使用逗号分隔开。

  • 0
    点赞
  • 1
    收藏
    觉得还不错? 一键收藏
  • 0
    评论

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值