1

我有一个这样的字符串,在哪里symbolproperty变化:

a = '/stock/%(symbol)s/%(property)s'

我有另一个这样的字符串,在哪里AAPLprice变化:

b = '/stock/AAPL/price'

我正在尝试生成这样的字典:

c = {
    'symbol': 'AAPL',
    'property': 'price'
}

使用字符串格式,我可以这样做:

> a % c == b
True

但我正试图走向另一个方向。是时候来点正则表达式魔法了?

4

3 回答 3

4

带有正则表达式的解决方案:

>>> import re
>>> b = '/stock/AAPL/price'
>>> result = re.match('/.*?/(?P<symbol>.*?)/(?P<property>.*)', b)
>>> result.groupdict()
{'symbol': 'AAPL', 'property': 'price'}

您可以对正则表达式进行更多调整,但本质上就是这个想法。

于 2013-08-21T16:32:11.633 回答
2

假设输入行为良好,您可以拆分字符串并将它们压缩到字典

keys = ('symbol', 'property')
b = '/stock/AAPL/price'
dict(zip(keys, b.split('/')[2:4]))
于 2013-08-21T16:58:11.347 回答
2

这类似于@moliware 的解决方案,但此解决方案中不需要对密钥进行硬编码:

import re

class mydict(dict):
    def __missing__(self, key):
        self.setdefault(key, '')
        return ''

def solve(a, b):
    dic = mydict()
    a % dic
    strs = a
    for x in dic:
        esc = re.escape(x)
        strs = re.sub(r'(%\({}\).)'.format(esc), '(?P<{}>.*)'.format(esc), strs)
    return re.search(strs, b).groupdict()

if __name__ == '__main__':
    a = '/stock/%(symbol)s/%(property)s'
    b = '/stock/AAPL/price'
    print solve(a, b)
    a = "Foo %(bar)s spam %(eggs)s %(python)s"
    b = 'Foo BAR spam 10 3.x'
    print solve(a, b)

输出:

{'symbol': 'AAPL', 'property': 'price'}
{'python': '3.x', 'eggs': '10', 'bar': 'BAR'}

正如@torek 指出的那样,对于输出不明确(键之间没有空格)的情况,这里的答案可能是错误的。

例如。

a = 'leading/%(A)s%(B)s/trailing'
b = 'leading/helloworld/trailing'

在这里只看b很难说出其中一个A或的实际值B

于 2013-08-21T17:09:23.953 回答