如何使用搜索/替换追加数组索引?

时间:2013-04-27 18:33:10

标签: regex

需要将文本文件中每次出现的字符串“gotcha”转换为gotcha[1]gotcha[2]gotcha[3]等(按顺序)。

我可以使用简单的C ++程序轻松完成此操作,但想知道是否有更简单的方法。我的文本编辑器中的正则表达式替换似乎不具备。经过一些冲浪之后,它看起来像Perl,sed或awk可能是正确的工具,但我不熟悉其中任何一个。

4 个答案:

答案 0 :(得分:1)

在红宝石中,

count = 0
"gotcha gotcha gotcha".gsub(/(gotcha)/) {|s| count+=1; s + "[" + count.to_s  +  "] ";}

<强>输出:

 => "gotcha[1]  gotcha[2]  gotcha[3] "

但这是特定于ruby的方式。

了解您要使用的语言将有助于获得特定语言的解决方案。

答案 1 :(得分:1)

我不知道其他语言是否支持这一点,但在PHP中你有e修饰符,这在当前使用不好,在最近的PHP版本中已弃用。所以这是PHP中的POC

$string = 'gotcha wut gotcha wut gotcha wut gotcha PHP gotcha rocks gotcha !!!'; // a string o_o
$i = 0; // declaring a variable i which is 0

echo preg_replace('/gotcha/e', '"$0[".$i++."]"', $string);


/*
   + echo --> output the data
         + preg_replace() --> function to replace with a regex
                + /gotcha/e
                    ^     ^--- The e modifier (eval)
                    --- match "gotcha"

                + "$0[".$i++."]"
                  $0 => is the capturing group 0 which is "gotcha" in this case"
                  $i++ => increment i by one
                  Ofcourse, since this is PHP we have to enclose string
                 between quotes (like any language :p)
                 and concatenate with a point:  "$0["   .   $i++   .   "]"

                + $string should I explain ?
*/

Online demo


当然,因为我知道有一些仇恨,所以我会告诉你在没有e修饰符的情况下用PHP做正确的方法,让我们preg_replace_callback

$string = 'gotcha wut gotcha wut gotcha wut gotcha PHP gotcha rocks gotcha !!!';
$i = 0;
// This requires PHP 5.3+
echo preg_replace_callback('/gotcha/', function($m) use(&$i){
    return $m[0].'['.$i++.']';
}, $string);

Online demo

答案 2 :(得分:1)

在python中它可能是:

import re

a = "gotcha x gotcha y gotcha z"

g = re.finditer("gotcha", a)

for i, m in reversed(list(enumerate(g))):
    k = m.end()
    a = '{}[{}]{}'.format(a[:k], i, a[k:])

print a

当然,你可以把它全部塞进一行(为了节省垂直空间的更高目的)

答案 3 :(得分:1)

Perl:

$a = "gotcha x gotcha y gotcha z";

$i = -1; $a =~ s/(gotcha)/$i+=1;"gotcha[$i]"/ge;

print "$a\n";