Reputation: 6725
I was wondering what would be the best way to check if a string as
$str
contains any of the following characters
!@#$%^&*()_+
I thought of using ASCII values but was a little confused on exactly how that would be implemented.
Or if there is a simpler way to just check the string against the values.
Upvotes: 16
Views: 71880
Reputation: 189658
This is portable to Dash et al. and IMHO more elegant.
case $str in
*['!&()'@#$%^*_+]* ) echo yup ;;
esac
Upvotes: 10
Reputation: 29571
You can also use a regexp:
if [[ $str =~ ['!@#$%^&*()_+'] ]]; then
echo yes
else
echo no
fi
Some notes:
$str =~ '[!...+]'
would not work). []
means "anything in the contained string"^
or end with $
there will be a match anywhere in the $str
. Upvotes: 7
Reputation: 109
I think one simple way of doing would be like remove any alphanumeric characters and space.
echo "$str" | grep -v "^[a-zA-Z0-9 ]*$"
If you have a bunch of strings then put them in a file like strFile and following command would do the needful.
cat strFile | grep -v "^[a-zA-Z0-9 ]*$"
Upvotes: 0
Reputation: 19753
Using expr
str='some text with @ in it'
if [ `expr "$str" : ".*[!@#\$%^\&*()_+].*"` -gt 0 ];
then
echo "This str contain sspecial symbol";
fi
Upvotes: 1
Reputation: 123570
Match it against a glob. You just have to escape the characters that the shell otherwise considers special:
#!/bin/bash
str='some text with @ in it'
if [[ $str == *['!'@#\$%^\&*()_+]* ]]
then
echo "It contains one of those"
fi
Upvotes: 39