Python正则表达式和字符串替换

时间:2013-03-16 05:38:15

标签: python regex

我正在尝试在Python中转换字符串,例如:

string = 'void demofun(double* output, double db4nsfy[], double VdSGV[], int length)'

进入

wrapper = 'void demofun(ref double output, double[] db4nsfy, double[] VdSGV, int length)'

现在,对于大多数情况,我可以使用whilestring.find()string.replace()的简单组合来执行此操作,因为我不需要插入变量名称(例如outputlength),但我无法弄清楚的是替换这些字符串:

double db4nsfy[] - > double[] db4nsfy

double[] VdSGV - > double[] VdSGV

我该怎么做?我知道我会在Python中使用正则表达式的RTFM找到我的答案,但我希望从一个实际的例子开始。

3 个答案:

答案 0 :(得分:2)

您可以使用re.sub

>>> import re
>>> re.sub(r'(\w+) (\w+)\[\]', r'\1[] \2', string)
    'void demofun(double* output, double[] db4nsfy, double[] VdSGV, int length)'
  • (\w+) (\w+)\[\]匹配捕获组和括号中包含的两个“单词”。
  • \1\2指的是这些群体捕获的内容。

答案 1 :(得分:1)

详细,但没有正则表达式并处理指针和数组(也没有正则表达式):

def new_arguments(func_string):
    def argument_replace(arguments):
        new_arguments = []
        for argument in arguments.split(', '):
            typ, var = argument.split()
            if typ.endswith('*'):
                typ = 'ref ' + typ.replace('*', '')
            if var.endswith('[]'):
                var = var.replace('[]', '')
                typ += '[]'
            new_arguments.append(' '.join([typ, var]))
        return ', '.join(new_arguments)

    func_name = func_string[:func_string.index('(')]
    arguments = func_string[func_string.index('(')+1:func_string.index(')')]

    return ''.join((func_name, '(', argument_replace(arguments), ')'))

string = 'void demofun(double* output, double db4nsfy[], double VdSGV[], int length)'
print new_arguments(string)
#void demofun(ref double output, double[] db4nsfy, double[] VdSGV, int length)

答案 2 :(得分:1)

这是一种没有正则表达式的直观方法。

s = 'void demofun(double* output, double db4nsfy[], double VdSGV[], int length)'
s = s.split()
for i in range(len(s)):
    if s[i][-3:] == '[],':
        s[i] = s[i][:-3] + ','
        s[i-1] = s[i-1] + '[]'
    elif s[i][-3:] == '[])':
        s[i] = s[i][:-3] + ')'
        s[i-1] = s[i-1] + '[]'
s = ' '.join(s)
print s
# void demofun(double* output, double[] db4nsfy, double[] VdSGV, int length)