您可以使用perl
。直接来自常见问题-引用自perldoc perlfaq6
:
如何在不区分大小写的情况下替换LHS,同时又保留RHS的大小写?
这是Larry Rosler的一个可爱的Perlish解决方案。它利用ASCII字符串上按位异或的属性。
$_= "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;
在这里,它是一个子程序,以上面的模型为模型:
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 is a SUcCESS case
作为替代方案,如果替换单词比原始单词长,则要保留大小写,可以使用Jeff Pinyan的以下代码:
sub preserve_case {
my ($from, $to) = @_;
my ($lf, $lt) = map length, @_;
if ($lt < $lf) { $from = substr $from, 0, $lt }
else { $from .= substr $to, $lf }
return uc $to | ($from ^ uc $from);
}
这将句子更改为“这是一个成功案例”。
只是为了表明C程序员可以用任何编程语言编写C,如果您更喜欢一种类似于C的解决方案,则以下脚本使替换字母与原始字母相同。(它的运行速度也比Perlish解决方案的运行速度慢了约240%。)如果替换的字符比替换的字符串多,则其余字符将使用最后一个字符的大小写。
# Original by Nathan Torkington, massaged by Jeffrey Friedl
#
sub preserve_case($$)
{
my ($old, $new) = @_;
my ($state) = 0; # 0 = no change; 1 = lc; 2 = uc
my ($i, $oldlen, $newlen, $c) = (0, length($old), length($new));
my ($len) = $oldlen < $newlen ? $oldlen : $newlen;
for ($i = 0; $i < $len; $i++) {
if ($c = substr($old, $i, 1), $c =~ /[\W\d_]/) {
$state = 0;
} elsif (lc $c eq $c) {
substr($new, $i, 1) = lc(substr($new, $i, 1));
$state = 1;
} else {
substr($new, $i, 1) = uc(substr($new, $i, 1));
$state = 2;
}
}
# finish up with any remaining new (for when new is longer than old)
if ($newlen > $oldlen) {
if ($state == 1) {
substr($new, $oldlen) = lc(substr($new, $oldlen));
} elsif ($state == 2) {
substr($new, $oldlen) = uc(substr($new, $oldlen));
}
}
return $new;
}
ABcDeF
?