DKSRathore
DKSRathore

Reputation: 3063

How to find all files which are basically soft or hard links of other directories or files on linux?

How could I get the list of all linked files on my system or from a certain directory. I used to create links but they became unmanageable with time. I want the list of all such links from a directory. Can anyone help?

Upvotes: 16

Views: 26219

Answers (4)

amber_linux
amber_linux

Reputation: 307

find / -xdev -samefile filename

Upvotes: 4

Alnitak
Alnitak

Reputation: 339816

Finding symlinks is easy:

% find . -type l

Finding hard links is tricky, because if a subdirectory of the directory in question also has subdirectories then those increase the hard link count. That's how subdirectories are linked to their parents in UNIX (it's the .. entry in each subdirectory).

If you only want to find linked files (and not directories), this will work:

% find . -type f \! -links 1

This works because a file that does have hard links will have a link count > 1, and unlinked file has a link count == 1, hence this command looks for all files whose link count <> 1

Alternatively, on newer versions of find you could use:

% find . -type f -links +1

This works for the same reason as above; however, newer versions of find can take +n or -n instead of just a number. This is equivalent to testing for greater than n or less than n, respectively.

Upvotes: 30

Echsecutor
Echsecutor

Reputation: 854

See e.g. here https://www.gnu.org/software/findutils/manual/html_node/find_html/Hard-Links.html or combine Alnitak and amber_linux answer into find -L /where/to/search -samefile /some/link/to/file to find all hard and soft links to a given file.

Upvotes: 1

ghostdog74
ghostdog74

Reputation: 342363

@OP, If you have GNU find, you can find hard links using -printf "%n", e.g.

find /path -type f -printf "%f/%n/%i\n" | while IFS="/" read filename num_hlinks inum
do
 echo "Filename: $filename. Number of hard links: $num_hlinks, inode: $inum"
 # if 2 or more files have the same inode number, then they are hard links. 
 # you can therefore count how many $inum that are the same and determine those hard links, which 
 # you have to try doing yourself.
done

Upvotes: 2

Related Questions