cat出力から最初の行と最後の行を読み取る方法は?

cat出力から最初の行と最後の行を読み取る方法は?

テキストファイルがあります。アクション - ファイルから最初の行と最後の行を取得する

$ cat file | grep -E "1|2|3|4" | commandtoprint

$ cat file
1
2
3
4
5

cat出力なしで必要です(1と5のみ)。

~$ cat file | tee >(head -n 1) >(wc -l)
1
2
3
4
5
5
1

たぶんawkとより短い解決策が存在するかもしれません...

答え1

sed解決策:

sed -e 1b -e '$!d' file

で読むとき、stdin次のような場合(例ps -ef:):

ps -ef | sed -e 1b -e '$!d'
UID        PID  PPID  C STIME TTY          TIME CMD
root      1931  1837  0 20:05 pts/0    00:00:00 sed -e 1b -e $!d

頭と尾解決策:

(head -n1 && tail -n1) <file

データがコマンド(ps -ef)から来る場合:

ps -ef 2>&1 | (head -n1 && tail -n1)
UID        PID  PPID  C STIME TTY          TIME CMD
root      2068  1837  0 20:13 pts/0    00:00:00 -bash

アッ解決策:

awk 'NR==1; END{print}' file

パイプラインの例もありますps -ef

ps -ef | awk 'NR==1; END{print}'
UID        PID  PPID  C STIME TTY          TIME CMD
root      1935  1837  0 20:07 pts/0    00:00:00 awk NR==1; END{print}

答え2

sed -n '1p;$p' file.txtfile.txt の最初の行と最後の行を印刷します。

答え3

興味深い純粋な Bash ≥ 4 方式:

cb() { (($1-1>0)) && unset "ary[$1-1]"; }
mapfile -t -C cb -c 1 ary < file

aryその後、最初のフィールド(例:index 0)がの最初の行で、file最後のフィールドがの最後の行である配列が取得されますfile。コールバックcb(配列内のすべての行を読みたい場合はオプション)は、メモリが複雑になるのを防ぐために、すべての中間行の設定を解除します。無料の副産物としてファイルの行数(配列の最後のインデックス+ 1)も取得できます。

デモ:

$ mapfile -t -C cb -c 1 ary < <(printf '%s\n' {a..z})
$ declare -p ary
declare -a ary='([0]="a" [25]="z")'
$ # With only one line
$ mapfile -t -C cb -c 1 ary < <(printf '%s\n' "only one line")
$ declare -p ary
declare -a ary='([0]="only one line")'
$ # With an empty file
$ mapfile -t -C cb -c 1 ary < <(:)
declare -a ary='()'

答え4

猫なし:

$ cat file |tee >(head -n1) >(tail -n1) >/dev/null
1
5

または

$ (head -n1 file;tail -n1 file)
1
5

関連情報