293

I want to delete all *.o files in a directory and its sub-directories. However, I get an error:

sashoalm@aspire:~/.Workspace.OLD$ rm -r *.o
rm: cannot remove `*.o': No such file or directory

On the other hand, rm *.o works, but it's not recursive.

psygo
  • 201
sashoalm
  • 5,820

2 Answers2

465

That is evil: rm -r is not for deleting files but for deleting directories. Luckily there are probably no directories matching *.o.

What you want is possible with zsh but not with sh or bash (new versions of bash can do this, but only if you enable the shell option globstar with shopt -s globstar). The globbing pattern is **/*.o but that would not be limited to files, too (maybe zsh has tricks for the exclusion of non-files, too).

But this is rather for find:

find . -type f -name '*.o' -delete

or (as I am not sure whether -delete is POSIX)

find . -type f -name '*.o' -exec rm {} +
psygo
  • 201
Hauke Laging
  • 90,279
80

That's not quite how the -r switch of rm works:

-r, -R, --recursive
          remove directories and their contents recursively

rm has no file searching functionality, its -r switch does not make it descend into local directories and identify files matching the pattern you give it. Instead, the pattern (*.o) is expanded by the shell and rm will descend into and remove any directories whose name matches that pattern. If you had a directory whose name ended in .o, then the command you tried would have deleted it, but it won't find .o files in subdirectories.

What you need to do is either use find:

find . -name '*.o' -delete

or, for non-GNU find:

find . -name '*.o' -exec rm -r {} \;

Alternatively, if you are using bash you can enable globstar:

shopt -s globstar
rm -r -- **/*.o

NOTE: all three options will delete directories whose name ends in .o as well, if that's not what you want, use one of these:

find . -type f -name '*.o' -delete
find . -type f -name '*.o' -exec rm {} \;
rm -- **/*.o
psygo
  • 201
terdon
  • 242,166
  • When I run this with -exec rm -rf, it deletes a folder I'm trying to match & remove, then errors with No such file or directory, and exit code is non-zero... Is there a way to get around this error? (operation was still a success) – Soylent Graham Aug 29 '23 at 13:01
  • 1
    @SoylentGraham use -depth which makes find operate on the contents of a directory before the directory itself: find . -depth -name '*.o' -exec rm -rf {} \; – terdon Aug 29 '23 at 13:04