82

I would like to create symbolic links (ln -s) to all files (or a class of files, e.g. ending with .bar) in a certain directory. Say I'm in the cwd and type ls ../source/*.bar gives me

foo.bar
baz.bar

how can I pass the parameter list to ln -s that it finally resolves to

ln -s ../source/foo.bar
ln -s ../source/baz.bar

Of course I know I can write a bash script, but there should be something simpler involving xargs or so since it seems to be a common task - at least for me.

dastrobu
  • 923

4 Answers4

132

ln does take multiple arguments, but don't forget to give a target directory in that case.

So, in your example . is the target directory, so it should be as easy as

ln -s ../source/*.bar .

From man ln; the command above uses the 3rd form:

ln [OPTION]... [-T] TARGET LINK_NAME   (1st form)
ln [OPTION]... TARGET                  (2nd form)
ln [OPTION]... TARGET... DIRECTORY     (3rd form)
ln [OPTION]... -t DIRECTORY TARGET...  (4th form)
  • In the 1st form, create a link to TARGET with the name LINK_NAME.
  • In the 2nd form, create a link to TARGET in the current directory.
  • In the 3rd and 4th forms, create links to each TARGET in DIRECTORY.
mpy
  • 28,816
10

You can try recursively either with using globstar (bash/zsh set by: shopt -s globstar):

ls -vs ../**/*.bar .

Note: Added -v for verbose.

Or if the list is too long, using find utility:

find .. -name \*.bar -exec ln -vs "{}" dest/ ';'

This will create links in dest/, or change it to . for current folder.

kenorb
  • 26,615
7

cp with -s option can create a soft links (or -l for hard links).

From current directory can by used like this:

$ cp -s ../path/with/scripts/* .

In your case it will be like this:

$ cp -s ../source/*.bar .
Dmitry
  • 224
7

Use find

certainDir="/path/to/dir"
find -name "*.bar" -exec ln -s {} "$certainDir" \;

Also, remember to use full paths (where possible) with symlinks.

slhck
  • 235,242
justbrowsing
  • 2,709