我有一个叫diff。txt的文件。我想看看它是不是空的。
我写了一个bash脚本,类似于下面,但我不能让它工作。
if [ -s diff.txt ]
then
touch empty.txt
rm full.txt
else
touch full.txt
rm emtpy.txt
fi
我有一个叫diff。txt的文件。我想看看它是不是空的。
我写了一个bash脚本,类似于下面,但我不能让它工作。
if [ -s diff.txt ]
then
touch empty.txt
rm full.txt
else
touch full.txt
rm emtpy.txt
fi
当前回答
[-s file] #检查文件大小是否大于0
[ -s diff.txt ] && echo "file has something" || echo "file is empty"
如果需要,这将检查当前目录中的所有*.txt文件;并报告所有空文件:
for file in *.txt; do if [ ! -s $file ]; then echo $file; fi; done
其他回答
[-s file] #检查文件大小是否大于0
[ -s diff.txt ] && echo "file has something" || echo "file is empty"
如果需要,这将检查当前目录中的所有*.txt文件;并报告所有空文件:
for file in *.txt; do if [ ! -s $file ]; then echo $file; fi; done
[ -s file.name ] || echo "file is empty"
@geedoubleya的答案是我最喜欢的。
然而,我更喜欢这样
if [[ -f diff.txt && -s diff.txt ]]
then
rm -f empty.txt
touch full.txt
elif [[ -f diff.txt && ! -s diff.txt ]]
then
rm -f full.txt
touch empty.txt
else
echo "File diff.txt does not exist"
fi
我来这里寻找如何删除空__init__.py文件,因为它们在Python 3.3+中是隐式的,最终使用:
find -depth '(' -type f -name __init__.py ')' -print0 |
while IFS= read -d '' -r file; do if [[ ! -s $file ]]; then rm $file; fi; done
同时(至少在zsh中)使用$path作为变量也会破坏你的$path env,因此它会破坏你的打开shell。不管怎样,我想分享一下!
许多答案是正确的,但我觉得他们可以更完整 /简单化等等,例如:
例1:基本if语句
# BASH4+ example on Linux :
typeset read_file="/tmp/some-file.txt"
if [ ! -s "${read_file}" ] || [ ! -f "${read_file}" ] ;then
echo "Error: file (${read_file}) not found.. "
exit 7
fi
如果$read_file为空或不为空,则使用exit停止显示。我不止一次把上面的答案误解成相反的意思。
例2:作为函数
# -- Check if file is missing /or empty --
# Globals: None
# Arguments: file name
# Returns: Bool
# --
is_file_empty_or_missing() {
[[ ! -f "${1}" || ! -s "${1}" ]] && return 0 || return 1
}