Question

What's the best shell command to output the lines of a file until you encounter the first blank line? For example:

output these
lines

but do not output anything after the above blank line
(or the blank line itself)

awk? something else?

Was it helpful?

Solution

sed -e '/^$/,$d' <<EOF
this is text
so is this

but not this
or this
EOF

OTHER TIPS

More awk:

awk -v 'RS=\n\n' '1;{exit}'

More sed:

sed -n -e '/./p;/./!q'
sed -e '/./!{d;q}'
sed -e '/./!Q'   # thanks to Jefromi

How about directly in shell?

while read line; do [ -z "$line" ] && break; echo "$line"; done

(Or printf '%s\n' instead of echo, if your shell is buggy and always handles escapes.)

# awk '!NF{exit}1' file
output these
lines

With sed:

sed '/^$/Q' <file>

Edit: sed is way, way, way faster. See ephemient's answer for the fastest version.

To do this in awk, you could use:

awk '{if ($0 == "") exit; else print}' <file>

Note that I intentionally wrote this to avoid using regular expressions. I don't know what awk's internal optimizations are like, but I suspect direct string comparison would be faster.

Awk solution

awk '/^$/{exit} {print} ' <filename>

Here's a solution using Perl:

#! perl

use strict;
use warnings;

while (<DATA>) {
    last if length == 1;
    print;
}

__DATA__
output these
lines

but don't output anything after the above blank line
(or the blank line itself)

A couple of Perl one-liners

$ perl -pe'last if /^$/' file..

$ perl -lpe'last unless length' file..

Another Perl solution:

perl -00 -ne 'print;exit' file
perl -00 -pe 'exit if $. == 2' file
Licensed under: CC-BY-SA with attribution
Not affiliated with StackOverflow
scroll top