-2

我打开一个 .txt 文件并读取行

.txt contents = html_log:Bob -1.2 -0.25 4:53 1 0:02 2 1 3 html_log:John 26.6 0.74 36:00 -4 3 25 26 1:57 74 12 16 -1.11 html_log:Bob -1.2 -0.25 4:53 1 0:04 2 1 3 

change = str(textfile)

pattern2 = re.compile("html_log:(?P<name>[^ ]*)(?: [^\s]+){4} (?P<score>[^ ]*)")

try:
    mylist2=sorted(pattern2.findall(change), key=lambda x: float(x[1]), reverse=True)
except ValueError:
    mylist2=sorted(pattern2.findall(change), key=lambda x: float('0'), reverse=True)

生产

mystr = ('Bob', '0:02'), ('John', '3'),('Bob', '0:02')

我要做的是找出该值是否不是有效的 int 即。0:02,如果不是,则将其替换为 0。

我试图得到以下结果:

('Bob', '0'), ('John', '3')

我试图将 [k] 和 [v] 放入我的 dict 并添加 [v] 的值,但由于数字无效,它不起作用。

mic = defaultdict(int)

for k,v in mylist2:
    mic[k] += re.sub(' ^\d*:\d*','0',v)

不工作。并产生类型错误

Traceback (most recent call last):
  File "C:/Python26/myfile.py", line 44, in <module>
    mic[k] += re.sub(' ^\d*:\d*','0',v)
TypeError: unsupported operand type(s) for +=: 'int' and 'str'
4

1 回答 1

2

您可以使用try...except子句清除非整数:

def makeInt(val, default=0):
    try: 
        return int(val)
    except ValueError:
        return default

然后,您可以将此行替换mic[k] += re.sub(' ^\d*:\d*','0',v)为以下内容:

mic[k] += makeInt(v)

编辑:如果您想使用除0替换非整数以外的值,只需将其添加为另一个参数:

mic[k] += makeInt(v, 1)
于 2013-05-31T16:55:02.643 回答