How to conditionally add flags to shell scripts?

后端 未结 3 1656
爱一瞬间的悲伤
爱一瞬间的悲伤 2021-02-19 08:14

I want to run a command inside my bash script with or without a -v flag depending on if the environment variable $VERBOSE is defined. Something like this:



        
相关标签:
3条回答
  • 2021-02-19 08:39

    This seems to work:

    composer dump-autoload $([ "$env" = "production" ] && printf '--classmap-authoritative')
    
    0 讨论(0)
  • 2021-02-19 08:55
    #!/bin/bash
    
    /usr/local/bin/mongo-connector \
      -m "$MONGO_HOST" \
      -t "$NEO_URI" \
      ${VERBOSE:+-v} \
      -stdout
    

    If VERBOSE is set and non-empty, then ${VERBOSE:+-v} evaluates to -v. If VERBOSE is unset or empty, it evaluates to the empty string. Note that this is an instance where you must avoid using double quotes. If you write: cmd "${VERBOSE:+-v}" rather than cmd ${VERBOSE+:v}, the behavior is semantically different when VERBOSE is empty or unset. In the former case, cmd is called with one argument (the empty string), while in the latter case cmd is called with zero arguments.

    To test if VERBOSE is set to a particular string, you can do things like:

    /usr/local/bin/mongo-connector \
      -m "$MONGO_HOST" \
      -t "$NEO_URI" \
      $(case ${VERBOSE} in (v1) printf -- '-v foo';; (v2) printf -- '-v bar';; esac )\
      -stdout
    

    but it seems cleaner to write that as

    case "${VERBOSE}" in
    v1) varg=foo;;
    v2) varg=bar;;
    *)  unset varg;;
    esac
    /usr/local/bin/mongo-connector -m "$MONGO_HOST" -t "$NEO_URI" \
          ${varg+-v "$varg"} -stdout
    

    Again, note the use of double quotes here. You want them around $varg to ensure that only one string is passed, and you do not want "${varg+-v "$varg"}" because you want to ensure that you do not pass an empty string. Also, since the case statement explicitly unsets varg, we can now omit the :.

    0 讨论(0)
  • 2021-02-19 08:57

    For readability, consider using an array to store the arguments.

    args=(
      -m "$MONGO_HOST"
      -t "$NEO_URI"
      -stdout
    )
    if [[ -v VERBOSE ]]; then
        args+=(-v)
    fi
    /usr/local/bin/mongo-connector "${args[@]}"
    
    0 讨论(0)
提交回复
热议问题