0

我不是很精通 bash,但我知道一些命令,并且可以绕过一些。我无法编写脚本来填充运行 Ubuntu(嵌入式 Linux)的外部设备上的闪存驱动器。

dd if=/dev/urandom of=/storage/testfile.txt

我想知道闪存驱动器何时已满(停止向其写入随机数据),以便我可以继续进行其他操作。

在 Python 中,我会执行以下操作:

while ...condition:

    if ....condition:
        print "Writing data to NAND flash failed ...."
        break
else:
    continue

但我不确定如何在 bash 中执行此操作。提前感谢您的任何帮助!

4

2 回答 2

1

根据man dd

DIAGNOSTICS
     The dd utility exits 0 on success, and >0 if an error occurs.

这就是您应该在脚本中执行的操作,只需检查 dd 命令后的返回值:

dd if=/dev/urandom of=/storage/testfile.txt
ret=$?
if [ $ret gt 0 ]; then
    echo "Writing data to NAND flash failed ...."
fi
于 2013-04-23T18:08:51.850 回答
0

尝试这个

#!/bin/bash

filler="$1"     #save the filename
path="$filler"

#find an existing path component
while [ ! -e "$path" ]
do
    path=$(dirname "$path")
done

#stop if the file points to any symlink (e.g. don't fill your main HDD)
if [ -L "$path" ]
then
    echo "Your output file ($path) is an symlink - exiting..."
    exit 1
fi

# use "portable" (df -P)  - to get all informations about the device
read s512 used avail capa mounted <<< $(df -P "$path" | awk '{if(NR==2){ print $2, $3, $4, $5, $6}}')

#fill the all available space
dd if=/dev/urandom of="$filler" bs=512 count=$avail 2>/dev/null
case "$?" in
    0) echo "The storage mounted to $mounted is full now" ;;
    *) echo "dd errror" ;;
esac
ls -l "$filler"
df -P "$mounted"

将代码保存到文件,例如:ddd.sh并像这样使用它:

bash ddd.sh /path/to/the/filler/filename

代码是在https://stackoverflow.com/users/171318/hek2mgl的帮助下完成的

于 2013-04-23T23:03:52.163 回答