パターンの後のnライン、パターンの前のmラインの削除

パターンの後のnライン、パターンの前のmラインの削除

ノート:私はこの質問を知っています:逆方向にgrepして「前」および「後」の行を除外する方法。私は以前の引用と重複しません。その質問に対する回答もパターンを削除しますが、この質問ではパターン自体が残るはずです。


パターンを削除せずに、パターンの後のn行とパターンの前のm行を削除しようとしています。たとえば、ファイルが次のような場合:

1
2
3
4
5
6
7
8
9

パターン=5の場合、n=2、m=3である。しかし:

1
5
8
9

これを行う方法を提案できますか?


ボーナス: 同じコードで m または n = 0 に設定できればいいと思います。例えば。上記の例で m=0 および n=1 に設定すると、次のような結果が得られます。

1
2
3
4
5
7
8
9

答え1

あなたの一般的な質問に答えるために、私たちはed与えられた入力タイプに従って適切なコードを事前に構築します。

 re=5 n=2 m=3
 code=$(
   prev="/$re/-$m,/$re/-1d"
   next="/$re/+1,/$re/+${n}d"
    case "$m/$n" in
       0/0) set -- ;;
       0/?*) set -- "$next" "w" ;;
       ?*/0) set -- "$prev" "w" ;;
         *) set -- "$prev" "$next" "w" ;;
    esac
    printf '%s\n' ${1+"$@"} "q" 
 ) 
 ed -s filename - <<eof
 $code
 eof

1つのアプローチは次のとおりです。edエディタを使用して相対アドレス指定を実行します。これが質問の中心だからです。

 n=3 m=2 re=5
 ed -s filename - <<eof
 /$re/-$m,/$re/-1d
 .+1,.+${n}d
 wq
 eof

説明する:

 1. Line 3 after var substitution becomes
            /5/-2,/5/-1
      What it does is, sitting on line which satisfies the regex /5/, it looks 2 lines behind and stops looking 1 line before the /5/ line or the current line and deletes that bunch. Remember the current line is not deleted.

   2.  Line 4, after var sub becomes
                .+1,.+3d
       . is the nickname for the current line, which in our case is /5/
       So, starting fron one line after the current upto 3 lines after the current, delete them all. Note the current line is still untouched.

  3. Line 5 is wq which means save the modified file back onto itself and quit.

For more on info google the manual for gnu ed editor. 

答え2

次のファイルがあるとしますnumbers.list

1
2
3
4
5
6
7
8
9

以下は、目的のタスクを実行するスクリプトです。

#!/bin/bash
if [ -z "$1" ]; then
    echo >&2 "error: no file specified"
    exit 1
fi
if [ ! -f "$1" ]; then
    echo >&2 "error: $1 is not a file"
    exit 1
fi
if [ -z "$2" ]; then
    echo >&2 "error: no pattern specified"
    exit 1
fi
grep "$2" "$1" >/dev/null 2>&1
if [ ! 0 -eq "$?" ]; then
    echo >&2 "error: pattern $2 not found in $1"
    exit 1
fi
MATCH_FILE="$1"
MATCH_PATTERN="$2"
MATCH_DELETE_AFTER=0
MATCH_DELETE_BEFORE=0
if [ ! -z "$3" ]; then
    MATCH_DELETE_AFTER="$3"
fi
if [ ! -z "$4" ]; then
    MATCH_DELETE_BEFORE="$4"
fi
MATCH_FILE_LINE="$( grep -n "$2" "$1" | cut -d: -f1 )"
#
# print matching `head` minus MATCH_DELETE_BEFORE lines
cat "$1" \
    | head -n "$( expr "$MATCH_FILE_LINE" - "$MATCH_DELETE_BEFORE" - 1 )"
#
# print matching line
cat "$1" \
    | head -n "$MATCH_FILE_LINE" \
    | tail -n 1
#
# print matching `tail` minus MATCH_DELETE_AFTER lines
cat "$1" \
    | tail -n "$( expr "$( wc -l "$1" | cut -d' ' -f1 )" - "$MATCH_FILE_LINE" - "$MATCH_DELETE_AFTER" )"

使用例: ./matching.sh numbers.list 5 2 3

メモ:expr負の値が計算されると、このソリューションは期待どおりに機能しません。この動作を防ぐためのチェックを実装するかどうかはユーザー次第です。

関連情報