19

介绍

string 模块有一个 Template 类,它允许您使用映射对象在字符串中进行替换,例如:

>>> string.Template('var is $var').substitute({'var': 1})
'var is 1'

如果尝试替换映射中缺少的元素,则替换方法可能会引发 KeyError 异常,例如

>>> string.Template('var is $var and foo is $foo').substitute({'var': 1})
KeyError: 'foo'

或者如果模板字符串无效,则可能引发 ValueError,例如它包含一个$字符后跟一个空格:

>>> string.Template('$ var is $var').substitute({'var': 1})
ValueError: Invalid placeholder in string: line 1, col 1

问题

给定一个模板字符串和一个映射,我想确定模板中的所有占位符是否都将被替换。为此,我会尝试进行替换并捕获任何 KeyError 异常:

def check_substitution(template, mapping):
    try:
        string.Template(template).substitute(mapping)
    except KeyError:
        return False
    except ValueError:
        pass
    return True

但这不起作用,因为如果模板无效并且引发了 ValueError,则不会捕获后续的 KeyError:

>>> check_substitution('var is $var and foo is $foo', {'var': 1})
False
>>> check_substitution('$ var is $var and foo is $foo', {'var': 1})
True

但我不关心ValueErrors。那么,解决这个问题的正确方法是什么?

4

3 回答 3

7

文档说只要包含所有必要的命名组,您就可以替换该模式:

import re
from string import Template


class TemplateIgnoreInvalid(Template):
    # override pattern to make sure `invalid` never matches
    pattern = r"""
    %(delim)s(?:
      (?P<escaped>%(delim)s) |   # Escape sequence of two delimiters
      (?P<named>%(id)s)      |   # delimiter and a Python identifier
      {(?P<braced>%(id)s)}   |   # delimiter and a braced identifier
      (?P<invalid>^$)            # never matches (the regex is not multilined)
    )
    """ % dict(delim=re.escape(Template.delimiter), id=Template.idpattern)


def check_substitution(template, **mapping):
    try:
        TemplateIgnoreInvalid(template).substitute(mapping)
    except KeyError:
        return False
    else:
        return True

测试

f = check_substitution
assert f('var is $var', var=1)
assert f('$ var is $var', var=1)
assert     f('var is $var and foo is $foo', var=1, foo=2)
assert not f('var is $var and foo is $foo', var=1)
assert     f('$ var is $var and foo is $foo', var=1, foo=2)
assert not f('$ var is $var and foo is $foo', var=1)
# support all invalid patterns
assert f('var is $var and foo is ${foo', var=1)
assert f('var is $var and foo is ${foo', var=1, foo=2) #NOTE: problematic API
assert     f('var is $var and foo is ${foo and ${baz}', var=1, baz=3)
assert not f('var is $var and foo is ${foo and ${baz}', var=1)

$它适用于分隔符 ( )的所有无效出现。

这些示例表明,忽略无效模式会隐藏模板中的简单拼写错误,因此它不是一个好的 API。

于 2012-10-07T13:08:25.233 回答
6

这是一个快速修复(使用递归):

def check_substitution(tem, m):
    try:
        string.Template(tem).substitute(m)
    except KeyError:
        return False
    except ValueError:
        return check_substitution(tem.replace('$ ', '$'), m) #strip spaces after $
    return True

$我知道如果and之间有多个空格,则需要更长的时间var,因此您可以使用正则表达式对其进行改进。

编辑

转义更有意义[感谢@Pedro],因此您可以通过以下语句$来理解:$$ValueError

return check_substitution(tem.replace('$ ', '$$ '), m) #escaping $ by $$
于 2012-10-07T10:57:39.360 回答
-1

Python 不会在多行上进行字符串替换

如果你有这个字符串

criterion = """
    <criteria>
    <order>{order}</order>
      <body><![CDATA[{code}]]></body>
    </criteria>
"""

criterion.format(dict(order="1",code="Hello")

结果是:

KeyError: 'order'

一个解决方案是使用 string.Template 模块

from string import Template

criterion = """
    <criteria>
    <order>$order</order>
      <body><![CDATA[$code]]></body>
    </criteria>
"""

Template(criterion).substitute(dict(order="1",code="hello")

注意:您必须在关键字前面加上 $ 而不是将它们包装在 {}

输出是:

 <criteria>
    <order>1</order>
      <body><![CDATA[hello]]></body>
    </criteria>

完整文档是:https ://docs.python.org/2/library/string.html#template-strings

于 2016-12-13T05:00:49.513 回答