Shell函數傳回值,常用的兩種方式:return,echo
1) return 語句
shell函數的傳回值,可以和其他語言的傳回值一樣,通過return語句返回。
樣本:
#!/bin/sh function test() { echo "arg1 = $1" if [ $1 = "1" ] ;then return 1 else return 0 fi } echo echo "test 1" test 1 echo $? # print return result echo echo "test 0" test 0 echo $? # print return result echo echo "test 2" test 2 echo $? # print return result
輸出結果為:
test 1
arg1 = 1
1
test 0
arg1 = 0
0
test 2
arg1 = 2
0
先定義了一個函數test,根據它輸入的參數是否為1來return 1或者return 0。
擷取函數的傳回值通過調用函數,或者最後執行的值獲得。
另外,可以直接用函數的傳回值用作if的判斷。
注意:return只能用來返回整數值,且和c的區別是返回為正確,其他的值為錯誤。
3) echo 傳回值
其實在shell中,函數的傳回值有一個非常安全的返回方式,即通過輸出到標準輸出返回。因為子進程會繼承父進程的標準輸出,因此,子進程的輸出也就直接反應到父進程。
樣本:
#!/bin/sh function test() { echo "arg1 = $1" if [ $1 = "1" ] ;then echo "1" else echo "0" fi } echo echo "test 1" test 1 echo echo "test 0" test 0 echo echo "test 2" test 2
結果:
test 1
arg1 = 1
1
test 0
arg1 = 0
0
test 2
arg1 = 2
0
怎嗎?有沒有搞錯,這兩個函數幾乎沒什麼區別,對,它幾乎就是return和echo不一樣,但是有一點一定要注意,不能向標準輸出一些不是結果的東西(也就是說,不能隨便echo一些不需要的資訊),比如調試資訊,這些資訊可以重新導向到一個檔案中解決,特別要注意的是,指令碼中用到其它類似grep這樣的命令的時候,一定要記得1>/dev/null 2>&1來空這些輸出資訊輸出到空裝置,避免這些命令的輸出。