Answers:
您可以按字母顺序排列吗?
echo "red apple
> green apple
> green apple
> orange
> orange
> orange
> " | sort -u
?
green apple
orange
red apple
要么
sort -u FILE
-u代表唯一,唯一性只能通过排序来实现。
保留订单的解决方案:
echo "red apple
green apple
green apple
orange
orange
orange
" | { old=""; while read line ; do if [[ $line != $old ]]; then echo $line; old=$line; fi ; done }
red apple
green apple
orange
并且,带有一个文件
cat file | {
old=""
while read line
do
if [[ $line != $old ]]
then
echo $line
old=$line
fi
done }
最后两个仅删除重复项,紧随其后的-与您的示例相符。
echo "red apple
green apple
lila banana
green apple
" ...
将打印两个苹果,并用香蕉劈开。
只是为了计数:
$> egrep -o '\w+' fruits.txt | sort | uniq -c
3 apple
2 green
1 oragen
2 orange
1 red
要获得排序的计数:
$> egrep -o '\w+' fruits.txt | sort | uniq -c | sort -nk1
1 oragen
1 red
2 green
2 orange
3 apple
编辑
啊哈,这不是单词边界,我不好。这是用于整行的命令:
$> cat fruits.txt | sort | uniq -c | sort -nk1
1 oragen
1 red apple
2 green apple
2 orange
这是一个使用Counter类型的简单python脚本。好处是,这不需要对文件进行排序,本质上是使用零内存:
import collections
import fileinput
import json
print(json.dumps(collections.Counter(map(str.strip, fileinput.input())), indent=2))
输出:
$ cat filename | python3 script.py
{
"red apple": 1,
"green apple": 2,
"orange": 3
}
或者您可以使用简单的单线:
$ cat filename | python3 -c 'print(__import__("json").dumps(__import__("collections").Counter(map(str.strip, __import__("fileinput").input())), indent=2))'
-d
笔记。