C#从文件中读取并保存到arraylist中
本文关键字:保存 arraylist 读取 文件 | 更新日期: 2023-09-27 18:29:53
我有一个student的文本文件,我必须读取并将其保存在数组列表中。文件的正式名称是名字、第二个名字、标记,每个名字都写在一行新的行中。请帮我解决这个问题文件格式:
First Name
Last Name
Marks
First Name
Last Name
Marks
First Name
Last Name
Marks
以下是我迄今为止所尝试的:
List<string> fileContent = new List<string>();
TextReader tr = new StreamReader("A.txt");
string currentLine = string.Empty;
while ((currentLine = tr.ReadLine()) != null)
{
fileContent.Add(currentLine);
}
以下是读取指定格式的文件并将结果推送到人员列表(或ArrayList,如果您愿意)中的示例。基于此,如果这是你的偏好,你应该能够创建一个字符串列表,尽管我怀疑你想要一个人员列表?
class Program
{
static void Main(string[] args)
{
string fn = @"c:'myfile.txt";
IList list = new ArrayList();
FileReader(fn, ref list);
for (int i = 0; i < list.Count; i++)
{
Console.WriteLine(list[i].ToString());
}
Console.ReadKey();
}
public static void FileReader(string filename, ref IList result)
{
using (StreamReader sr = new StreamReader(filename))
{
string firstName;
string lastName;
string marks;
IgnoreHeaderRows(sr);
while (!sr.EndOfStream)
{
firstName = sr.EndOfStream ? string.Empty : sr.ReadLine();
lastName = sr.EndOfStream ? string.Empty : sr.ReadLine();
marks = sr.EndOfStream ? string.Empty : sr.ReadLine();
result.Add(new Person(firstName, lastName, marks));
}
}
}
const int HeaderRows = 2;
public void IgnoreHeaderRows(StreamReader sr)
{
for(int i = 0; i<HeaderRows; i++)
{
if(!sr.EndOfStream) sr.ReadLine();
}
}
}
public class Person
{
string firstName;
string lastName;
int marks;
public Person(string firstName, string lastName, string marks)
{
this.firstName = firstName;
this.lastName = lastName;
if (!int.TryParse(marks, out this.marks))
{
throw new InvalidCastException(string.Format("Value '{0}' provided for marks is not convertible to type int.", marks));
}
}
public override string ToString()
{
return string.Format("{0} {1}: {2}", this.firstName, this.lastName, this.marks);
}
public override int GetHashCode()
{
return this.ToString().GetHashCode();
}
}
JohnLBevan-要在FileReader中调用IgnoreHeaderRows,我们需要将IgnoreHeadRows更改为静态,因为在静态方法中无法访问非静态成员。如果我错了,请纠正我。