Shell 删除小于 x kb 文件的脚本
Shell script to delete files smaller than x kb
我正在尝试找出如何编写一个小脚本来删除小于 50 KB 的文本文件,但我没有成功。
我的尝试是这样的:
#!/bin/bash
for i in *.txt
do
if [ stat -c %s < 5 ]
then
rm $i
fi
done
希望得到指导,谢谢!
您可以直接使用 find
和 size
选项:
find /your/path -name "*.txt" -size -50k -delete
^^^^^^^^^^
if you wanted bigger than 50k, you'd say +50
您可能希望坚持当前目录中的文件,而不是在目录结构中向下移动。如果是这样,你可以说:
find /your/path -maxdepth 1 -name "*.txt" -size -50k -delete
来自man find
:
-size n[cwbkMG]
File uses n units of space. The following suffixes can be used:
'b' for 512-byte blocks (this is the default if no suffix is used)
'c' for bytes
'w' for two-byte words
'k' for Kilobytes (units of 1024 bytes)
'M' for Megabytes (units of 1048576 bytes)
'G' for Gigabytes (units of 1073741824 bytes)
你应该使用fedorqui的版本,但仅供参考:
#!/bin/bash
for i in ./*.txt # ./ avoids some edge cases when files start with dashes
do
# $(..) can be used to get the output of a command
# use -le, not <, for comparing numbers
# 5 != 50k
if [ "$(stat -c %s "$i")" -le 50000 ]
then
rm "$i" # specify the file to delete
fi # end the if statement
done
通常逐段编写程序并验证每个部分是否正常工作比编写整个程序然后尝试调试它更容易。
我正在尝试找出如何编写一个小脚本来删除小于 50 KB 的文本文件,但我没有成功。
我的尝试是这样的:
#!/bin/bash
for i in *.txt
do
if [ stat -c %s < 5 ]
then
rm $i
fi
done
希望得到指导,谢谢!
您可以直接使用 find
和 size
选项:
find /your/path -name "*.txt" -size -50k -delete
^^^^^^^^^^
if you wanted bigger than 50k, you'd say +50
您可能希望坚持当前目录中的文件,而不是在目录结构中向下移动。如果是这样,你可以说:
find /your/path -maxdepth 1 -name "*.txt" -size -50k -delete
来自man find
:
-size n[cwbkMG]
File uses n units of space. The following suffixes can be used:
'b' for 512-byte blocks (this is the default if no suffix is used)
'c' for bytes
'w' for two-byte words
'k' for Kilobytes (units of 1024 bytes)
'M' for Megabytes (units of 1048576 bytes)
'G' for Gigabytes (units of 1073741824 bytes)
你应该使用fedorqui的版本,但仅供参考:
#!/bin/bash
for i in ./*.txt # ./ avoids some edge cases when files start with dashes
do
# $(..) can be used to get the output of a command
# use -le, not <, for comparing numbers
# 5 != 50k
if [ "$(stat -c %s "$i")" -le 50000 ]
then
rm "$i" # specify the file to delete
fi # end the if statement
done
通常逐段编写程序并验证每个部分是否正常工作比编写整个程序然后尝试调试它更容易。