Bash – Obtain script current directory (so that I can do include files without relative paths and run the script from everywhere)

bashshell-script

I have the following problem, my shell script contain something like:

mydir=''

# config load
source $mydir/config.sh

.... execute various commands

My script is placed in my user dir.. let's say /home/bob/script.sh

If I'm inside the /home/bob dir and run ./script.sh everything works fine.

If I'm outside and want to use the absolute path /home/bob/script.sh the config.sh file is not recalled properly.

What value should i assign to $mydir in order to make the script runnable from every path without struggle?

mydir=$(which command?)

PS: as bonus please also provide an alternative if the script dir is inside the $PATH

Best Answer

The $0 variable contains the script's path:

$ cat ~/bin/foo.sh
#!/bin/sh
echo $0

$ ./bin/foo.sh
./bin/foo.sh

$ foo.sh
/home/terdon/bin/foo.sh

$ cd ~/bin
$ foo.sh
./foo.sh

As you can see, the output depends on the way it was called, but it always returns the path to the script relative to the way the script was executed. You can, therefore, do:

## Set mydir to the directory containing the script
## The ${var%pattern} format will remove the shortest match of
## pattern from the end of the string. Here, it will remove the
## script's name,. leaving only the directory. 
mydir="${0%/*}"

# config load
source "$mydir"/config.sh

If the directory is in your $PATH, things are even simpler. You can just run source config.sh. By default, source will look for files in directories in $PATH and will source the first one it finds:

$ help source
source: source filename [arguments]
    Execute commands from a file in the current shell.

Read and execute commands from FILENAME in the current shell.  The
entries in $PATH are used to find the directory containing FILENAME.
If any ARGUMENTS are supplied, they become the positional parameters
when FILENAME is executed.

If you are sure your config.sh is unique or, at least, that it is the first one found in $PATH, you can source it directly. However, I suggest you don't do this and stick to the first method instead. You never know when another config.sh might be in your $PATH.

Related Question