文件列表存储在变量中REMOVEFILES
。脚本需要一一验证文件列表,如果文件足够ZERO
大,则应将其删除。请帮我修复它。
#!/bin/bash
REMOVEFILES=target_execution.lst,source_execution.lst;
echo $REMOVEFILES
for file in $(REMOVEFILES)
do
echo "$file";
if [[ -f "$file" ]]; then
find $file -size 0c -delete;
else
:
fi
done
./a.sh: line 3: REMOVEFILES: command not found
答案1
在 中zsh
,假设这些文件每行包含一个文件路径,并且如果它们是大小为 0 的常规文件,那么.lst
它们就是您要删除的文件(而不是文件本身):.lst
#! /bin/zsh -
lists=(
target_execution.lst
source_execution.lst
)
rm -f -- ${(f)^"$(cat -- $lists)"}(N.L0)
有了bash
,您随时可以做到
#! /bin/bash -
lists=(
target_execution.lst
source_execution.lst
)
to_remove=()
process() {
[[ -f "$1" && ! -L "$1" && ! -s "$1" ]] && to_remove+=( "$1" )
}
for file in "${lists[@]}"; do
readarray -c 1 -C process < "$file"
done
rm -f -- "${to_remove[@]}"