キーワード間の行をカンマ区切り値の1行に結合します。

キーワード間の行をカンマ区切り値の1行に結合します。

最初の発生Catと次の発生の間に「、」で区切られた別々Catの行を作成する必要があります。

ファイル入力は次のとおりです。

Cat
AA
BB
CC
Cat
AA-1
BB-1
CC-1

予想出力:

Cat,AA,BB,CC
Cat,AA-1,BB-1,CC-1

答え1

GNU sedの使用:

sed ':a;N;s/\n/,/;ta' file | sed 's/,Cat/\nCAT/g'

または

tr '\n' ',' < file | sed 's/,Cat/\nCAT/g'

答え2

あなたはこれを行うことができますsed

sed '1{h;d;};/^Cat$/!{H;$!d;};x;s/\n/,/g;${x;/^Cat$/H;x;}' infile

説明する:

sed '1{                   # if this is the 1st line
h                         # copy over the hold space
d                         # and delete it
}
/^Cat$/!{                 # if the line doesn't match Cat
H                         # append to hold space and
$!d                       # delete it if it's not the last line 
}
x                         # exchange pattern space w. hold buffer
s/\n/,/g                  # replace all newline chars with commas
${                        # check if the last line of input matches Cat:
x                         # exchange pattern space w. hold buffer
/^Cat$/H                  # if the line matches Cat append it to hold buffer
x                         # exchange back
}' infile

答え3

アッ

awk '
    /Cat/ {
        if (NR>1) print ""
        printf "%s", $0
        next
    } 
    {printf ",%s", $0} 
    END {print ""}
' file

awk変数に大きく依存する別のバージョン:(「Cat」が大文字と小文字を区別しない正規表現でなければならないというあなたのコメントを読む前に追加されました)

awk 'BEGIN {RS="Cat"; FS="\n"; OFS=","} NR>1 {$1=RS; NF--; print}' file

答え4

このソリューションでは、ファイル全体をメモリに読み込む必要はありません。つまり、行全体が1GB未満の場合、1GBシステムで処理される1TBファイルを処理できます。

perl -ne 'BEGIN { $sep = shift; }
          if(/^$sep$/o) { @p and print join(",", @p)."\n"; @p = (); }
          chomp; push @p, $_;
          END { print join(",", $sep, @p)."\n"; }' Cat /tmp/cat

関連情報