사용할 수 있습니다 perl
. 자주 묻는 질문에서 인용 perldoc perlfaq6
:
RHS에서 케이스를 보존하면서 LHS에서 대소 문자를 구분하지 않고 대체하는 방법은 무엇입니까?
Larry Rosler의 멋진 Perlish 솔루션입니다. ASCII 문자열에서 비트 xor의 속성을 이용합니다.
$_= "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
?