Bash检查文件夹是否有内容

前端之家收集整理的这篇文章主要介绍了Bash检查文件夹是否有内容前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
参见英文答案 > Checking from shell script if a directory contains files2
我正在尝试创建一个Bash脚本,将删除我的.waste目录中的所有内容。我有一个我写的基本脚本,但我想要它首先检查.waste目录是否有内容,如果是这样,回声一个简单的“文件夹已经空!信息。我不太了解if和if else语句,我不知道[]方程需要检查的存在。

基本代码

#! /bin/bash
echo "The files have been deleted:"
cd /home/user/bin/.waste/
ls
rm -rf /home/user/bin/.waste/*

(不知道星号在最后是否正确,我尝试使用它的脚本,我记得它删除了bin目录中的所有内容)

您可以检查目录是否为空,如下所示:
#!/bin/sh
target=$1
test "$(ls -A "$target" 2>/dev/null)" || echo The directory $target is empty

还是更好:

#!/bin/sh
target=$1
if test "$(ls -A "$target")"; then
    echo not empty,do something
else
    echo The directory $target is empty '(or non-existent)'
fi

UPDATE

如果目录包含很多文件,这可能很慢。在这种情况下,这应该更快:

#!/bin/sh
target=$1
if find "$target" -mindepth 1 -print -quit | grep -q .; then
    echo not empty,do something
else
    echo The directory $target is empty '(or non-existent)'
fi

find命令将在$ target中找到第一个文件或目录后打印并退出。 grep -q。只有找到打印任何东西,换句话说,如果有任何文件,将成功退出

原文链接:https://www.f2er.com/bash/388384.html

猜你在找的Bash相关文章