我正在使用C#创建一个包含200个标头的CSV文件。我从另一个包含150个标题的CSV文件中获取数据。我的问题是我将如何根据其标题放置数据。例如,我在下面举例说明。
将使用C#创建的CSV文件:
Name, Surname, Locality, DateOfbirth, Age
Joe, Smith, 60
Sam, Brown, 20
CSV从
获取数据Name, Surname, Age
Joe, Smith, 60
Sam, Brown, 20
这是一个示例代码(实际文件包含150个标题,新CSV文件包含200个标题)
string[] lines = System.IO.File.ReadAllLines(fileUrl);
using (System.IO.StreamWriter file = new System.IO.StreamWriter(fileUrl))
{
foreach (string line in lines)
{
if (line == lines[0])
{
//Changing the header of the first file
file.WriteLine("Name, Surname, Locality, DateOfBirth, Age");
}
else
{
string[] values = line.Split(',');
file.WriteLine(string.Format("{0},{1},{2},{3},{4}",
values[0], values[1], values[2], values[3], values[4]));
} //exception being thrown here since the array is out of range
}
}
答案 0 :(得分:2)
您只从输入文件中读取三列,但正在尝试写出五列。因此values[3]
和values[4]
将超出范围。
我很困惑你期望得到Location
和DateOfBirth
。无论它在哪里,它都不会在你的数组中。
答案 1 :(得分:0)
从包含3列的文件中读取数据。然后从另一个文件中读取Locality和DateOfBirth值。清除第一个文件,然后将它们全部写入新的csv文件中。
public static List<string[]> Parse(string Path)
{
List<string[]> Parsed = new List<string[]>();
using (StreamReader Reader = new StreamReader(Path))
{
string Line;
char Seperator = ',';
while ((Line = Reader.ReadLine()) != null)
{
if (Line.Trim().StartsWith("//")) continue;
if (string.IsNullOrWhiteSpace(Line)) continue;
string[] Data = Line.Split(Seperator);
Parsed.Add(Data);
}
}
return Parsed;
}
您可以使用上述方法从CSV文件中读取。想象一下,你读取第一个文件,你得到List和字符串数组有3个值。
读取第二个文件并获取其他值。对于第一个List中的每个值,在第二个List中找到相应的项。然后使用这两个字符串数组列表写入csv文件。
List<string[]> File1 = Parse("File1Path");
List<string[]> File2 = Parse("File2Path");
using (System.IO.StreamWriter file = new System.IO.StreamWriter(OutputFile))
{
// write header first:
file.WriteLine("Name, Surname, Locality, DateOfBirth, Age");
foreach (string line in File1)
{
var found = File2.Where(x => x[0] == line[0]).FirstOrDefault();
if(null == found) continue;
file.WriteLine(string.Format("{0},{1},{2},{3},{4}",
line[0], line[1], found[3], found[4], line[2]));
}
}