如何将.csv文件的每一行分隔为字符串列表>

时间:2014-01-31 16:08:04

标签: c# list file streamreader

我是c#的新手,我正在尝试读取.csv文件并将每行文本放入一个单独的列表项中,以便稍后对其进行排序。

<。> .csv文件的组织方式如下:

  

1;“final60”;“英国”;“2013-12-06 15:48:16”;
  2;“donnyr8”;“荷兰”;“2013-12-06 15:54:32”;   等

这是我的第一次尝试无效。它在Visual Studio 2010中没有显示错误,但是当我运行控制台程序时,它显示以下异常而不是列表。 Exception of type 'System.OutOFMemoryException' was thrown.这很奇怪,因为.csv文件只包含一个小列表。

try
{
// load csv file
using (StreamReader file = new StreamReader("file.csv"))
      {
       string line = file.ReadLine();
       List<string> fileList = new List<string>();
       // Do something with the lines from the file until the end of  
       // the file is reached. 
       while (line != null)
       {

          fileList.Add(line);

        }
        foreach (string fileListLine in fileList)
         {
            Console.WriteLine(fileListLine);
         }
       }
}
catch (Exception e)
{
  // Let the user know what went wrong.
   Console.WriteLine("The file could not be read:");
   Console.WriteLine(e.Message);
}

我正以正确的方式接近这个吗?

3 个答案:

答案 0 :(得分:6)

如果您加载的文件不是很大,那么您可以使用File.ReadAllLines

List<string> list = File.ReadAllLines("file.csv").ToList();

正如Servy在评论中指出的那样,最好使用File.ReadLines方法。

File.ReadLines - MSDN

  

ReadLines和ReadAllLines方法的不同之处如下:使用时   ReadLines,您可以先开始枚举字符串集合   整个系列归还;当你使用ReadAllLines时,你必须   在您可以访问之前等待返回整个字符串数组   数组。因此,当您使用非常大的文件时,   ReadLines可以更有效率。

如果您需要List<string>,则可以执行以下操作:

List<string> list = File.ReadLines("file.csv").ToList();

答案 1 :(得分:5)

您没有更新line变量,因此行始终与null 无限循环不同,导致OutOfMemoryException

 try
    {
    // load csv file
    using (StreamReader file = new StreamReader("file.csv"))
          {
           string line = file.ReadLine();
           List<string> fileList = new List<string>();
           // Do something with the lines from the file until the end of  
           // the file is reached. 
           while (line != null)
           {

              fileList.Add(line);
               line = file.ReadLine();

            }
            foreach (string fileListLine in fileList)
             {
                Console.WriteLine(fileListLine);
             }
           }
    }

但正确的方法将是

List<string> list = File.ReadLines("file.csv").ToList();
由于以下原因,

优于File.ReadAllLines 来自MSDN

When you use ReadLines, you can start enumerating the collection of strings before the whole collection is returned;

答案 2 :(得分:1)

您应该使用File.ReadAllLines()然后解析数组中的字符串。 对于非常大的文件,这可能是不可行的,您必须逐行传输单行并逐个处理它们。 但这是你只能在看到这种快速方法失败后才能决定的事情。在那之前,坚持快速和肮脏。