5

我有一个需要阅读的数据文件。我知道要在 Python 中读取文件,您必须执行以下操作:

file = open(fileLocaion, 'r+')

但我不知道该找谁做特读。我拥有的数据在列中。因此x,一列y中的值和另一列中的值与顶部的标题。数据(我的文本文件a.txt)看起来像

 Charge (1x), Ch A, Run #1
 Time ( s ) Charge (1x) ( µC )
 0.0000 0.021
 0.1000 0.021
 0.2000 0.021
 0.3000 0.021
 0.4000 0.021
 0.5000 0.021
 0.6000 0.021

所以第一个时间值为0.0000,第一个电荷值为0.021。我希望能够将其带入 Python 并用于matplotlib绘制它。但我无法弄清楚如何读取这些数据。

4

2 回答 2

8

如果您要使用 matplotlib 绘制它,可能最简单的方法是使用numpy.loadtxt [docs],因为无论如何您都会安装 numpy:

>>> import numpy
>>> d = numpy.loadtxt("mdat.txt", skiprows=2)
>>> d
array([[ 0.   ,  0.021],
       [ 0.1  ,  0.021],
       [ 0.2  ,  0.021],
       [ 0.3  ,  0.021],
       [ 0.4  ,  0.021],
       [ 0.5  ,  0.021],
       [ 0.6  ,  0.021]])

请注意,我必须在skiprows=2此处添加以跳过标题。然后是时间d[:,0]和费用d[:,1],或者您可以通过以下方式明确获得它们loadtxt

>>> times, charges = numpy.loadtxt("mdat.txt", skiprows=2, unpack=True)
>>> times
array([ 0. ,  0.1,  0.2,  0.3,  0.4,  0.5,  0.6])
>>> charges
array([ 0.021,  0.021,  0.021,  0.021,  0.021,  0.021,  0.021])
于 2012-06-21T19:50:03.657 回答
4
with open('data2.txt') as f:
    f=[x.strip() for x in f if x.strip()]
    data=[tuple(map(float,x.split())) for x in f[2:]]
    charges=[x[1] for x in data]
    times=[x[0] for x in data]
    print('times',times)
    print('charges',charges)

现在费用和时间包含:

times [0.0, 0.1, 0.2, 0.3, 0.4, 0.5, 0.6]
charges [0.021, 0.021, 0.021, 0.021, 0.021, 0.021, 0.021]
于 2012-06-21T19:43:18.967 回答