在bash脚本中首次出现模式之前删除所有字符串

时间:2018-08-19 11:23:14

标签: bash awk sed grep

所以我有一个问题。 我想在找到某种模式之前删除文件的全部内容,但是只在它第一次出现时才删除。 模式:([0-9]{2}:[0-9]{2}:[0-9]{2}).([0-9]{6})(适合字符串的日期部分)。

例如,此内容:

-- 10:17:40.614568 00:00:00:00:00:00 > ff:ff:ff:ff:ff:ff, ethertype IPv4 (0x0800), length 303: (tos 0x0, ttl 64, id 0, offset 0, flags [DF], proto UDP (17), length 289) 0.0.0.0.68 > 255.255.255.255.67: BOOTP/DHCP, Request from 00:00:00:00:00:00, length 261, xid 0x1466f606, Flags [Broadcast]

应解析为:

10:17:40.614568 00:00:00:00:00:00 > ff:ff:ff:ff:ff:ff, ethertype IPv4 (0x0800), length 303: (tos 0x0, ttl 64, id 0, offset 0, flags [DF], proto UDP (17), length 289) 0.0.0.0.68 > 255.255.255.255.67: BOOTP/DHCP, Request from 00:00:00:00:00:00, length 261, xid 0x1466f606, Flags [Broadcast]

1 个答案:

答案 0 :(得分:1)

编辑: :由于OP提到仅在整个Input_file中的第一个正则表达式匹配时才需要满足条件,因此现在添加此解决方案。

awk --re-interval '
match($0,/[0-9]{2}:[0-9]{2}:[0-9]{2}\.[0-9]{6}/)  && !index{
  print substr($0,RSTART)
  index=1
  next
}
index ' Input_file


请您尝试以下。

awk --re-interval '
match($0,/[0-9]{2}:[0-9]{2}:[0-9]{2}\.[0-9]{6}/){
  print substr($0,RSTART)
}' Input_file

它将仅打印找到正则表达式匹配项的行。如果您也要打印不匹配的行,请执行以下操作。

awk --re-interval '
match($0,/[0-9]{2}:[0-9]{2}:[0-9]{2}\.[0-9]{6}/){
  print substr($0,RSTART)
  next
}
1' Input_file

由于我使用的是旧版awk,因此我已经--re-interval删除了它,以防上述代码对您有利(awk的新版本有效)

第一个代码的说明:

awk --re-interval '                                ##Starting awk program from here and --re-interval enables ERE for OLD versions of awk.
match($0,/[0-9]{2}:[0-9]{2}:[0-9]{2}\.[0-9]{6}/){  ##Using match utility of awk here which will check REGEX provided to it either it presents on line or not.
  print substr($0,RSTART)                          ##match utility/function has variable named RSTART which denotes the starting of REGEX point, so I am using substring function to print from starting of that point to till end of line, since OP want to remove everything before REGEX match.
}
' Input_file                                       ##Mentioning Input_file name here.

第二个代码的解释与第一个代码相同,只是区别在于第二个代码有next会跳过正则表达式匹配的行,而1将在Input_file中打印不匹配的行。