我需要获取一个文件并按字数降序打印字母表中每个字母开始一个单词的次数。例如,如果文件是:
my nice name is Mike Meller
那么输出应该是:
3 M
2 N
1 I
我需要在一行中完成此操作。我知道像wc -m
and这样的命令,wc -w
但我不确定如何迭代每个字符并以相同的方式打印它,然后按照他们想要的方式对其进行排序。
答案1
一种方式......(编辑以避免两次计算相同的单词)
$ echo "my nice name is Mike Meller" | tr ' ' '\n' | sort -f | uniq -i | sed -nr 's/^([a-z]).*/\U\1/Ip' | uniq -c | sort -r
3 M
2 N
1 I
tr ' ' '\n'
将空格更改为换行符sort -f
对行进行排序,以便相同的条目放在一起,即使大小写不同uniq -i
删除重复的单词,忽略大小写sed -nr 's/^([a-z]).*/\U\1/Ip'
删除除第一个字母以外的所有内容,将所有字母更改为大写,如果该行不以字母开头,则不打印该行uniq -c
计算相同的行sort -r
降序排序
(echo "my nice name is Mike Meller"
用。。。来代替cat name-of-your-file
)
答案2
和perl
:
perl -Mopen=locale -lne '
$c{uc $_}++ for /\b\p{Alpha}/g;
END{for (sort {$c{$b} <=> $c{$a}} keys %c) {print "$c{$_} $_"}}'
请注意,如果某些字母以分解形式出现。例如,如果É
输入为É
(即 E 后跟 U+0301 组合重音)而不是预组合É
(U+00E9),则它将被计为E
,而不是É
Nor É
。
如果这是一个问题,那么最好的方法可能是首先分解文本(因为某些字素没有预先组成的形式)并在字素簇的基础上工作。无论如何,有些类似的fi
东西你可能想要分解:
比较:
$ printf 'my fine name is \uc9ric, maybe E\u301ric, certainly not Eric\n' |
perl -Mopen=locale -lne '
$c{uc $_}++ for /\b\p{Alpha}/g;
END{for (sort {$c{$b} <=> $c{$a}} keys %c) {print "$c{$_} $_"}}'
2 E
2 N
2 M
1 C
1 FI
1 É
1 I
和:
$ printf 'my fine name is \uc9ric, maybe E\u301ric, certainly not Eric\n' |
perl -Mopen=locale -MUnicode::Normalize -lne '
$c{uc $_}++ for NFKD($_) =~ /\b(?=\p{Alpha})\X/g;
END{for (sort {$c{$b} <=> $c{$a}} keys %c) {print "$c{$_} $_"}}'
2 É
2 M
2 N
1 E
1 I
1 C
1 F
答案3
GNU awk:
gawk '
{ for (i=1; i<=NF; i++) count[toupper(substr($i,1,1))]++ }
END {
PROCINFO["sorted_in"] = "@val_num_desc"
for (key in count) print count[key], key
}
' file
答案4
我希望这不是一个家庭作业? ;-) 棘手的部分是你不想将 Meller 中的“L”数两次,对吗?于是就有了“独特”。
$cat t
my nice name is Mike Meller
然后是执行转换的命令管道:
$tr '[a-z]' '[A-Z]' < t | # Convert all to upper case
fold -b -w 1 | # Break into one letter per line
awk -f t.awk | # Pipe the whole mess to awk to count
sort -r -n # Sort in reverse numeric order
awk 脚本最好分解成一个单独的文件,尽管您可以将其全部放入 bash 一行中:
$cat t.awk
/ / { # Match spaces,
for (c in wc) {dc[c]+=1} # Accumulate word count (wc) into doc count (dc)
split("",wc) # Reset the word count
}
!/ / { # Match non-spaces,
if (wc[$1] == "") wc[$1]=1 # If haven't already seen char in this word, mark it Donny
}
# Finally, output the count and the letter
END {
for (c in wc) {dc[c]+=1} # Accumulate one last time, in case there is no trailing space
for (c in dc) {print c, dc[c]}
}
它产生(对我来说)这个输出:
$tr '[a-z]' '[A-Z]' < t | fold -b -w 1 | awk -f t.awk | sort -r -n
4 M
4 E
3 I
2 N
1 Y
1 S
1 R
1 L
1 K
1 C
1 A