I'm writing a simple program that parses the output from a compiler and reformats any error messages so that the IDE we use (visual studio) can parse them. We use nmake
to build, and it will call the compiler using a command line like this:
cc166.exe SOME_FLAGS_HERE MyCFile.c 2>&1 | TaskingVXToVisualReformat.exe
Now the problem is that the return code of the compiler, cc166
, is not fed back to nmake
. Only the return code of my reformatter is used which means that if I return zero from the reformat program, nmake will continue to the build instead of aborting. How can I feed back the return code from the compiler (cc166.exe
) to nmake
?
Is there a开发者_开发问答ny way my reformat program can read the return code of the compiler and use that when deciding its own return code? The reformatter is written in C#.
I would put the compilation instructions in a bash script and make use of its pipefail feature:
The exit status of a pipeline is the exit status of the last command in the pipeline, unless the pipefail option is enabled. If pipefail is enabled, the pipeline’s return status is the value of the last (rightmost) command to exit with a non-zero status, or zero if all commands exit successfully.
Let's try it with a simple test:
$ cat bash_pipe.sh
#!/bin/bash
set -o pipefail
ls $1 2>&1 | perl -ne '{print;}'
If we run it with an existing file, the exit code is going to be 0 (passed through the pipe):
$ ./bash_pipe.sh bash_pipe.sh
bash_pipe.sh
$ echo $?
0
On the other side the command fails with an inexistent file:
./bash_pipe.sh inexistent
ls: cannot access inexistent: No such file or directory
echo $?
2
So in your case you'd need to put the compilation instructions in a script like
$ cat compilation_script.sh
#!/bin/bash
set -o pipefail
cc166.exe SOME_FLAGS_HERE $1 2>&1 | TaskingVXToVisualReformat.exe
and call it directly (if you can) or indirectly through
bash -c "compilation_script.sh MyCFile.c"
Note: the pipefail option was introduced in bash version 3.
You can separate your single command into two and keep compilation results in a temporary file:
cc166.exe SOME_FLAGS_HERE MyCFile.c > CCRESULT.TXT 2>&1
if not errorlevel 1 TaskingVXToVisualReformat.exe < CCRESULT.TXT
精彩评论