试图将对象添加到文本文件中

Trying to add object onto text file

我试图以有组织的方式将一堆对象上传到文本文件中,但我一直收到错误消息。我不确定对象以及如何排列它们以便它们出现在文本文档中。

class Customer: 
    def __init__(self, name, date, address, hkid, acc):
        self.name = name
        self.date = date
        self.address = address
        self.hkid = hkid
        self.acc = acc

customer1 = Customer ("Sarah Parker","1/1/2000","Hong Kong, Tai Koo,Tai Koo Shing Block 22,Floor 10, Flat 1", "X1343434","2222")
customer2 = Customer ("Joe Momo","7/11/2002","Hong Kong, Tai Koo, Tai Koo Shing, Block 22, Floor 10, Flat 5", "C2327934","1234")
customer3 = Customer ("Brent Gamez","7/20/2002","Hong Kong, Tung Chung, Yun Tung, Block 33, Floor 10, Flat 9", "C1357434","2234")
customer4 = Customer ("Jose Gamez","7/20/2002","Hong Kong, Tung Chung, Yun Tung, Block 33, Floor 10, Flat 9", "C1357434","2234")
customer5 =Customer ("Viraj Ghuman","7/20/2002","Hong Kong, Heng Fa Chuen, 100 Shing Tai Road, Block 22, Floor 20, Flat 1", "C6969689","100000")
allCustom = [customer1, customer2, customer3, customer4, customer5]

def UpdateFile ():
    global allCustom
    OutFile = open("CustomInfo.txt","w")
    for i in range (len(allCustom)):
        for c in range (i):
            OutFile.write(allCustom[i["\n","Name:",c.name,"\n"]])
            OutFile.write(allCustom[i["Birth Date:",c.date,"\n"]])
            OutFile.write(allCustom[i["Address:",c.address,"\n"]])
            OutFile.write(allCustom[i["HKID:",c.hkid,"\n"]])
            OutFile.write(allCustom[i["Account value:", c.acc,"\n"]])
    OutFile.close()

您不需要两个循环来获取每个对象的信息。也许这就是您要找的。

def UpdateFile():
    global allCustom
    Outfile = open("CustomInfo.txt", "w")
    
    for i in allCustom:
        Outfile.write(f'\nName: {i.name}\n')
        ...

    Outfile.close()

ic 是整数列表索引。您不能使用 c.name,因为它不是 Customer 对象。而且你不能索引 i[...] 因为它不是容器。

您不需要嵌套循环,只需一个循环覆盖所有客户。您的循环将 i0 迭代到 4。在第一次迭代中它迭代 0 次,在第二次迭代中它处理 c == 0,在第三次迭代中它处理 c == 0c == 1,依此类推。

然后您可以使用格式化运算符将属性放入要写入文件的字符串中(我在下面使用了 f 字符串,但您也可以使用 % 运算符或.format() 方法)。

def updateFile():
    global allCustom;
    with open("CustomInfo.txt", "w") as OutFile:
        for c in allCustom:
            OutFile.write(f"\nName:{c.name}\n")
            OutFile.write(f"Birth Date:{c.date}\n")
            OutFile.write(f"Address:{c.address}\n")
            OutFile.write(f"HKID:{c.hkid}\n")
            OutFile.write(f"Account value:{c.acc}\n")