noober
noober

Reputation: 1505

bash - how to remove first 2 lines from output

I have the following output in a text file:

106 pages in list
.bookmarks
20130516 - Daily Meeting Minutes
20130517 - Daily Meeting Minutes
20130520 - Daily Meeting Minutes
20130521 - Daily Meeting Minutes

I'm looking to remove the first 2 lines from my output. This particular shell script that I use to execute, always has those first 2 lines.

This is how I generated and read the file:

#Lists
PGLIST="$STAGE/pglist.lst";
RUNSCRIPT="$STAGE/runPagesToMove.sh";

#Get List of pages
$ATL_BASE/confluence.sh $CMD_PGLIST $CMD_SPACE "$1" > "$PGLIST";

# BUILD executeable script
echo "#!/bin/bash" >> $RUNSCRIPT 2>&1
IFS=''
while read line
  do
     echo "$ATL_BASE/conflunce.sh $CMD_MVPAGE $CMD_SPACE "$1" --title \"$line\" --newSpace \"$2\" --parent \"$3\"" >> $RUNSCRIPT 2>&1
done < $PGLIST

How do I remove those top 2 lines?

Upvotes: 29

Views: 61709

Answers (3)

Gergo Erdosi
Gergo Erdosi

Reputation: 42028

You can achieve this with tail:

tail -n +3 "$PGLIST"
  -n, --lines=K
          output the last K lines, instead of the last 10; or use -n +K
          to output starting with the Kth

Upvotes: 46

Kent
Kent

Reputation: 195029

awk way:

awk 'NR>2' "$PGLIST"

Upvotes: 9

Jonathan Leffler
Jonathan Leffler

Reputation: 753475

The classic answer would use sed to delete lines 1 and 2:

sed 1,2d "$PGLIST"

Upvotes: 37

Related Questions