I've written this code to project one to many relation but it's not working:
using (var connection = new SqlConnection(connectionString)) {    connection.Open();     IEnumerable<Store> stores = connection.Query<Store, IEnumerable<Employee>, Store>                         (@"Select Stores.Id as StoreId, Stores.Name,                                    Employees.Id as EmployeeId, Employees.FirstName,                                   Employees.LastName, Employees.StoreId                             from Store Stores                             INNER JOIN Employee Employees ON Stores.Id = Employees.StoreId",                         (a, s) => { a.Employees = s; return a; },                          splitOn: "EmployeeId");     foreach (var store in stores)    {        Console.WriteLine(store.Name);    } } Can anybody spot the mistake?
EDIT:
These are my entities:
public class Product {     public int Id { get; set; }     public string Name { get; set; }     public double Price { get; set; }     public IList<Store> Stores { get; set; }      public Product()     {         Stores = new List<Store>();     } }  public class Store {     public int Id { get; set; }     public string Name { get; set; }     public IEnumerable<Product> Products { get; set; }     public IEnumerable<Employee> Employees { get; set; }      public Store()     {         Products = new List<Product>();         Employees = new List<Employee>();     } } EDIT:
I change the query to:
IEnumerable<Store> stores = connection.Query<Store, List<Employee>, Store>         (@"Select Stores.Id as StoreId ,Stores.Name,Employees.Id as EmployeeId,            Employees.FirstName,Employees.LastName,Employees.StoreId             from Store Stores INNER JOIN Employee Employees             ON Stores.Id = Employees.StoreId",          (a, s) => { a.Employees = s; return a; }, splitOn: "EmployeeId"); and I get rid of exceptions! However, Employees are not mapped at all. I am still not sure what problem it had with IEnumerable<Employee> in first query.
splitOn: CustomerId will result in a null customer name. If you specify CustomerId,CustomerName as split points, dapper assumes you are trying to split up the result set into 3 objects. First starts at the beginning, second starts at CustomerId , third at CustomerName .
Dapper is literally much faster than Entity Framework Core considering the fact that there are no bells and whistles in Dapper. It is a straight forward Micro ORM that has minimal features as well. It is always up to the developer to choose between these 2 Awesome Data Access Technologies.
This post shows how to query a highly normalised SQL database, and map the result into a set of highly nested C# POCO objects.
Ingredients:
The insight that allowed me to solve this problem is to separate the MicroORM from mapping the result back to the POCO Entities. Thus, we use two separate libraries:
Essentially, we use Dapper to query the database, then use Slapper.Automapper to map the result straight into our POCOs.
List<MyClass1> which in turn contains List<MySubClass2>, etc).inner joins to return flat results is much easier than creating multiple select statements, with stitching on the client side.inner join (which brings back duplicates), we should instead use multiple select statements and stitch everything back together on the client side (see the other answers on this page).In my tests, Slapper.Automapper added a small overhead to the results returned by Dapper, which meant that it was still 10x faster than Entity Framework, and the combination is still pretty darn close to the theoretical maximum speed SQL + C# is capable of.
In most practical cases, most of the overhead would be in a less-than-optimum SQL query, and not with some mapping of the results on the C# side.
Total number of iterations: 1000
Dapper by itself: 1.889 milliseconds per query, using 3 lines of code to return the dynamic.Dapper + Slapper.Automapper: 2.463 milliseconds per query, using an additional 3 lines of code for the query + mapping from dynamic to POCO Entities.In this example, we have list of Contacts, and each Contact can have one or more phone numbers.
public class TestContact {     public int ContactID { get; set; }     public string ContactName { get; set; }     public List<TestPhone> TestPhones { get; set; } }  public class TestPhone {     public int PhoneId { get; set; }     public int ContactID { get; set; } // foreign key     public string Number { get; set; } } TestContact 
TestPhone Note that this table has a foreign key ContactID which refers to the TestContact table (this corresponds to the List<TestPhone> in the POCO above).

In our SQL query, we use as many JOIN statements as we need to get all of the data we need, in a flat, denormalized form. Yes, this might produce duplicates in the output, but these duplicates will be eliminated automatically when we use Slapper.Automapper to automatically map the result of this query straight into our POCO object map.
USE [MyDatabase];     SELECT tc.[ContactID] as ContactID           ,tc.[ContactName] as ContactName           ,tp.[PhoneId] AS TestPhones_PhoneId           ,tp.[ContactId] AS TestPhones_ContactId           ,tp.[Number] AS TestPhones_Number           FROM TestContact tc     INNER JOIN TestPhone tp ON tc.ContactId = tp.ContactId 
const string sql = @"SELECT tc.[ContactID] as ContactID           ,tc.[ContactName] as ContactName           ,tp.[PhoneId] AS TestPhones_PhoneId           ,tp.[ContactId] AS TestPhones_ContactId           ,tp.[Number] AS TestPhones_Number           FROM TestContact tc     INNER JOIN TestPhone tp ON tc.ContactId = tp.ContactId";  string connectionString = // -- Insert SQL connection string here.  using (var conn = new SqlConnection(connectionString)) {     conn.Open();         // Can set default database here with conn.ChangeDatabase(...)     {         // Step 1: Use Dapper to return the  flat result as a Dynamic.         dynamic test = conn.Query<dynamic>(sql);          // Step 2: Use Slapper.Automapper for mapping to the POCO Entities.         // - IMPORTANT: Let Slapper.Automapper know how to do the mapping;         //   let it know the primary key for each POCO.         // - Must also use underscore notation ("_") to name parameters in the SQL query;         //   see Slapper.Automapper docs.         Slapper.AutoMapper.Configuration.AddIdentifiers(typeof(TestContact), new List<string> { "ContactID" });         Slapper.AutoMapper.Configuration.AddIdentifiers(typeof(TestPhone), new List<string> { "PhoneID" });          var testContact = (Slapper.AutoMapper.MapDynamic<TestContact>(test) as IEnumerable<TestContact>).ToList();                foreach (var c in testContact)         {                                            foreach (var p in c.TestPhones)             {                 Console.Write("ContactName: {0}: Phone: {1}\n", c.ContactName, p.Number);                }         }     } } 
Looking in Visual Studio, We can see that Slapper.Automapper has properly populated our POCO Entities, i.e. we have a List<TestContact>, and each TestContact has a List<TestPhone>.

Both Dapper and Slapper.Automapper cache everything internally for speed. If you run into memory issues (very unlikely), ensure that you occasionally clear the cache for both of them.
Ensure that you name the columns coming back, using the underscore (_) notation to give Slapper.Automapper clues on how to map the result into the POCO Entities.
Ensure that you give Slapper.Automapper clues on the primary key for each POCO Entity (see the lines Slapper.AutoMapper.Configuration.AddIdentifiers). You can also use Attributes on the POCO for this. If you skip this step, then it could go wrong (in theory), as Slapper.Automapper would not know how to do the mapping properly.
Successfully applied this technique to a huge production database with over 40 normalized tables. It worked perfectly to map an advanced SQL query with over 16 inner join and left join into the proper POCO hierarchy (with 4 levels of nesting). The queries are blindingly fast, almost as fast as hand coding it in ADO.NET (it was typically 52 milliseconds for the query, and 50 milliseconds for the mapping from the flat result into the POCO hierarchy). This is really nothing revolutionary, but it sure beats Entity Framework for speed and ease of use, especially if all we are doing is running queries.
Code has been running flawlessly in production for 9 months. The latest version of Slapper.Automapper has all of the changes that I applied to fix the issue related to nulls being returned in the SQL query.
Code has been running flawlessly in production for 21 months, and has handled continuous queries from hundreds of users in a FTSE 250 company.
Slapper.Automapper is also great for mapping a .csv file straight into a list of POCOs. Read the .csv file into a list of IDictionary, then map it straight into the target list of POCOs. The only trick is that you have to add a propery int Id {get; set}, and make sure it's unique for every row (or else the automapper won't be able to distinguish between the rows).
Minor update to add more code comments.
See: https://github.com/SlapperAutoMapper/Slapper.AutoMapper
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