如何使用Perl仅替换文件中的完整IP地址?

时间:2010-10-13 19:22:01

标签: perl

我使用以下Perl语法来替换文件中的字符串或IP地址:

 OLD=aaa.bbb.ccc.ddd   (old IP address)
 NEW=yyy.zzz.www.qqq   (new IP address)

 export OLD
 export NEW

 perl  -pe 'next if /^ *#/; s/\Q$ENV{OLD }\E/$1$ENV{NEW }$2/' file

问题的例子:

我想将文件中的IP地址从1.1.1.1更改为5.5.5.5

但我得到以下内容:

more file (before change)

11.1.1.10 machine_moon1



more file (after change)

15.5.5.50 machine_moon1

根据“改变后的例子”,IP“11.1.1.10”必须保持不变,因为我只想改变1.1.1.1而不是11.1.1.10

我需要有关perl one line语法的帮助:

如何仅根据以下规则更改我的perl语法:

  RULE: Not change the IP address if:left IP side or right IP side have number/s 

实施例

 IP=1.1.1.1    
 IP=10.10.1.11
 IP=yyy.yyy.yyy.yyy

 [number]1.1.1.1[number]    - then not replace

 [number]10.10.1.11[number]    - then not replace

 [number]yyy.yyy.yyy.yyy[number]    - then not replace



Other cases:

  [any character beside number ]yyy.yyy.yyy.yyy[[any character beside number ]] - then replace

3 个答案:

答案 0 :(得分:2)

这是你的开始:

OLD=1.1.1.1
NEW=5.5.5.5

export OLD
export NEW

~/sandbox/$ cat file
1.1.1.10  machine1
11.1.1.10 machine2
11.1.1.1  machine3
1.1.1.1   machine4
A1.1.1.1  machine5
A1.1.1.1  machine6
1.1.1.1Z  machine7

如果您将模式锚定为仅匹配字边界或非数字(请参阅perlre),则应仅匹配完整的IP地址:

~/sandbox/$ perl -pe 'next if /^ *#/; s/(\b|\D)$ENV{OLD}(\b|\D)/$1$ENV{NEW}$2/' file
1.1.1.10  machine1
11.1.1.10 machine2
11.1.1.1  machine3
5.5.5.5   machine4
A5.5.5.5  machine5
A5.5.5.5Z machine6
5.5.5.5Z  machine7

答案 1 :(得分:1)

你应该使用 look-behind look-ahead 语法,请参阅关于perlmonks的好文章:http://www.perlmonks.org/?node_id=518444

答案 2 :(得分:0)

编写一个简短的脚本来执行此操作可能更容易。

use strict;
use autodie;

my $old_ip = 10.1.1.1; # or $ENV{'OLD'}
my $new_ip = 50.5.5.5; # or $ENV{'NEW'}

open my $infh, '<', $ARGV[0];
open my $outfh, '>', $ARGV[1];
while ( my $line = <$infh> ) {
  chomp $line;
  my @elems = split '\s+', $line;
  next unless $elems[0] eq $old_ip;
  print $outfh $new_ip . join(" ", @elems[1..$#elems]) . "\n";
}
close $outfh;
close $infh;