How to completely restart script from inside the script itself

43,952

Solution 1

Yes, do

exec "$ScriptLoc"

The exec bash builtin command replaces the current program with a new one.

Solution 2

You can use something like this:

$(basename $0) && exit

$(basename $0) will create a new instance of the current script and exit will exit from the curent instance of the script.

Here is a test script that highlights the above method:

#!/bin/bash

if ! [[ $count =~ ^[0-9]+$ ]] ; then
    export count=0
fi

echo $count

if [ $count -le 10 ]; then
    count=$(echo "$count+1" | bc)   
    ./$(basename $0) && exit #this will run if started from the same folder
fi

echo "This will be printed only when the tenth instance of script is reached"

If you don't use export count=0 (which make count to be an environment variable) and use only count=0 (which make cont a local script variable), then the script will never stop.

Solution 3

Reliably getting the script that's currently executing is harder than you might think. See http://mywiki.wooledge.org/BashFAQ/028.

Instead, you could do something like this:

main_menu() { 
    printf '1. Do something cool\n'
    printf '2. Do something awesome\n'
    : ... etc
}

some_sub_sub_menu() {
    ...
    printf 'X. Return to main menu\n'
    ...
    if [[ $choice = [Xx] ]]; then
        exit 255
    fi
}

while true; do
    (main_menu)
    res=$?
    if (( res != 255 )); then
        break
    fi
done

Basicly, you run the main_menu function in a subshell, so if you exit from the main_menu, or any of the sub menus, you exit the subshell, not the main shell. exit status 255 is chosen here to mean "go again". Any other exit status will break out of the otherwise infinite loop.

Share:
43,952

Related videos on Youtube

Moonbloom
Author by

Moonbloom

Updated on September 18, 2022

Comments

  • Moonbloom
    Moonbloom over 1 year

    I'm setting up a shell script with menues and sub menues, options, etc. But on each menu/submenu/etc, i need a "Go back to main menu" choice.

    I've already got the menu set up and it works fine, but i need a way to simply restart the script from scratch, reset all variables etc etc.

    Or a way to exit the current script and starting it again.

    I've tried to do this:

    ScriptLoc=$(readlink -f "$0")
    ./ScriptLoc
    

    But that starts the "new" script inside the "old" script, so when i exit the "new" script, it goes back to the "old" script (if that makes any sense). It's a script inside a script kind of thing.

    Anyone got an idea how to restart it completely?

  • poolie
    poolie over 10 years
    && exit will exit only if the script succeeds. So if for example the script is not executable or has a syntax error, this is likely to just spin.
  • Lefty G Balogh
    Lefty G Balogh about 7 years
    Added ./ to the basename - otherwise a beautiful solution - really nice, def a +1.