使用list中的值替换string中的变量名称并避免冗余替换

时间:2012-07-10 13:05:42

标签: python string list replace

给出eval的等式:

    eval_str = 'VAR1 > 0 and VAR1 < 10 and (VAR2 == VAR1::VALUE_X or VAR2 == VAR2::VALUE_X)'

任务:我需要用它们的实际值替换变量(在这个例子中为VAR1,VAR2),并用引号括起给定的“常量”(VAR1 :: VALUE_X)。

问题:由于变量名存在于常量和eval字符串中,并且由于变量可以替换为包含变量名本身的字符串 - 我遇到的问题是常量值中的变量名将被替换通过另一个常数或变量值。更好地展示......

     eval_str = '(VAR2 == VAR2::VALUE_X or VAR2 != VAR2::VALUE_Z) and (VAR1 > 0 and VAR1 < 10)'
     var_dict = {'VAR1':'5','VAR2':'VAR1::VALUE_Y'}

     # what I do is strip out most of the special characters
     # the following findall = ['VAR1', '0', 'and', 'VAR1', '10', 'and', 'VAR2', 'VAR1::VALUE_X', 'or', 'VAR2', 'VAR2::VALUE_X']
     for x in re.findall('[^\s()<>=!]+',eval_str):
        # skip digits, and, or, None *need to improve regex
        if x.replace('.','').isdigit() or x == 'and' or x == 'or' or x == 'None':
           continue
        # if variable is in dict
        if x in var_dict.keys():
           # only replace first
           eval_str = eval_str.replace(x,var_dict[x],1) 
        # if is constant
        elif x.__contains__('::'):
           eval_str = eval_str.replace(x,'\'%s\''%x,1)

     print eval_str
     # (5::VALUE_Y == '5::VALUE_Y::VALUE_X' or VAR2 != 'VAR2::VALUE_Z') and (VAR1 > 0 and VAR1 < 10)

而不是递增每个变量/值,也许最好用每个变量/正则值替换所有变量/值?或者我可以修复现有的解决方案,如果有一种方法可以在每次替换后记住我在字符串中的位置吗?

TYVM!

2 个答案:

答案 0 :(得分:1)

看起来(对我来说)这样可以通过字符串格式化更轻松地完成 - 假设您对输入字符串有一点控制权:

>>> d={'action':'bar','verb':'foo'}
>>> print ("don't %(action)s a %(verb)s"%d)

或者这个怎​​么样:

import re
class DictFormatter(dict):
    def __missing__(self,k):
        return k

eval_str = '(VAR2 == VAR2::VALUE_X or VAR2 != VAR2::VALUE_Z) and (VAR1 > 0 and VAR1 < 10)'
var_dict = DictFormatter()
var_dict.update({'VAR1':'5','VAR2':'VAR1::VALUE_Y'})

extra_space = re.compile(r'[\w:]+')  #words are alphanumeric + ':' + '_'.
eval_str = extra_space.sub(lambda m: ' %s '%(m.group()),eval_str) #make sure there is space between "words"
eval_list = [var_dict[item] for item in eval_str.split()]

print " ".join(eval_list)

答案 1 :(得分:0)

要替换VAR1离开VAR1::VALUE_X,您可以使用否定前瞻:

string = re.sub(r'VAR\d(?!\:\:)', lambda m: var_dict[m.group(0)], string)

更强大的解决方案会将字符串解析为AST并对其进行评估。