0

我是 shell 脚本的新手,我正在尝试将所有 android 设备放入一个数组中,但是当函数完成时我的数组是空的。

#!/bin/bash

declare -a arr
let i=0

MyMethod(){
  adb devices | while read line #get devices list
  do
    if [ ! "$line" == "" ] && [ `echo $line | awk '{print $2}'` == "device" ]
    then
      device=`echo $line | awk '{print $1}'`
      echo "Add $device"
      arr[$i]="$device"
      let i=$i+1
    fi
  done

echo "In MyMethod: ${arr[*]}"
}

################# The main loop of the function call #################

MyMethod
echo "Not in themethod: ${arr[*]}"

arr- 是空的,我做错了什么?

谢谢你的建议。

4

1 回答 1

1

您可能的问题是管道命令会导致它在子 shell 中运行,并且在那里更改的变量不会传播到父 shell。你的解决方案可能是这样的:

adb devices > devices.txt
while read line; do
    [...]
done < devices.txt

我们将输出保存到中间文件中,然后加载到while循环中,或者使用 bash 的语法将命令输出存储到中间临时文件中:

while read line; do
    [...]
done < <(adb devices)

所以脚本变成了:

#!/bin/bash

declare -a arr
let i=0

MyMethod(){
  while read line #get devices list
  do
    if [ -n "$line" ] && [ "`echo $line | awk '{print $2}'`" == "device" ]
    then
      device="`echo $line | awk '{print $1}'`"
      echo "Add $device"
      arr[i]="$device" # $ is optional
      let i=$i+1
    fi
  done < <(adb devices)

echo "In MyMethod: ${arr[*]}"
}

################# The main loop of the function call #################

MyMethod
echo "Not in themethod: ${arr[*]}"

一些额外的观察:

  1. 为避免错误,我建议您将反引号括在双引号中。
  2. 美元是可选的arr[$i]=
  3. There is a specific test for empty strings: [ -z "$str" ] checks if string is empty (zero-length) and [ -n "$str"] checks if it isn't

Hope this helps =)

于 2012-10-15T23:14:58.043 回答