How to escape dollar sign ($) in a string using perl regex
Solution 1:
Try this:
my %special_characters;
$special_characters{"_"} = "\\_";
$special_characters{"\\\$"} = "\\\$";
$special_characters{"{"} = "\\{";
$special_characters{"}"} = "\\}";
$special_characters{"#"} = "\\#";
$special_characters{"%"} = "\\%";
$special_characters{"&"} = "\\&";
Looks weird, right? Your regex needs to look as follows:
s/\$/\$/g
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.
Solution 2:
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:
s/($re)/"\\$1"/eg;
To build up the regular expression for all of the characters, Regexp::Assemble is really nice.
use v5.10.1;
use Regexp::Assemble;
my $ra = Regexp::Assemble->new;
my @specials = qw(_ $ { } # % & );
foreach my $char ( @specials ) {
$ra->add( "\\Q$char\\E" );
}
my $re = $ra->re;
say "Regex is $re";
while( <DATA> ) {
s/($re)/"\\$1"/eg;
print;
}
__DATA__
There are $100 dollars
Part #1234
Outside { inside } Outside
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:
Regex is (?^:(?:[#$%&_]|\{|\}))
There are \$100 dollars
Part \#1234
Outside \{ inside \} Outside
If you want to add more characters, you just put the character in @specials
. Everything else happens for you.