3

假设我有一个如下所示的输入文件 (temp.tmpl):

PTF @
ARB @ C @ @ A @ @ C @
OSN @ B @ @ A @ 
SDA @ B @
CPN 3.23
SNL 3.26 

在其他一些文件(candidate.txt)中:

A 3.323 B 4.325 C 6.32 D 723 E 8 F 9 G 1.782
H 7
I 4
J 9
K 10

我想用它们分配的值替换 A、B 和 C。我的任务需要完成的方法是通过查找@@...找到变量 A、B 和 C,然后知道这显然是一个变量。然后替换它们。这是我尝试过的:

reader = open('candidate.txt', 'r')
out = open('output.txt', 'w')

dictionary = dict()
for line in reader.readlines():
    pairs = line.split()
    for variable, value in zip(pairs[::2],pairs[1::2]):
        dictionary[variable] = value

#Now to open the template file
template = open('temp.tmpl', 'r')
for line1 in template:
    if line1[1]:
        confirm = line1.split(' ')[0].lower()
        symbol = line1.split(' ')[1]

        if confirm == 'ptf':
            next(template)

        elif symbol in line1:

            start = line1.find(symbol)+len(symbol)
            end = line1[start:].find(symbol)
            variable = line1[start:start + end].strip()
            print variable

而且我似乎无法弄清楚如何处理具有多组变量的行。
非常感谢你。

4

2 回答 2

2

使用重新?问题已更改,这是我修改后的解决方案:

import re

# Create translation dictionary
codes = re.split(r'\s',open('candidate.txt').read())
trans = dict(zip(codes[::2], codes[1::2]))

outfh = open('out.txt','w')
infh  = open('data.txt')

# First line contains the symbol, but has a trailing space!
symbol = re.sub(r'PTF (.).*',r'\1', infh.readline()[:-1])

for line in infh:
    line = re.sub('\\'+ symbol + r' ([ABC]) ' + '\\' + symbol,
               lambda m: '%s %s %s' % (symbol,trans[m.groups()[0]],symbol),
               line)
    outfh.write(line) 

outfh.close()

使用dict两个zips 是从 [key,value,key,value,...] 列表创建字典的技巧

trans是一个包含名称及其各自值的字典。
r'@ ([ABC]) @'捕获 @ 符号内的 A 或 B 或 C 向lambda函数传递一个匹配对象,我们在该对象上调用该groups()方法。这将返回匹配括号组的元组,在本例中为 A 或 B 或 C。我们将其用作字典的键trans,因此将其替换为值。

于 2012-07-03T08:11:55.760 回答
1

简单的字符串替换不适合你吗?

>>> 'foo @ A @ @ B @'.replace('@ A @','12345')
'foo 12345 @ B @'

它将替换所有出现的@ A @任何你想要的。您可以多次应用它,也许每个变量一次:

# a dictionary of variable values,
# you'll probably read this from somewhere
values = { 'A': '123', 'B': '456' }

# iterate over variable names
for varname in values: 
    pattern = str.format('@ {} @', varname)
    value = values[varname]

    # data is your input string
    data = data.replace(pattern, value)
于 2012-07-03T08:02:35.677 回答