C#从文件中读取并保存到arraylist中

时间:2013-09-02 20:27:28

标签: c# file list arraylist c#-3.0

我有一个学生的文本文件,我必须阅读并将其保存在数组列表中。文件的正式是拳头名称,第二个名称,标记,每个名称都写在一个新的行,请帮助我如何做到这一点 文件格式:

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); 
} 

2 个答案:

答案 0 :(得分:1)

下面是一个读取您指定格式的文件并将结果推送到People的List(或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();
    }
}

答案 1 :(得分:0)

JohnLBevan - 要在FileReader中调用IgnoreHeaderRows,我们需要将IgnoreHeaderRows更改为static,因为无法在静态方法中访问非静态成员。 如果我错了,请纠正我。