4

我有以下代码,它读取许多命令,打印它们并打印它们的输出。

while read line ; do
  echo "C:$line"
  echo "O:$(${line} 2>&1 | perl -pe 's,\n,\\n,'g)\n"
done << EOF
g++-4.8 -O2 -Wall -Wextra -pedantic -pthread main.cpp
./a.out
EOF

输出:

C:g++-4.8 -O2 -Wall -Wextra -pedantic -pthread main.cpp
O:main.cpp: In function ‘int main(int, char**)’:\nmain.cpp:3:9: warning: unused variable ‘unused’ [-Wunused-variable]\n     int unused;\n         ^\n\n
C:./a.out
O:*** glibc detected *** ./a.out: munmap_chunk(): invalid pointer: 0x00007fff3bd01a5c ***\n======= Backtrace: =========\n/lib/x86_64-linux-gnu/libc.so.6(+0x7eb96)[0x7f6960e1ab96]\n./a.out[0x400502]\n/lib/x86_64-linux-gnu/libc.so.6(__libc_start_main+0xed)[0x7f6960dbd76d]\n./a.out[0x400535]\n======= Memory map: ========\n\n

我想区分标准输出和标准错误,并为标准错误使用'E:'前缀。另外我想打印每个命令行的退出代码。

我怎样才能做到这一点?

4

2 回答 2

10
#!/bin/bash

# Add a prefix to each line of stdin.
prefix() {
    local line
    while read line; do printf '%s%s\n' "$1" "$line"; done
}

# Execute each command. Notice the `(' and `)' surrounding the loop body, which starts
# a sub-shell for each iteration. Running in a sub-shell lets us use `trap EXIT' to
# cleanup.
while read command; do (
    # Create FIFOs for the command's stdout and stderr.
    stdout=$(mktemp -u)
    stderr=$(mktemp -u)
    mkfifo "$stdout" "$stderr"

    # Delete the FIFOs when this iteration of the loop finishes. Use `trap' to ensure
    # cleanup happens whether we finish normally or are signalled.
    trap 'rm -f "$stdout" "$stderr"' EXIT

    # Read from the FIFOs in the background, adding the desired prefixes.
    prefix 'O:' < "$stdout" >&1 &
    prefix 'E:' < "$stderr" >&2 &

    # Now execute the command, sending its stdout and stderr to the FIFOs.
    echo "C:$command"
    eval "$command" 1> "$stdout" 2> "$stderr"
    exitcode=$?

    # Wait for the `prefix' processes to finish, then print the exit code.
    wait
    echo "R:$exitcode"
    exit $exitcode
) done
于 2013-08-30T16:00:57.157 回答
1

这是我的提交。我认为它的作用类似于约翰的,但似乎少了几行。我只是将它包括在这里作为替代方案,因为我遇到了类似的问题,并想尝试确定一个更紧凑的解决方案。

我认为这个问题的罪魁祸首是管道|运算符不允许您指定类似于重定向方式的流,例如2>

我在这里找到的解决方案是将多个子shell的输出链接在一起,内部一个处理stdout,然后将其重定向到备用临时流3

下一个子shell 再次重定向stderrstdin重复内壳的活动(尽管前缀为"E:"而不是"O:")。它将输出再次重定向到此处stdout,但>&2如果您将所有内容都放入其中,可以将其删除stdin(但我认为将这些流分开是一个优势)。

外壳再次重新加入&3stdin

由于两个内壳分别处理stdinstdout因为替代的“O:”和“E:”前缀),所以需要运行perl两次命令,所以我把它包装成一个fold函数来保持整洁,这是其中还添加了不同的前缀。

您可能可以取消sed并在正则表达式中包含它perl,并且还要注意 a在您的命令\\n的每行末尾引入。perl事实上,我个人的观点是,这个命令引入的换行现在不应该是必要的,但我保留它是为了忠实于你原来的问题。

function fold {
    perl -pe 's,\n,\\n,'g | sed 's/^\(.*\)$/'${1}':\1\n/'
}

while read line ; do
    echo "C:$line"
    (
        (
            ${line} | fold O >&3
        ) 2>&1 | fold E >&2
    ) 3>&1 
done
于 2014-09-20T12:08:18.870 回答