2

我正在为 mac os x 创建一个简单的脚本,以根据 /Volumes 的内容为用户提供可供备份的可用驱动器列表,但是如果驱动器名称包含一个空格。find 命令在单独的行上输出每个驱动器,但“for each”将名称分成几部分。例子:

脚本:

#!/bin/bash
find /Volumes -maxdepth 1 -type d
echo ""

i=1
for Output in $(find /Volumes -maxdepth 1 -type d)
do
DriveChoice[$i]=$Output
echo $i"="${DriveChoice[$i]}
i=$(( i+1 ))
done

输出:

/Volumes
/Volumes/backup
/Volumes/EZBACKUP DRIVE
/Volumes/Tech

1=/Volumes
2=/Volumes/backup
3=/Volumes/EZBACKUP
4=DRIVE
5=/Volumes/Tech
logout

[Process completed]

这似乎应该是相当直截了当的。有没有更好的方法让我做到这一点?

更新:谢谢chepner,效果很好。这是一个生成同上命令的简单脚本,但无论如何我都会在这里发布它,以防有人发现它的任何部分有用:

#!/bin/bash
#Get admin rights
sudo -l -U administrator bash
#Set the path to the backup drive
BackupPath="/Volumes/backup/"
#Generate a list of source drives, limiting out invalid options
i=1
while read -r Output; do
if [ "$Output" != "/Volumes" ] && [ "$Output" != "/Volumes/backup" ] && [ "$Output" != "/Volumes/Tech" ] ; then
    DriveChoice[$i]=$Output
    echo "$i=${DriveChoice[$i]}"
    i=$(( i+1 ))
fi
done < <( find /Volumes -maxdepth 1 -type d)

#Have the user select from valid drives
echo "Source Drive Number?"
read DriveNumber
#Ensure the user input is in range
if [ $DriveNumber -lt $i ] && [ $DriveNumber -gt 0 ]; then
    Source=${DriveChoice[$DriveNumber]}"/"
    #Get the user's NetID for generating the folder structure
    echo "User's NetID?"
    read NetID
    NetID=$NetID
    #Grab today's date for generating folder structure
    Today=$(date +"%m_%d_%Y")
    #Destination for the Logfile
    Destination=$BackupPath$NetID"_"$Today"/"
    #Full path for the LogFile
    LogFile=$Destination$NetID"_log.txt"
    mkdir -p $Destination
    touch $LogFile
    #Destination for the backup
    Destination=$Destination"ditto/"
    #Execute the command
    echo "Processing..."
    sudo ditto "$Source" "$Destination" 2>&1 | tee "$LogFile"
else
    #Fail if the drive selection was out of range
    echo "Drive selection error!"
fi
4

1 回答 1

2

由于您看到的空间问题,您无法安全地迭代find使用循环的输出。for使用带有内置的while循环代替:read

#!/bin/bash
find /Volumes -maxdepth 1 -type d
echo ""

i=1
while read -r output; do
    DriveChoice[$i]=$output
    echo "$i=${DriveChoice[$i]}"
    i=$(( i+1 ))
done < <( find /Volumes -maxdepth 1 -type d)
于 2013-03-07T14:56:57.000 回答