有一个文件,其中第一个和第二个字段的条目为日期和时间,方式如下:2015/10/14 00:33:37
。
该文件有 100,000 多行,并且不断更新。文件中的条目需要选择最早的星期一 00:00:00 到星期日 23:59:59。
2015/10/11 23:55:37 abc1 def1 2015/10/11 23:55:39 abc2 def2 2015/10/11 23:56:19 abc3 def3 2015/10/11 23:56:46 abc4 def4 2015/10/11 23:57:46 abc5 def5 2015/10/12 0:04:25 abc6 def6 2015/10/12 0:04:44 abc7 def7 2015/10/12 0:04:44 abc8 def8 2015/10/12 0:04:44 abc9 def9 2015/10/12 0:04:44 abc10 def10 2015/10/12 0:04:44 abc11 def11 2015/10/12 0:04:44 abc12 def12 2015/10/12 0:04:44 abc13 def13 2015/10/12 0:04:44 abc14 def14 2015/10/12 0:04:44 abc15 def15 2015/10/12 0:04:48 abc16 def16 2015/10/12 0:04:48 abc17 def17 2015/10/12 0:04:48 abc18 def18 2015/10/12 0:04:48 abc19 def19 2015/10/12 0:04:49 abc20 def20 2015/10/12 0:04:49 abc21 def21 2015/10/12 0:08:36 abc22 def22 2015/10/12 0:08:36 abc23 def23 2015/10/12 0:08:36 abc24 def24 2015/10/12 0:08:36 abc25 def25 2015/10/12 0:08:36 abc26 def26 2015/10/12 0:08:36 abc27 def27 2015/10/12 0:08:36 abc28 def28 2015/10/12 0:08:37 abc29 def29 2015/10/12 0:08:37 abc30 def30
答案1
此 shell 脚本片段构建了一个扩展正则表达式(带有/
适当转义的字符),其中包含从上周一到下周日的所有日期的YYYY/MM/DD
格式。然后它使用它来grep
搜索日志文件。
DAYS=$(for D in {0..6} ; do
date -d "last monday + $D days" +'%Y\\/%m\\/%d'
done | xargs |
sed -e 's/ /|/g'
)
REGEX="^($DAYS) "
grep -E "$REGEX" logfile.txt
如果您更喜欢使用基本正则表达式,请将最后几行更改为:
REGEX="^\($DAYS\) "
REGEX=$(printf "%s" "$REGEX" | sed -e 's/\([|]\)/\\\1/g')
grep "$REGEX" logfile.txt
另一种选择是使用grep
's -F
(fixed-string) 和-f
(file) 选项以及 shell 的进程替换功能<( ... )
,如下所示:
DAYS=$(for D in {0..6} ; do
date -d "last monday + $D days" +'%Y/%m/%d'
done )
grep -F -f <(echo "$DAYS") logfile.txt
甚至
grep -F -f <( for D in {0..6} ; do
date -d "last monday + $D days" +'%Y/%m/%d'
done ) logfile.txt
注意:最后两个版本将在该行中任何位置的该格式的日期上匹配,而不仅仅是在行的开头。根据您提供的示例,这不太可能成为问题。