Convert to List from DataReader in .net

35,398

Well, in your case, you need a class that can hold your columns:

public class MyClass
{
   public int Id { get; set; }
   public int TypeId { get; set; }
   public bool AllowedSMS { get; set; }
   public string TimeSpan { get; set; }  
   public decimal Price { get; set; }
   public string TypeName { get; set; } 
}

Of course, since you didn't define what datatype those columns are, this is just a guess - you might need to adapt to your concrete needs.

And now, you need to iterate over the SqlDataReader and fetch the values from the data reader and populate your newly created class:

using (SqlDataReader dr = cmd.ExecuteReader())
{
   List<MyClass> results = new List<MyClass>();

   while(dr.Read())
   {
       MyClass newItem = new MyClass();

       newItem.Id = dr.GetInt32(0);  
       newItem.TypeId = dr.GetInt32(1);  
       newItem.AllowedSMS = dr.GetBoolean(2);  
       newItem.TimeSpan = dr.GetString(3);
       newItem.Price = dr.GetDecimal(4);
       newItem.TypeName = dr.GetString(5);

       results.Add(newItem);
   }
}

// return the results here, or bind them to a gridview or something....
Share:
35,398
Robz
Author by

Robz

Updated on January 03, 2020

Comments

  • Robz
    Robz over 4 years

    I have a query with a join like this:

    string cmdString = "select tblPackages.*, tblPackageTypes.Name from tblPackages join tblPackageTypes on tblPackages.TypeId = tblPackageTypes.Id";
    

    Now I use this SQL command and get back a datareader like this:

    SqlCommand cmd = new SqlCommand(cmdString,con);
    SqlDataReader dr;
    

    I want to populate values of data reader to a list. I referred to this link but I didn't get what I needed.

    I have following columns output from the sql

    Id, TypeId, AllowedSMS, TimeSpan, Price, TypeName. 
    

    I just want to pass them in the list. Please help me.. and i am new to asp.net