2

Я хочу напечатать эхо в функции и возвращаемое значение. Это не работает:

function fun1() {
    echo "Start function"
    return "2"
}

echo $(( $(fun1) + 3 ))

Я могу только напечатать эхо:

function fun1() {
    echo "Start function"
}

fun1

Или я могу только вернуть значение:

function fun1() {
    echo "2" # returning value by echo
}

echo $(( $(fun1) + 3 ))

Но я не могу сделать оба.

2 ответа2

3

Ну, в зависимости от того, что вы хотите, есть несколько решений:

  1. Распечатайте сообщение в stderr и значение, которое вы хотите принять в stdout .

    function fun1() {
        # Print the message to stderr.
        echo "Start function" >&2
    
        # Print the "return value" to stdout.
        echo "2"
    }
    
    # fun1 will print the message to stderr but $(fun1) will evaluate to 2.
    echo $(( $(fun1) + 3 ))
    
  2. Напечатайте сообщение как обычно на стандартный stdout и используйте фактическое возвращаемое значение с $? ,
    Обратите внимание, что возвращаемое значение всегда будет значением от 0 255 (спасибо Гордону Дэвиссону ).

    function fun1() {
        # Print the message to stdout.
        echo "Start function"
    
        # Return the value normally.
        return "2"
    }
    
    # fun1 will print the message and set the variable ? to 2.    
    fun1
    
    # Use the return value of the last executed command/function with "$?"
    echo $(( $? + 3 ))
    
  3. Просто используйте глобальную переменную.

    # Global return value for function fun1.
    FUN1_RETURN_VALUE=0
    
    function fun1() {
        # Print the message to stdout.
        echo "Start function"
    
        # Return the value normally.
        FUN1_RETURN_VALUE=2
    }
    
    # fun1 will print the message to stdout and set the value of FUN1RETURN_VALUE to 2.
    fun1
    
    # ${FUN1_RETURN_VALUE} will be replaced by 2.
    echo $(( ${FUN1_RETURN_VALUE} + 3 ))
    
1

С дополнительной переменной (по "ссылке"):

function fun1() {
    echo "Start function"
    local return=$1
    eval $return="2"
}

fun1 result
echo $(( result + 3 ))

Всё ещё ищете ответ? Посмотрите другие вопросы с метками .