与许多其他编程语言不同,Bash 不会按"类型"区分其变量。本质上,Bash 变量是字符串,但是,根据上下文,Bash 允许对变量进行算术运算和比较。 决定性因素是变量的值是否仅包含数字。
示例 4-4. 整数还是字符串?
#!/bin/bash # int-or-string.sh a=2334 # Integer. let "a += 1" echo "a = $a " # a = 2335 echo # Integer, still. b=${a/23/BB} # Substitute "BB" for "23". # This transforms $b into a string. echo "b = $b" # b = BB35 declare -i b # Declaring it an integer doesn't help. echo "b = $b" # b = BB35 let "b += 1" # BB35 + 1 echo "b = $b" # b = 1 echo # Bash sets the "integer value" of a string to 0. c=BB34 echo "c = $c" # c = BB34 d=${c/BB/23} # Substitute "23" for "BB". # This makes $d an integer. echo "d = $d" # d = 2334 let "d += 1" # 2334 + 1 echo "d = $d" # d = 2335 echo # What about null variables? e='' # ... Or e="" ... Or e= echo "e = $e" # e = let "e += 1" # Arithmetic operations allowed on a null variable? echo "e = $e" # e = 1 echo # Null variable transformed into an integer. # What about undeclared variables? echo "f = $f" # f = let "f += 1" # Arithmetic operations allowed? echo "f = $f" # f = 1 echo # Undeclared variable transformed into an integer. # # However ... let "f /= $undecl_var" # Divide by zero? # let: f /= : syntax error: operand expected (error token is " ") # Syntax error! Variable $undecl_var is not set to zero here! # # But still ... let "f /= 0" # let: f /= 0: division by 0 (error token is "0") # Expected behavior. # Bash (usually) sets the "integer value" of null to zero #+ when performing an arithmetic operation. # But, don't try this at home, folks! # It's undocumented and probably non-portable behavior. # Conclusion: Variables in Bash are untyped, #+ with all attendant consequences. exit $? |
无类型变量既是福音也是诅咒。 它们允许脚本编写具有更大的灵活性,并使其更容易编写代码行(也给你足够的绳索来吊死自己!)。 但是,它们同样允许细微的错误潜入并鼓励草率的编程习惯。
为了减轻在脚本中跟踪变量类型的负担,Bash 确实允许声明变量。