How to exclude NFS directories with find?
The closest you will probably get is to use -xdev
, which means "Don't descend directories on other filesystems." Then you'll need to specify which filesystems you do want to search.
With GNU find, you can use the -fstype
predicate:
find / -fstype nfs -prune -o \( -nouser -o -nogroup \) -print
Having said that, hymie's approach probably makes more sense: white-list what FS you want to search rather than black-listing those that you don't want to search.
If you want to only include jfs2
file systems (assuming /
is on jfs2
), then, you need to write it:
find / ! -fstype jfs2 -prune -o \( -nouser -o -nogroup \) -print
Don't write it:
find / -fstype jfs2 \( -nouser -o -nogroup \) -print
As while that would stop find
from printing files in non-jfs2 filesystem, that would not stop it from crawling those non-jfs2 filesystems (which you need -prune
for).
Note that -a
(AND which is implicit if omitted) has precedence over -o
(OR), so you need to watch whether parenthesis are needed or not.
The above correct command is short for:
find / \( \( ! -fstype jfs2 \) -a -prune \) -o \
\( \( -nouser -o -nogroup \) -a -print \)