我有一系列.src文件,我试图使用DictReader()输入到字典中。 文件看起来如下(只是标题和第一行):
SRC V2.0.. ........Time Id Event T Conf .Northing ..Easting ...Depth Velocity .NN_Err .EE_Err .DD_Err .NE_Err .ND_Err .ED_Err Ns Nu uSt ....uMag Nt tSt ....tMag .MomMag SeiMoment ...Energy ...Es/Ep .SourceRo AspRadius .StaticSD AppStress DyStressD MaxDispla PeakVelPa PeakAccPa PSt
07-30-2010 07:43:56.543 ND 0 e 0.00 152.54 746.45 1686.31 6000 11.76 11.76 11.76 0.00 0.00 0.00 30 0 num -9.90 30 utm -3.21 -1.12 2.06e+007 2.22e+000 20.93 6.08e+000 0.00e+000 3.83e+004 1.49e+003 0.00e+000 1.52e-005 1.50e-003 0.00e+000 1
无论如何,以下是我的代码:
import csv
Time = {}
Northing = {}
source_file = open(NNSRC, 'rb')
for line in csv.DictReader(source_file, delimiter = '\t'):
Time = line['........Time'].strip()
Northing = line['.Northing'].strip()
print Time, Northing
它给了我以下错误:
Traceback (most recent call last):
File "C:\Python26\Lib\site-packages\xy\NNFindStages.py", line 101, in <module>
Time = line['........Time'].strip()
KeyError: '........Time'
如何在不更改文件本身的情况下解决文件头格式化的奇怪方式?
非常感谢任何帮助!
答案 0 :(得分:8)
您的标题行未使用标签。
当我重新创建没有标签的数据时,csv
模块返回的行只包含一个(长)键。如果我用实际标签重新创建它,那么我得到:
>>> source_file = open('out.csv', 'rb')
>>> reader = csv.DictReader(source_file, delimiter = '\t')
>>> line = reader.next()
>>> len(line)
37
>>> line.keys()
['Id', '..Easting', '.NE_Err', 'uSt', 'SeiMoment', 'MaxDispla', 'tSt', 'Ns', 'Nt', 'Nu', '.Northing', '.DD_Err', '...Energy', '....uMag', 'V2.0..', 'DyStressD', 'SRC', 'PeakAccPa', '.SourceRo', '........Time', '.EE_Err', 'T', 'Velocity', 'PeakVelPa', 'AspRadius', '...Depth', 'PSt', '....tMag', '.MomMag', 'AppStress', '...Es/Ep', '.ED_Err', 'Event', '.ND_Err', 'Conf', '.StaticSD', '.NN_Err']
>>> line['........Time']
'ND'
>>> line['.Northing']
'746.45'
请注意,这些值不需要剥离;该模块为您处理无关的空白。
您可以单独阅读标题,清理它,然后使用csv
模块处理其余数据:
source_file = open(NNSRC, 'rb')
header = source_file.readline()
source_file.seek(len(header)) # reset read buffer
headers = [h.strip('.') for h in header.split()]
headers = ['Date'] + headers[2:] # Replace ['SRC', 'V2.0'] with a Date field instead
for line in csv.DictReader(source_file, fieldnames=headers, delimiter = '\t'):
# process line
上面的代码分别读取标题行,将其拆分并删除额外的.
句点,以便为更多可行的列键创建,然后通过重置readline为DictReader
设置文件缓冲区(.seek()
调用的副作用)。