🍓 简介:java系列技术分享(👉持续更新中…🔥)
🍓 初衷:一起学习、一起进步、坚持不懈
🍓 如果文章内容有误与您的想法不一致,欢迎大家在评论区指正🙏
🍓 希望这篇文章对你有所帮助,欢迎点赞 👍 收藏 ⭐留言 📝🍓 更多文章请点击
上篇
请阅读:Linux Shell编程入门到实战(五)
文章目录
- 一、 面试题:查空行
- 二、 面试题:求一列的和
- 三、 面试题:检查文件是否存在
- 四、面试题:数字排序
- 五、面试题:搜索指定目录下文件内容
- 六、 面试题:批量生成文件名
- 七、 面试题:批量改名
- 八、 面试题:筛选单词
- 九、 面试题:单词及字母去重排序
一、 面试题:查空行
问题:使用Linux命令查询file.txt中空行所在的行号
file1.txt数据准备
zhangsan zhangsan
lisi
123
wagnwu
答案:
awk '/^$/{print NR}' file1.txt
运行效果
二、 面试题:求一列的和
问题:有文件file2.txt内容如下:
张三 40
李四 50
王五 60
使用Linux命令计算第二列的和并输出
运行效果
三、 面试题:检查文件是否存在
问题:Shell脚本里如何检查一个文件是否存在?如果不存在该如何处理?
答:
if [ -e /root/file1.txt ]; then echo "文件存在"; else echo "文件不存在"; fi
运行效果
四、面试题:数字排序
问题:用shell写一个脚本,对文本中无序的一列数字排序
cat file3.txt文件内容
9
8
7
6
5
4
3
2
10
1
答
sort -n file3.txt | awk '{sum+=$1; print $1} END{print "求和: "sum}'
运行效果
五、面试题:搜索指定目录下文件内容
问题:请用shell脚本写出查找当前文件夹(/tmp)下所有的文本文件内容中包含有字符”123”的文件名称?
答:
grep -r "123" /tmp| cut -d ":" -f 1| sort -u
运行效果
六、 面试题:批量生成文件名
问题: 批量生产指定数目的文件,文件名采用"纳秒"命名
答: file4.sh
#!/bin/bash
read -t 30 -p "请输入创建文件的数目:" n
test=$(echo $n | sed 's/[0-9]//g') #检测非数字输入
if [ -n "$n" -a -z "$test" ] #检测空输入
then
for ((i=0;i<$n;i=i+1 ))
do
name=$(date +%N)
[ ! -d ./temp ] && mkdir -p ./temp
touch "./temp/$name"
echo "创建 $name 成功!"
done
else
echo "创建失败"
exit 1
fi
运行效果
七、 面试题:批量改名
问题: 将/tmp目录下所有文件名重命名为"旧文件名-递增数字"?
重命名命令
rename 旧文件名 新文件名 旧文件所在位置
脚本代码file5.sh
#!/bin/bash
filenames=$(ls /tmp)
number=1
for name in $filenames
do
printf "命令前:%s" ${name}
newname=${name}"-"${number}
rename $name ${newname} /tmp/*
let number++ #每个改名后的文件名后缀数字加1
printf "重命名后:%s \n" ${newname}
done
运行效果
八、 面试题:筛选单词
问题: 根据给出的数据输出里面单词长度大于3的单词
数据准备
I may not be able to change the past, but I can learn from it.
shell脚本file7.sh
echo "I may not be able to change the past, but I can learn from it." | awk -F "[ ,.]" '{for(i=1;i<NF;i++){ if(length($i)>3){print $i}}}'
运行效果
九、 面试题:单词及字母去重排序
问题
1、按单词出现频率降序排序!
2、按字母出现频率降序排序!
file8.txt 文件内容
No. The Bible says Jesus had compassion2 on them for He saw them as sheep without a shepherd. They were like lost sheep, lost in their sin. How the Lord Jesus loved them! He knew they were helpless and needed a shepherd. And the Good Shepherd knew He had come to help them. But not just the people way back then. For the Lord Jesus knows all about you, and loves you too, and wants to help you.
按照单词出现频率降序
awk -F "[,. ]+" '{for(i=1;i<=NF;i++)S[$i]++}END{for(key in S)print S[key],key}' file8.txt |sort -rn|head
运行效果
按照字符出现频率降序前10个
awk -F "" '{for(i=1;i<=NF;i++)S[$i]++}END{for(key in S)print S[key],key}' file8.txt |sort -rn|head
运行效果