在bash

时间:2016-12-13 17:54:12

标签: bash subshell zenity

我有一个函数数组,我在bash中调用了一个循环。每当其中一个函数返回错误时,我会跟踪它将该函数的名称存储在错误数组中以显示给用户。这是当前的工作脚本。

#!/bin/bash

funA()
{ 
    ls -e &> /dev/null
    return $?
}

funB()
{ 
    ls -e &> /dev/null
    return $?
}

funC()
{ 
    true
    return $?
}

taskNames=("task 1" "task 2" "task 3")
taskMessages=("performing task 1" "performing task 2" "performing task 3")
tasks=("funA" "funB" "funC")

progress=0
taskpercentage=33
errors=()

for i in ${!tasks[@]}; do

    ${tasks[i]}

    if [[ $? != 0 ]]; then
        errors+=(${taskNames[$i]})
    fi

    progress=$(expr $progress + $taskpercentage)

done

echo ${errors[@]}

exit 0

现在,我需要将循环传递给zenity,以便向用户显示进度条。像这样:

(
  progress=0
  taskpercentage=33
  errors=()

  for i in ${!tasks[@]}; do
    echo "# ${taskMessages[$i]}"

    ${funcs[i]}

    if [[ $? != 0 ]]; then
      errors+=(${taskNames[$i]})
    fi

    sleep 2

    progress=$(expr $progress + $taskpercentage)
    echo $progress
  done

  echo "# All tasks completed"
) |
zenity --progress \
       --no-cancel \
       --title="Performing all tasks" \
       --text="Performing all tasks" \
       --percentage=0 \
       --height 200 \
       --width 500

问题是,如果我将代码包装在子shell中,我将无法访问errors变量。有没有正确的方法来保持对错误数组的更改?

编辑: 我不打算只打印错误数组,而是再次通过Zenity向用户显示,类似于:

# Show error list
message="Some of the tasks ended with errors and could not be  completed."

if [[ ${#errors[@]} > 0 ]]; then
    zenity --list --height 500 --width 700 --title="title" \
    --text="$message" \
    --hide-header --column "Tasks with errors" "${errors[@]}"  
fi

1 个答案:

答案 0 :(得分:2)

如果您只需要打印错误消息,则可以将其放在单独的文件描述符或单独的文件中。我知道使用临时文件的最可读方式:

tempname=$(mktemp)     # Create a zero-length file
(
    # ... your subshell

    if [[ ${#errors[@]} -gt 0 ]]; then       # save all $errors entries to the
        printf '%s\n' "${errors[@]}" > "$tempname"     # file called $tempname
    fi
) | zenity # ... your progress code

# After the zenity call, report errors
if [[ -s $tempname ]]; then   # -s: size > 0
    message="Some of the tasks ended with errors and could not be  completed."  
    zenity --list --height 500 --width 700 --title="title" --text="$message" \
        --hide-header --column "Tasks with errors" < "$tempname"
fi        # Provide the saved errors to the dialog ^^^^^^^^^^^^^
rm -f "$tempname"    # always remove, since mktemp creates the file.

修改:

  1. 所有error条目均可使用printfthis answeranother option)打印,并以换行符分隔。

  2. [[ -s $tempname ]]检查名为$tempname的文件是否存在且大小是否大于零。如果是这样,则表示存在一些错误,我们将其保存到该文件中。

  3. 根据Zenity list-dialog documentation

      

    可以通过标准输入向对话框提供数据。每个条目必须用换行符分隔。

    因此,zenity --list ... < "$tempname"提供以前在${errors[@]}中的项目,这些项目已保存到临时文件中,并提供给列表对话框。

  4. 替代方案:您也可以通过管道移动信息,例如2&gt;&amp; 3等等,但我对我的bash hackery没有足够的信心来立即尝试。 :)这是a related questiondetailed walkthrough of bash redirection