Pipes實現LeetCode(192.單詞頻率)

[LeetCode] 192.Word Frequency 單詞頻率

Write a bash script to calculate the frequency of each word in a text file words.txt.

For simplicity sake, you may assume:

  • words.txt contains only lowercase characters and space ‘ ‘ characters.
  • Each word must consist of lowercase characters only.
  • Words are separated by one or more whitespace characters.

For example, assume that words.txt has the following content:

the day is sunny the the
the sunny is is

Your script should output the following, sorted by descending frequency:

the 4
is 3
sunny 2
day 1

Note:
Don’t worry about handling ties, it is guaranteed that each word’s frequency count is unique.

[show hint]

Hint:
Could you write it in one-line using Unix pipes?

這道題給瞭我們一個文本文件,讓我們統計裡面單詞出現的個數,提示中讓我們用管道Pipes來做,在之前那道Tenth Line中,我們使用過管道命令。提示中讓我們用管道連接各種命令,然後一行搞定,那麼我們先來看第一種解法,乍一看啥都不明白,咋辦?沒關系,容我慢慢來講解。首先用的關鍵字是grep命令,該命令一種強大的文本搜索工具,它能使用正則表達式搜索文本,並把匹配的行打印出來。後面緊跟的-oE ‘[a-z]+’參數表示原文本內容變成一個單詞一行的存儲方式,於是此時文本的內容就變成瞭:

the
day
is
sunny
the
the
the
sunny
is

下面的sort命令就是用來排序的。排完序的結果為:

day
is
is
is
sunny
sunny
the
the
the
the

後面的uniq命令是表示去除重復行命令,後面的參數-c表示在每行前加上表示相應行目出現次數的前綴編號,得到結果如下:

   1 day
3 is
2 sunny
4 the

然後我們再sort一下,後面的參數-nr表示按數值進行降序排列,得到結果:

   4 the
3 is
2 sunny
1 day 

而最後的awk命令就是將結果輸出,兩列顛倒位置即可:

解法一:

grep -oE '[a-z]+' words.txt | sort | uniq -c | sort -nr | awk '{print $2" "$1}' 

下面這種方法用的關鍵字是tr命令,該命令主要用來進行字符替換或者大小寫替換。後面緊跟的-s參數表示如果發現連續的字符,就把它們縮減為1個,而後面的‘ ‘和‘\n’就是空格和回車,意思是把所有的空格都換成回車,那麼第一段命令tr -s ‘ ‘ ‘\n’ < words.txt 就好理解瞭,將單詞之間的空格都換成回車,跟上面的第一段實現的作用相同,後面就完全一樣瞭,參見上面的講解:

解法二:

tr -s ' ' '\n' < words.txt | sort | uniq -c | sort -nr | awk '{print $2, $1}'

下面這種方法就沒有用管道命令進行一行寫法瞭,而是使用瞭強大的文本分析工具awk進行寫類C的代碼來實現,這種寫法在之前的那道Transpose File已經講解過瞭,這裡就不多說瞭,最後要註意的是sort命令的參數-nr -k 2表示按第二列的降序數值排列:

解法三:

awk '{
    for (i = 1; i <= NF; ++i) ++s[$i];
} END {
    for (i in s) print i, s[i];
}' words.txt | sort -nr -k 2

參考資料:

https://leetcode.com/discuss/33353/my-accepted-answer-using-tr-sort-uniq-and-awk

https://leetcode.com/discuss/46976/my-ac-solution-one-pipe-command-but-cost-20ms

https://leetcode.com/discuss/29001/solution-using-awk-and-pipes-with-explaination

到此這篇關於Pipes實現LeetCode(192.單詞頻率)的文章就介紹到這瞭,更多相關Pipes實現單詞頻率內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: