9
0
Fork 0

rm: implement -r

To recursively remove files and directories.

Signed-off-by: Sascha Hauer <s.hauer@pengutronix.de>
This commit is contained in:
Sascha Hauer 2012-11-29 20:21:26 +01:00
parent 159109f5ff
commit 5a9d53c47e
5 changed files with 83 additions and 5 deletions

View File

@ -19,17 +19,36 @@
#include <common.h>
#include <command.h>
#include <fs.h>
#include <getopt.h>
#include <errno.h>
static int do_rm(int argc, char *argv[])
{
int i = 1;
int i, opt, recursive = 0;
while ((opt = getopt(argc, argv, "r")) > 0) {
switch (opt) {
case 'r':
recursive = 1;
break;
default:
return COMMAND_ERROR_USAGE;
}
}
if (argc < 2)
return COMMAND_ERROR_USAGE;
i = optind;
while (i < argc) {
if (unlink(argv[i])) {
int ret;
if (recursive)
ret = unlink_recursive(argv[i], NULL);
else
ret = unlink(argv[i]);
if (ret) {
printf("could not remove %s: %s\n", argv[i], errno_str());
return 1;
}
@ -40,8 +59,9 @@ static int do_rm(int argc, char *argv[])
}
static const __maybe_unused char cmd_rm_help[] =
"Usage: rm [FILES]\n"
"Remove files\n";
"Usage: rm [OPTIONS] [FILES]\n"
"Remove files\n"
"-r remove directories and their contents recursively\n";
BAREBOX_CMD_START(rm)
.cmd = do_rm,

View File

@ -182,4 +182,6 @@ void automount_remove(const char *_path);
int automount_add(const char *path, const char *cmd);
void automount_print(void);
int unlink_recursive(const char *path, char **failedpath);
#endif /* __FS_H */

View File

@ -36,3 +36,4 @@ obj-$(CONFIG_BITREV) += bitrev.o
obj-$(CONFIG_QSORT) += qsort.o
obj-y += gui/
obj-$(CONFIG_XYMODEM) += xymodem.o
obj-y += unlink-recursive.o

View File

@ -130,7 +130,6 @@ int recursive_action(const char *fileName,
return 0;
return 1;
done_nak_warn:
printf("%s", fileName);
return 0;
}

56
lib/unlink-recursive.c Normal file
View File

@ -0,0 +1,56 @@
#include <common.h>
#include <libbb.h>
#include <fs.h>
static char unlink_recursive_failedpath[PATH_MAX];
struct data {
int error;
};
static int file_action(const char *filename, struct stat *statbuf,
void *userdata, int depth)
{
struct data *data = userdata;
int ret;
ret = unlink(filename);
if (ret) {
strcpy(unlink_recursive_failedpath, filename);
data->error = ret;
}
return ret ? 0 : 1;
}
static int dir_action(const char *dirname, struct stat *statbuf,
void *userdata, int depth)
{
struct data *data = userdata;
int ret;
ret = rmdir(dirname);
if (ret) {
strcpy(unlink_recursive_failedpath, dirname);
data->error = ret;
}
return ret ? 0 : 1;
}
int unlink_recursive(const char *path, char **failedpath)
{
struct data data = {};
int ret;
if (failedpath)
*failedpath = NULL;
ret = recursive_action(path, ACTION_RECURSE | ACTION_DEPTHFIRST,
file_action, dir_action, &data, 0);
if (!ret && failedpath)
*failedpath = unlink_recursive_failedpath;
return ret ? 0 : errno;
}