I have the following sting
const string csv = "Foo1,Foo2,Foo3,Foo4,Foo5,Foo6,Ping Pong\n" +
"2016-02-29,1437.530029,1445.839966,1433.77002,1436.930054,34016300,1436.930054\n" +
"2016-02-25,1431.439941,1431.439941,1421.280029,1426.97998,78076500,1426.97998\n" +
"2016-02-24,1430.459961,1432.430054,1417.449951,1419.790039,29049900,1419.790039\n";
How I can convert it to List<Model>
where
public class Model
{
public string Foo1 { get; set; }
public string Foo2 { get; set; }
public string Foo3 { get; set; }
public string Foo4 { get; set; }
public string Foo5 { get; set; }
public string Foo6 { get; set; }
public string Ping_Pong { get; set; }
}
Note of the Ping Pong
header in my orig csv
I tried to use CsvHelper but with no success as it is taking a stream rather then string and I failed trying to convert a parse
EDIT It does not matter for me if to use CsvHelper or not, in the end I want to convert the csv to List<Model>
How can I do this?
You can create an StringReader
using csv
variable:
var textReader = new StringReader(csv);
var csvr = new CsvReader(textReader);
var records = csvr.GetRecords<Model>();
If you want your own parser:
var lines = csv.Split(new char[] {'\n'}, StringSplitOptions.RemoveEmptyEntries).Skip(1);
List<Model> models = new List<Model>();
foreach (var item in lines)
{
var values = item.Split(',');
var model = new Model
{
Foo1 = values[0],
Foo2 = values[1],
Foo3 = values[2],
Foo4 = values[3],
Foo5 = values[4],
Foo6 = values[5],
Ping_Pong = values[6],
};
models.Add(model);
}
EDIT:
To resolve the header problem using CsvHelper
you need create a map configuration class specifying the mappings between headers and properties:
public class ModelMap : CsvClassMap<Model>
{
public ModelMap()
{
Map(m => m.Foo1);
Map(m => m.Foo2);
Map(m => m.Foo3);
Map(m => m.Foo4);
Map(m => m.Foo5);
Map(m => m.Foo6);
Map(m => m.Ping_Pong).Name("Ping Pong");
}
}
Using like this:
var textReader = new StringReader(csv);
var csvr = new CsvReader(textReader);
csvr.Configuration.RegisterClassMap<ModelMap>();
var records = csvr.GetRecords<Model>();
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With