perl
คุณสามารถใช้ ส่งตรงจากคำถามที่พบบ่อย - ข้อความจากperldoc perlfaq6
:
ฉันจะแทนที่ตัวพิมพ์เล็กและใหญ่ใน LHS ได้อย่างไรในขณะที่รักษาเคสบน RHS
ต่อไปนี้เป็นโซลูชัน Perlish ที่น่ารักโดย Larry Rosler มันใช้ประโยชน์จากคุณสมบัติของ bitcoin xor ในสตริง 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);
}
สิ่งนี้เปลี่ยนประโยคเป็น "นี่เป็นกรณี SUcCess"
เพียงเพื่อแสดงให้เห็นว่าโปรแกรมเมอร์ 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
?