读取python中混合字符串和数字的文件数据

时间:2010-07-05 18:23:28

标签: python file-io

我想在一个目录中读取具有以下结构的不同文件:

#   Mj =  1.60      ff    =   7580.6    gg =  0.8325

我想从每个文件中读取数字并将每个文件与矢量相关联。 如果我们假设我有3个文件,我将有3个组件用于矢量Mj,... 我怎么能用Python做到这一点?

感谢您的帮助。

2 个答案:

答案 0 :(得分:1)

我会使用正则表达式来划分界限:

import re
lineRE = re.compile(r'''
    \#\s*
    Mj\s*=\s*(?P<Mj>[-+0-9eE.]+)\s*
    ff\s*=\s*(?P<ff>[-+0-9eE.]+)\s*
    gg\s*=\s*(?P<gg>[-+0-9eE.]+)
    ''', re.VERBOSE)

for filename in filenames:
    for line in file(filename, 'r'):
        m = lineRE.match(line)
        if not m:
            continue
        Mj = m.group('Mj')
        ff = m.group('ff')
        gg = m.group('gg')
        # Put them in whatever lists you want here.

答案 1 :(得分:0)

这是一个比正则表达式解决方案更容易管理的pyparsing解决方案:

text = "#   Mj =  1.60      ff    =   7580.6    gg =  0.8325 "

from pyparsing import Word, nums, Literal

# subexpression for a real number, including conversion to float
realnum = Word(nums+"-+.E").setParseAction(lambda t:float(t[0]))

# overall expression for the full line of data
linepatt = (Literal("#") + "Mj" + "=" + realnum("Mj") +
            "ff" + "=" + realnum("ff") +
            "gg" + "=" + realnum("gg"))

# use '==' to test for matching line pattern
if text == linepatt:
    res = linepatt.parseString(text)

    # dump the matched tokens and all named results
    print res.dump()

    # access the Mj data field
    print res.Mj

    # use results names with string interpolation to print data fields
    print "%(Mj)f %(ff)f %(gg)f" % res

打印:

['#', 'Mj', '=', 1.6000000000000001, 'ff', '=', 7580.6000000000004, 'gg', '=', 0.83250000000000002]
- Mj: 1.6
- ff: 7580.6
- gg: 0.8325
1.6
1.600000 7580.600000 0.832500