我正在尝试读取csv文件数据并使用类存储数据。我的变量没有直接在文件中定义,而是作为csv文件的输入。我想读取行Ground
作为类Building_Storey
的输入,并使用类方法from_st
拆分行。但是我收到此错误too many values to unpack (expected 4)
并显示错误消息missing 3 required positional arguments
如果我在代码中早先拆分行Ground
。似乎他将整行读作一个字符串,并给出整行的第一个参数。我不知道这段代码有什么问题。
输入csv文件:
TABLE;BuildingStorey;
GbxmlID;Name;Level;Internal Height;
F0;GroundFloor;0;3.7
F1;FirstFloor;4;3.7
F2;SecondFloor;16;8
代码:
with open('file.csv', 'r')as fp:
copy = fp.readlines()
print(copy)
l = 0
for line in copy:
l = l + 1
if l == 3:
if 'GroundFloor' in line:
Ground = line
print(Ground)
class Building_Storey:
def __init__(self, GbxmlID, Name, Level, Internal_Height):
self.GbxmlID = GbxmlID
self.Name = Name
self.Level = Level
self.Internal_Height = Internal_Height
@classmethod
def from_st(cls, Story_st):
GbxmlID, Name, Level, Internal_Height = Story_st.split(';')
return cls(GbxmlID, Name, Level, Internal_Height)
Groundfloor = Building_Storey.from_st(Ground)
print(Groundfloor.GbxmlID)
print(Groundfloor.Name)
print(Groundfloor.Level)
print(Groundfloor.Internal_Height)
输出应为:
F0;GroundFloor;0;3.7;;;;;;; # the line I want to read
GroundFloor.GbxmlID = F0
GroundFloor.Name = GroundFloor
GroundFloor.Level = 0
GroundFloor.Internal_Height = 3.7
答案 0 :(得分:0)
你可以跳过前两个"标题"然后使用Python的csv
库读取每一行,以自动将文本拆分为每行的值列表。如果列表包含4
个条目,请使用*
将值直接传递给您的类,以将每个列表元素作为参数传递给您的类:
import csv
class Building_Storey:
def __init__(self, GbxmlID, Name, Level, Internal_Height):
self.GbxmlID = GbxmlID
self.Name = Name
self.Level = Level
self.Internal_Height = Internal_Height
with open('file.csv', newline='') as f_file:
csv_file = csv.reader(f_file, delimiter=';')
header_1 = next(csv_file)
header_2 = next(csv_file)
for row in csv_file:
if len(row) == 4:
floor = Building_Storey(*row)
print("ID: {}, Name: {}, Level: {}, Height: {}".format(floor.GbxmlID, floor.Name, floor.Level, floor.Internal_Height))
这会显示:
ID: F0, Name: GroundFloor, Level: 0, Height: 3.7
ID: F1, Name: FirstFloor, Level: 4, Height: 3.7
ID: F2, Name: SecondFloor, Level: 16, Height: 8