Insere uma nova linha após cada N linhas?

18

Como posso usar ferramentas de processamento de texto para inserir uma nova linha após cada N linhas?

Exemplo para N = 2:

ENTRADA:

sadf
asdf
yxcv
cxv
eqrt
asdf

OUTPUT:

sadf
asdf

yxcv
cxv

eqrt
asdf
    
por LanceBaynes 29.10.2011 / 16:05

5 respostas

23

com awk :

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

Com sed ( GNU extension):

sed '0~2 a\' inputfile

com bash :

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

Usando paste

 paste -d'\n' - - /dev/null <file
    
por 27.01.2015 / 18:50
4
sed n\;G <infile

... é tudo que você precisa ...

Por exemplo:

seq 6 | sed n\;G

OUTPUT:

1
2

3
4

5
6

... (e um espaço em branco segue o 6 também) ... ou ...

seq 5 | sed n\;G

OUTPUT:

1
2

3
4

5

(e nenhum branco segue o 5)

Se um espaço em branco deve sempre ser omitido em um último caso de linha:

sed 'n;$!G' <infile
    
por 27.01.2015 / 11:18
2

Outro sabor do awk:

awk '{ l=$0; getline; printf("%s\n%s\n\n", l, $0) }'
    
por 29.10.2011 / 18:39
0

sed (GNU)

Com (GNU) sed :

sed '0~2G'

Curto (feio para N = 100):

sed 'n;G'

man sed explica como:

first ~ step
Match every step'th line starting with line first. For example, ''sed -n 1~2p'' will print all the odd-numbered lines in the input stream, and the address 2~5 will match every fifth line, starting with the second. first can be zero; in this case, sed operates as if it were equal to step. (This is an extension.)

sed (outro)

Com outro sed (contar novas linhas):

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

Ou, para ser mais portátil, escrito como (remova comentários para algumas versões do 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

Com awk , provavelmente:

awk '1 ; NR%2==0 {printf"\n"} '
    
por 09.10.2018 / 22:06