Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to regex compare a string in dash?

I'm moving a bash script to dash for compatibility reasons. Is there a POSIX/Dash alternative to the following comparison?

COMPARE_TO="^(lp:~?|https?://|svn://|svn\+ssh://|bzr://|bzr\+ssh://|git://|ssh://)"

if [[ $COMPARE =~ $COMPARE_TO ]]; then
    echo "WE ARE COMPARED!"
fi
like image 459
Marco Ceppi Avatar asked Dec 07 '22 12:12

Marco Ceppi


2 Answers

You can use a case. It doesn't use regex, but it's not that much longer with globs

case $compare in
    lp:*|http://*|https://*|svn://*|svn+ssh://*|bzr://*|bzr+ssh://*|git:/*|ssh://*)
        echo "We are compared"
    ;;
esac

On a side note, you should avoid using all uppercase variable names as you risk overwriting special shell variables or environment variables.

like image 78
geirha Avatar answered Dec 23 '22 08:12

geirha


dash doesn't have regex comparing built in, but you can always use grep:

if echo "$compare" | egrep -q "$compare_to"; then
    ...

(Note that I second @geirha's note about uppercase variables in the shell.)

like image 24
Gordon Davisson Avatar answered Dec 23 '22 07:12

Gordon Davisson