web-dev-qa-db-ja.com

複数行のbashコマンドのコメント

この単一コマンドのBASHスクリプトファイルは理解するのが難しいため、各アクションについてコメントを書きたいと思います。

echo 'foo'     \
| sed 's/d/a/' \
| sed 's/e/b/' \
| sed 's/f/c/' \
> myfile

(sedは単なる例であり、実際にはgrepsとtrsとawksの混合です)

行を複製したり、各コメントをそれが適用される行から遠く離れたりするのは嫌です。
しかし、同時にBASHは「インライン」コメントを許可していないようです。

この問題を解決するエレガントな方法はありますか?

34
Nicolas Raoul

パイプを行末に配置し、その後にコメントを付けます。

$ echo 'foo' |
sed 's/f/a/' | # change first f to a
sed 's/o/b/' | # change first o to b
sed 's/o/c/'   # change second o to c
abc
52
Mikel

non-pipeline multilineコマンドにコメントを付けているときにこの質問に遭遇した場合:

$ echo 'foo' |
sed -e 's/f/a/' `: # change first f to a` \
    -e 's/o/b/' `: # change first o to b` \
    -e 's/o/c/' `: # change second o to c`

コメントの自動化のような本当にひどいことをしているのでない限り、パイプに対してMikelの答えよりもこれを好む理由はわかりませんが、本当にしたい場合は、次のようにします。

$ echo 'foo' |
sed 's/f/a/' | `: # change first f to a` \
sed 's/o/b/' | `: # change first o to b` \
sed 's/o/c/'   `: # change second o to c`

または:

$ echo 'foo' |
sed 's/f/a/' `: # change first f to a` |
sed 's/o/b/' `: # change first o to b` |
sed 's/o/c/' `: # change second o to c`

出典: http://unix.derkeiler.com/Newsgroups/comp.unix.solaris/2005-07/0991.html

15
ZakW

まあ、私はこの方法を好む、

echo 'foo' | {
  # change first f to a
  # you can add more lines of comment on the command options
  sed 's/f/a/'
} | {
  # change first o to b
  sed 's/o/b/'
} | {
  # change second o to c
  sed 's/o/c/' 
}
10
rox