sed(GNU)

sed(GNU)

如何使用文本处理工具在每 N 行后插入一个新行?

N=2 的示例:

输入:

sadf
asdf
yxcv
cxv
eqrt
asdf

输出:

sadf
asdf

yxcv
cxv

eqrt
asdf

答案1

awk

awk ' {print;} NR % 2 == 0 { print ""; }' inputfile

sedGNU扩展):

sed '0~2 a\\' inputfile

bash

#!/bin/bash
lines=0
while IFS= read -r line
do
    printf '%s\n' "${line}"
    ((lines++ % 2)) && echo
done < "$1"

答案2

sed(GNU)

与(GNU)sed

sed '0~2G'

短(对于 N=100 来说很难看):

sed 'n;G'

man sed 将 ~ 解释为:

first ~ step
匹配从第一个行开始的每一个第 步行。例如,“sed -n 1~2p”将打印输入流中的所有奇数行,地址 2~5 将匹配从第二行开始的每五行。第一个可以为零;在这种情况下,sed 的运行方式就好像它等于步骤一样。 (这是一个扩展。)

sed(其他)

与其他 sed (计算新行):

sed -e 'p;s/.*//;H;x;/\n\{2\}/{g;p};x;d'

或者,为了更便携,写为(删除某些版本的 sed 的注释):

sed -e '             # Start a sed script.
         p            # Whatever happens later, print the line.
         s/.*//       # Clean the pattern space.
         H            # Add **one** newline to hold space.
         x            # Get the hold space to examine it, now is empty.
         /\n\{2\}/{   # Test if there are 2 new lines counted.
             g        # Erase the newline count.
             p        # Print an additional new line.
           }          # End the test.
         x            # match the `x` done above.
         d            # don't print anything else. Re-start.
       '              # End sed script.

awk

awk,可能:

awk '1 ; NR%2==0 {printf"\n"} '

答案3

使用paste

 paste -d'\n' - - /dev/null <file

答案4

另一种 awk 风格:

awk '{ l=$0; getline; printf("%s\n%s\n\n", l, $0) }'

相关内容