0

我正在尝试在 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()这一点,因为我不需要干预变量名(例如outputor length),但我想不通的是替换这些字符串:

double db4nsfy[]-->double[] db4nsfy

double[] VdSGV-->double[] VdSGV

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

4

3 回答 3

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参考这些组捕获的东西。
于 2013-03-16T05:43:29.393 回答
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)
于 2013-03-16T05:50:38.723 回答
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)
于 2013-03-16T05:52:50.340 回答