用随机数替换文件中的重复数字

时间:2015-03-29 12:32:51

标签: string bash sed

我想使用" sed"在文件的每一行中用随机数替换所有出现的数字。 例如,如果我的文件在每行中的编号为892,我想用800到900之间的唯一随机数替换它。

输入文件: -

temp11;djaxfile11;892  
temp12;djaxfile11;892  
temp13;djaxfile11;892  
temp14;djaxfile11;892  
temp15;djaxfile11;892

预期的输出文件: -

temp11;djaxfile11;805  
temp12;djaxfile11;846  
temp13;djaxfile11;833  
temp14;djaxfile11;881  
temp15;djaxfile11;810

我正在尝试以下方法: -

sed -i -- "s/;892/;`echo $RANDOM % 100 + 800 | bc`/g" file.txt

但它正在用800到900之间的单个随机数替换所有出现的892。

输出文件: -

temp11;djaxfile11;821  
temp12;djaxfile11;821  
temp13;djaxfile11;821  
temp14;djaxfile11;821  
temp15;djaxfile11;821

您能帮忙纠正我的代码吗?提前谢谢。

1 个答案:

答案 0 :(得分:6)

使用GNU sed,您可以执行类似

的操作
sed '/;892$/ { h; s/.*/echo $((RANDOM % 100 + 800))/e; x; G; s/892\n// }' filename

...但用awk做它会更加明智:

awk -F \; 'BEGIN { OFS = FS } $NF == 892 { $NF = int(rand() * 100 + 800) } 1' filename

要确保随机数是唯一的,请按如下方式修改awk代码:

awk -F \; 'BEGIN { OFS = FS } $NF == 892 { do { $NF = int(rand() * 100 + 800) } while(!seen[$NF]++) } 1'

用sed做这件事对我来说太疯狂了。 请注意,只有当文件中的最后一个字段数为892且行数少于100行时才会有效。

解释

sed代码读取

/;892$/ {                              # if a line ends with ;892
  h                                    # copy it to the hold buffer
  s/.*/echo $((RANDOM % 100 + 800))/e  # replace the pattern space with the
                                       # output of echo $((...))
                                       # Note: this is a GNU extension
  x                                    # swap pattern space and hold buffer
  G                                    # append the hold buffer to the PS
                                       # the PS now contains line\nrandom number
  s/892\n//                            # remove the old field and the newline
}

awk代码更直接。使用-F \;,我们告诉awk以分号分隔行,然后

BEGIN { OFS = FS }  # output field separator is input FS, so the output
                    # is also semicolon-separated
$NF == 892 {        # if the last field is 892
                    # replace it with a random number
  $NF = int(rand() * 100 + 800)
}
1                   # print.

修改后的awk代码替换

$NF = int(rand() * 100 + 800)

do {
  $NF = int(rand() * 100 + 800)
} while(!seen[$NF]++)

......换句话说,它会保留一张已经使用过的随机数字表,并不断绘制数字,直到找到之前没见过的数字。