0

我正在尝试编写两个程序来替换python中字符串中的匹配字符串。我必须编写两个程序。

defmatched_case(旧新):......

注意:输入是两个字符串,它返回一个替换转换器。

def 替换(x,another_string): ..........

注意:inputs 是上一个过程的转换器和一个字符串。它返回将转换器应用于输入字符串的结果。

例如:

a = matched_case('mm','m')
print replacement(a, 'mmmm')
it should return m

另一个例子:

R = matched_case('hih','i')
print replacement(R, 'hhhhhhihhhhh')
it should return hi

我不确定如何使用循环来完成整个操作。非常感谢任何人都可以提供提示。

4

2 回答 2

3
def subrec(pattern, repl, string):
    while pattern in string:
        string = string.replace(pattern, repl)
    return string

foo('mm', 'm', 'mmmm') 返回m

foo('hih', 'i', 'hhhhhhihhhhh') 返回hi

于 2012-06-01T06:25:46.903 回答
0

以下内容可能会有所帮助:

def matched_case(x,y):
    return x, lambda param: param.replace(x,y)

def replacement(matcher, s):
    while matcher[0] in s:
        s = matcher[1](s)
    return s

print replacement(matched_case('hih','i'), 'hhhhhhihhhhh')
print replacement(matched_case('mm','m'), 'mmmm')

输出:

hi
m

matched_case(..)返回一个替换转换器,因此最好使用lambda表示(简而言之,匿名函数)。这个匿名函数将找到的字符串和实际替换它的代码包装起来。

于 2012-06-01T06:38:29.430 回答