我需要在单个def中创建一个程序,打开一个文本文件'grade',其中first,last和grade由coma分隔。每一行都是一个单独的学生。然后它显示学生和成绩以及班级平均值。然后继续添加另一个学生和成绩并将其保存到文本文件中,同时包括旧学生。 我想我只是不明白python浏览文本文件的方式。如果我注释掉'lines',我会看到它会打印old_names,但就好像一切都消失了。如果未注释掉行,则不会打印“old_names”,这会让我认为该文件已关闭?还是空的?但是一切都仍然在txt文件中。
目前我收到了这个错误....我非常肯定地告诉我,我已经迟到了'行'中没有信息
File "D:\Dropbox\Dropbox\1Python\Batch Processinga\grades.py", line 45, in main
first_name[i], last_name[i], grades[i] = line.split(',')
ValueError: need more than 1 value to unpack
最终目标是让它给我当前的学生姓名和成绩,平均分。然后添加一名学生,保存该学生并评分为档案。然后能够与所有学生(包括新学生)一起备份文件并重新执行。 我为成为一个小组而道歉。
def main():
#Declare variables
#List of strings: first_name, last_name
first_name = []
last_name = []
#List of floats: grades
grades = []
#Float grade_avg, new_grade
grade_avg = new_grade = 0.0
#string new_student
new_student = ''
#Intro
print("Program displays information from a text file to")
print("display student first name, last name, grade and")
print("class average then allows user to enter another")
print("student.\t")
#Open file “grades.txt” for reading
infile = open("grades.txt","r")
lines = infile.readlines()
old_names = infile.read()
print(old_names)
#Write for loop for each line creating a list
for i in len(lines):
#read in line
line = infile.readline()
#Split data
first_name[i], last_name[i], grades[i] = line.split(',')
#convert grades to floats
grades[i] = float(grades[i])
print(first_name, last_name, grades)
#close the file
infile.close()
#perform calculations for average
grade_avg = float(sum(grades)/len(grades))
#display results
print("Name\t\t Grade")
print("----------------------")
for n in range(5):
print(first_name[n], last_name[n], "\t", grades[n])
print('')
print('Average Grade:\t% 0.1f'%grade_avg)
#Prompt user for input of new student and grade
new_student = input('Please enter the First and Last name of new student:\n').title()
new_grade = eval(input("Please enter {}'s grade:".format(new_student)))
#Write new student and grade to grades.txt in same format as other records
new_student = new_student.split()
new_student = str(new_student[1] + ',' + new_student[0] + ',' + str(new_grade))
outfile = open("grades.txt","w")
print(old_names, new_student ,file=outfile)
outfile.close()enter code here
答案 0 :(得分:2)
Python中的文件对象有一个“文件指针”,用于跟踪您已从文件中读取的数据。当您拨打read
或readline
或readlines
时,它会使用它来了解从哪里开始查看。调用readlines
将文件指针一直移动到文件末尾;后续的read调用将返回一个空字符串。这解释了为什么你在line.split(',')
行上得到了一个ValueError。 line
是一个空字符串,因此line.split(",")
返回一个长度为0的列表,但是您需要一个长度为3的列表来执行您正在尝试的三重分配。
获得lines
列表后,您无需再与infile
对象进行交互。你已经拥有了所有的线条;你也可以直接迭代它们。
#Write for loop for each line creating a list
for line in lines:
columns = line.split(",")
first_name.append(columns[0])
last_name.append(columns[1])
grades.append(float(columns[2]))
请注意,我使用的是append
而不是listName[i] = whatever
。这是必要的,因为当您尝试分配到尚不存在的索引时,Python列表不会自动调整大小;你只需要IndexError
。另一方面,append
将根据需要调整列表的大小。