I want to replace one string with the other in Perl; both are of the same length. I want to replace all occurrences of the string (case insensitive), but I want that the case of the letter will be preserved. So if the first letter was upper case, the first letter after the replacement will be upper case also.
For example, if I want to replace "foo" with "bar", so I want that
foo ==> bar
Foo ==> Bar
FOO ==> BAR
Is there a simple way to do this in Perl?
$@ The Perl syntax error or routine error message from the last eval, do-FILE, or require command. If set, either the compilation failed, or the die function was executed within the code of the eval.
m operator in Perl is used to match a pattern within the given text. The string passed to m operator can be enclosed within any character which will be used as a delimiter to regular expressions.
Perl defines special operators that test whether a particular pattern appears in a character string. The result of the =~ operation is one of the following: A nonzero value, or true, if the pattern is found in the string. 0, or false, if the pattern is not matched.
Substitution Operator or 's' operator in Perl is used to substitute a text of the string with some pattern specified by the user.
This might be what you are after:
How do I substitute case insensitively on the LHS while preserving case on the RHS?
This is copied almost directly from the above link:
sub preserve_case($$) {
my ($old, $new) = @_;
my $mask = uc $old ^ $old;
uc $new | $mask .
substr($mask, -1) x (length($new) - length($old))
}
my $string;
$string = "this is a Foo case";
$string =~ s/(Foo)/preserve_case($1, "bar")/egi;
print "$string\n";
# this is a Bar case
$string = "this is a foo case";
$string =~ s/(Foo)/preserve_case($1, "bar")/egi;
print "$string\n";
# this is a bar case
$string = "this is a FOO case";
$string =~ s/(Foo)/preserve_case($1, "bar")/egi;
print "$string\n";
# this is a BAR case
perldoc perlfaq6
provides some insights:
How do I substitute case-insensitively on the LHS while preserving case on the RHS?
Here's a lovely Perlish solution by Larry Rosler. It exploits properties of bitwise
xor
on ASCII strings.$_= "this is a TEsT case"; $old = 'test'; $new = 'success'; s{(\Q$old\E)} { uc $new | (uc $1 ^ $1) . (uc(substr $1, -1) ^ substr $1, -1) x (length($new) - length $1) }egi; print; # 'this is a SUcCESS case'
And here it is as a subroutine, modeled after the above:
sub preserve_case { my ($old, $new) = @_; my $mask = uc $old ^ $old; uc $new | $mask . substr($mask, -1) x (length($new) - length($old)) } $string = "this is a TEsT case"; $string =~ s/(test)/preserve_case($1, "success")/egi; print "$string\n";
This prints:
this is a SUcCESS case
So you could use the preserve_case()
subroutine like so. Just don't expect Unicode miracles :)
s[\b(abc)\b][preserve_case($1,'xyz')]ei ;
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With