在包含多个 expr2 的文件中,将与 expr1 匹配的行移到另一个与上面 expr2 匹配的行之前

在包含多个 expr2 的文件中,将与 expr1 匹配的行移到另一个与上面 expr2 匹配的行之前

我有一个包含多个文件的文件夹。在每个文件中,该单词可能会出现一次或多次implicit,并且在某些文件中implicit可能会出现use output几行句子。 implicit。一般来说,我不知道有多少行将它们分开。一些示例文件如下所示:

前1.f

...some text...

implicit

...some other text...

前2.f

...some text...

implicit
...a few lines...
use output

...some other text...

前3.f

...some text...

implicit
...a few lines...
use output

...some other text...

implicit
...a few lines...
use output

...some more text...

前4.f

...some text...

implicit

...some other text...

implicit
...few lines...
use output

...some more text...

我想移动所有出现的use output 多于implicit之前找到的最接近的use output

请注意,通常解​​决方案应不区分大小写。任何基于 grep、sed、awk 的东西都可以。

从概念上讲,我认为解决方案应该遵循以下逻辑:

  1. 匹配use output
  2. 删除该行并保留其内容
  3. 反转搜索方向并查找第一次出现的implicit
  4. 一旦匹配,添加use output上面的implicit
  5. 再次反向搜索方向并返回寻找use output

答案1

如果我们以相反的顺序来看范围问题,它们就会被简化。最后记得再次反转以维持宇宙的和谐。

使用范围运算符, 将最大化正则表达式计数,但会提高可读性。

tac file_name |
sed -e '
  /use output/,/implicit/!b
  /use output/{h;d;}
  /implicit/G
'   |   
tac ;

无需求助于范围运算符。以代码复杂性为代价最小化正则表达式数量。

tac  file |
sed -e '
  /use output/!b
  $q;h;N;s/.*\n//
  :loop
    n
  /implicit/!bloop
  G
'    |
tac  ;

答案2

如果该tac实用程序不存在,我们仍然可以在 中执行此操作sed,但现在我们无法打印,直到我们看到“使用输出”行,因为我们不知道在此之前可能会出现另一个“隐式”行。

sed -n '
  /implicit/!bp
  h
  :loop
    ${g;bp;} 
    n
    /implicit/{x;p;bloop;}
    H
  /use output/!bloop
  G;s/\n[^\n]*$//
  :p;p
' file

相关内容