2

我是 python 新手,我正在尝试制作一个读取文件的程序,并将信息放在自己的向量中。该文件是一个 xyz 文件,如下所示:

45 

Fe -0.055 0.033 -0.047
N -0.012 -1.496 1.451
N 0.015 -1.462 -1.372
N 0.000 1.386 1.481
N 0.070 1.417 -1.339
C -0.096 -1.304 2.825
C 0.028 -1.241 -2.739
C -0.066 -2.872 1.251
C -0.0159 -2.838 -1.205

从第 3 行开始,我需要将每个放在自己的向量中,到目前为止,我有这个:

file=open("Question4.xyz","r+")
A = []
B = []
C = []
D = []
counter=0
for line in file:
    if counter>2: #information on particles start on the 2nd line
        a,b,c,d=line.split()
        A.append(a)
        B.append(float(b))
        C.append(float(c))
        D.append(float(d))
    counter=counter+1

我收到此错误:

 File "<pyshell#72>", line 3, in <module>
    a,b,c,d=line.split()
ValueError: need more than 0 values to unpack

关于我哪里出错的任何想法?

提前致谢!

4

2 回答 2

2

看起来您的行中实际上并没有导致拆分 4 个项目。为此添加一个条件。

for line in file:
    spl = line.strip().split()
    if len(spl) == 4:  # this will take care of both empty lines and 
                       # lines containing greater than or less than four items
        a, b, c, d = spl
        A.append(a)
        B.append(float(b))
        C.append(float(c))
        D.append(float(d))
于 2012-10-02T08:54:55.250 回答
0

您是否会碰巧在某个地方有一条空行(或只有 a '\n')?

你可以强迫

if counter >= 2:
    if line.strip():
        (a,b,c,d) = line.strip().split()

检查拆分行的 a 是否为 4的一个优点len是,如果它没有正确数量的字段,它不会默默地跳过该行(就像您在文件末尾遇到空行一样) :你会得到一个异常,这会迫使你仔细检查你的输入(或你的逻辑)。

于 2012-10-02T08:52:46.297 回答