I have following bash script:
flag=false
command_name \
$( flag == false && printf %s '>/dev/null')
I expect no output at Terminal but I still get some. If I redirect output to /dev/null
on the same line as command-name
without that expansion then it gets suppressed.
Command is dx tool from android SDK
Edit 1: Here the code from script
dx \
--dex \
$( ( (( flag_v == 1 )) || (( flag_v == 'd' ))) && printf %s '--verbose') \
--no-strict \
--output="../"$app_name.jar \
$(find . -type f -name '*.class') \
$( $dexflag == false && printf %s '>/dev/null')
As I run the tool and it works as expected. I do not think that it could be an error stream.
Conditionally Redirecting Stdout
Redirections are shell syntax -- they have to be recognized at a parsing phase that comes before parameter expansion, so you can't generate them via variable expansion (without committing evil).
What you can do (in bash 4.1 or later) is have an unconditional redirection, but have the thing it redirects to change:
Note:
[[ $var = $pattern ]]
(or[[ $var = "$string" ]]
to do an exact match). See the bash-hackers' wiki on the conditional expression.exec {fd_varname}>file
opensfile
, and puts the file descriptor number pointing to that file in the variablefd_varname
.exec {fd_varname}>&-
closes the file descriptor whose number is stored infd_varname
.exec 3>/dev/null
orexec 3>&1
in theif
branches,>&3
on thedex
command, andexec 3>&-
to close it.Safely Generating Argument Lists Conditionally
See BashFAQ #50 for a long discussion. In short, though: For everything but the redirection to
/dev/null
, there's one simple change needed to bring this in line with best practices: Use an array.$(find ...)
(like$(ls ...)
) is unsafe, and Using Find going into best practices.while read ...; do ...; done < <(find ...)
is used instead offind ... | while read ...; do ...; done
.