将CSV文件行解析为对象图时出现问题

时间:2013-01-11 05:40:36

标签: c# linq linq-to-entities

这是我的csv文件的样子:

1,couchName1,“green”,“suede”
2,couchName2,“blue”,“suede”
3,couchName3,fail,“sued”
...etc.

我需要阅读此csv并将每一行转换为沙发对象图。所以这就是我的尝试:

    public static IEnumerable<string[]> ReadCsvFile(string filePath)
    {
        IEnumerable<string[]> file = File.ReadLines(filePath).Select(a => a.Split(';'));
        return file;
    }


public static List<Couch> GetCouches(string csvFilePath)
{
    IEnumerable<string[]> fileRows = FileUtilities.ReadCsvFile(csvFilePath);

    if (fileRows == null) return new List<Couch>(); 
    int couchId;

    List<Couch> couches = fileRows.Select(row => new Couch
     {  
        CouchId = int.TryParse(row[0],  out couchId) ? couchId : 0,
        Name= row[1],
        Color= row[2],
        Fabric= row[3]
       }).ToList();

    return couches;
}

我得到错误{&#34;索引超出了数组的界限。&#34;}在LINQ select语句的行上,我试图将它们解析为我的Couch实例并进入我希望通过它返回的通用列表。

SOLUTION:

以下是我如何运作,自己解决的问题:

public static List<Couch> GetCouches(string csvFilePath)
{
    IEnumerable<string[]> fileRows = FileUtilities.ReadCsvFile(csvFilePath);
    List<Couch> couches = new List<Couch>(); // ADDED THIS

    if (fileRows == null) return new List<Couch>(); 
    int couchId;

    // NEW LOGIC, SPLIT OUT EACH ROW'S COLUMNS AND THEN MAKE THE OBJECT GRAPH
    foreach(string[] row in fileRows)
    {
        string[] rowColumnValues = row[0].Split(',').ToArray();

        couches.Add(new Couch
                            {
                              CouchId = int.TryParse(rowColumnValues[0],  out couchId) ? couchId : 0,
                              Name= rowColumnValues[1],
                              Color= rowColumnValues[2],
                              Fabric= rowColumnValues[3]
    }

    return couches;
}

2 个答案:

答案 0 :(得分:0)

我能想到的唯一原因是fileRows中的某些行可能没有预期的四个元素。

答案 1 :(得分:0)

想通了。我需要将行拆分成列。

请参阅我上面的最新更新。