我正在尝试将用户输入与此处文档进行比较,以比较输入是否大于或小于 2 个数字(日期),如果是,我打印第一列。 我的文件如下所示:
Earth,19480210,19490228
Earth,19490229,19500216
Metal,19500217,19510205
用户可以输入20100215作为日期。这是我的 while 循环,它比较使用 while 读取中包含的 2 个变量进行比较
while IFS=, read -r term start end; do
if [[ $query -ge $start && $query -le $end ]];then
echo $term
fi
echo $query
exit
done << EOF
$(cat chzod)
EOF
输出如下所示:您的十二生肖是:水
火灾
地球
我不知道为什么 while 循环会生成多个元素,以及是否有任何可能的解决方案。 谢谢 基兰
你的问题仍然有点不清楚,我在这里的字里行间有点阅读,但是如果我猜对了,你想遍历 CSV 文件中的所有条目,如果$query
介于start
和end
之间,你想输出term
.但是,如果在循环遍历整个文件后,如果没有匹配,您正在尝试再次打印查询?
如果是这种情况,那么你就绊倒了循环逻辑。有很多方法可以处理这个问题,但是当执行多个查询时,您需要确认是否进行了匹配,最简单的解决方案就是设置一个在进行匹配时切换的标志。然后在完成所有比较后,检查标志以查看是否已设置。
一个简单的例子是:
#!/bin/bash
fname="${1:-chzod}" # take csv file as first argument (default: chzod)
printf "query: " # prompt for query
read -r query
test -z query && exit # validate query
declare -i matched=0 # declare matched flag, set to '0'
while IFS=, read -r term start end; do
if [[ $query -ge $start && $query -le $end ]];then
echo $term
matched=1 # set 'matched' flag
fi
done < "$fname" # redirect CSV file into loop
# check 'matched' flag and if unset, output unmatched query
test "$matched" -eq '0' && echo "unmatched query: $query"
示例使用/输出
使用 CSV 文件时,您将期望以下示例结果:
$ bash readearth.sh dat/earth.dat
query: 19490229
Earth
$ bash readearth.sh dat/earth.dat
query: 19510204
Metal
$ bash readearth.sh dat/earth.dat
query: 20100215
unmatched query: 20100215
如果我误解了您的意图,请给我留言,我很乐意为您提供进一步的帮助。