Add directory to $PATH if it's not already there
--
Music by Eric Matyas
https://www.soundimage.org
Track title: Industries in Orbit Looping
--
Chapters
00:00 Question
01:13 Accepted answer (Score 173)
01:51 Answer 2 (Score 31)
02:28 Answer 3 (Score 16)
02:48 Answer 4 (Score 12)
03:47 Thank you
--
Full question
https://superuser.com/questions/39751/ad...
Answer 2 links:
[my answer]: https://stackoverflow.com/questions/1396...
[this question]: https://stackoverflow.com/questions/1396...
--
Content licensed under CC BY-SA
https://meta.stackexchange.com/help/lice...
--
Tags
#bash #script #path
#avk47
ACCEPTED ANSWER
Score 188
From my .bashrc:
pathadd() {
if [ -d "$1" ] && [[ ":$PATH:" != *":$1:"* ]]; then
PATH="${PATH:+"$PATH:"}$1"
fi
}
Note that PATH should already be marked as exported, so reexporting is not needed. This checks whether the directory exists & is a directory before adding it, which you may not care about.
Also, this adds the new directory to the end of the path; to put at the beginning, use PATH="$1${PATH:+":$PATH"}"
instead of the above PATH=
line.
ANSWER 2
Score 17
Here's something from my answer to this question combined with the structure of Doug Harris' function. It uses Bash regular expressions:
add_to_path ()
{
if [[ "$PATH" =~ (^|:)"${1}"(:|$) ]]
then
return 0
fi
export PATH=${1}:$PATH
}
ANSWER 3
Score 13
Put this in the comments to the selected answer, but comments don't seem to support PRE formatting, so adding the answer here:
@gordon-davisson I'm not a huge fan of unnecessary quoting & concatenation. Assuming you are using a bash version >= 3, you can instead use bash's built in regexs and do:
pathadd() {
if [ -d "$1" ] && [[ ! $PATH =~ (^|:)$1(:|$) ]]; then
PATH+=:$1
fi
}
This does correctly handle cases where there are spaces in the directory or the PATH. There is some question as to whether bash's built in regex engine is slow enough that this might net be less efficient than the string concatenation and interpolation that your version does, but somehow it just feels more aesthetically clean to me.
ANSWER 4
Score 11
idempotent_path_prepend ()
{
PATH=${PATH//":$1"/} #delete any instances in the middle or at the end
PATH=${PATH//"$1:"/} #delete any instances at the beginning
export PATH="$1:$PATH" #prepend to beginning
}
When you need $HOME/bin to appear exactly once at the beginning of your $PATH and nowhere else, accept no substitutes.