I'm trying to escape several special characters in a given string using perl regex. It works fine for all characters except for the dollar sign. I tried the following:
my %special_characters;
$special_characters{"_"} = "\\_";
$special_characters{"$"} = "\\$";
$special_characters{"{"} = "\\{";
$special_characters{"}"} = "\\}";
$special_characters{"#"} = "\\#";
$special_characters{"%"} = "\\%";
$special_characters{"&"} = "\\&";
my $string = '$foobar';
foreach my $char (keys %special_characters) {
$string =~ s/$char/$special_characters{$char}/g;
}
print $string;
You don't need a hash if you're replacing each character with itself preceded by a backslash. Just match what you need and put a backslash in front of it:
To build up the regular expression for all of the characters, Regexp::Assemble is really nice.
Notice how, in the first line of input, Regexp::Assemble has re-arranged my pattern. It's not just the glued together bits of the parts I added:
If you want to add more characters, you just put the character in
@specials
. Everything else happens for you.Try this:
Looks weird, right? Your regex needs to look as follows:
In the first part of the regex, "$" needs to be escaped, because it's a special regex character denoting the end of the string.
The second part of the regex is considered as a "normal" string, where "$" doesn't have a special meaning. Therefore the backslash is a real backslash whereas in the first part it's used to escape the dollar sign.
Furthermore in the variable definition you need to escape the backslash as well as the dollar sign, because both of them have special meaning in double-quoted strings.
$
has special meaning in regexp, namely "end of string". You would be better off with something like this:Also, perl doesn't like
"$"
much, better use'$'
(single quotes => no interpolation).UPDATE: Sorry, I was writing this in a hurry => too many edits :(