Search code examples
c#sql-serverormlite-servicestack

Parameterizing a ServiceStack custom SQL query


I have the following custom SQL Query with OrmLite:

var results = db.Select<Tuple<Customer,Purchase>>(@"SELECT c.*, 0 EOT, p1.*
    FROM customer c
    JOIN purchase p1 ON (c.id = p1.customer_id)
    LEFT OUTER JOIN purchase p2 ON (c.id = p2.customer_id AND 
        (p1.date < p2.date OR p1.date = p2.date AND p1.id < p2.id))
    WHERE p2.id IS NULL;");

What is the best way to add an optional WHERE clauses to, for instance, filter a given customer name field when the field has a value or to add pagination to the query?


Solution

  • If you're working with Custom SQL you just need to construct the additional queries yourself, e.g:

    var sql = @"SELECT c.*, 0 EOT, p1.*
        FROM customer c
        JOIN purchase p1 ON (c.id = p1.customer_id)
        LEFT OUTER JOIN purchase p2 ON (c.id = p2.customer_id AND 
            (p1.date < p2.date OR p1.date = p2.date AND p1.id < p2.id))
        WHERE p2.id IS NULL";
    
    //string name = "Customer Name";
    string name = null;
    if (name != null)
    {
        sql += "\nAND name = @name";
    }
    
    int? limit = 100;
    if (limit != null)
    {
        sql += $"\nLIMIT {limit}";
    }
    
    var results = db.Select<Tuple<Customer,Purchase>>(sql, new { name });
    

    A Live Example of this is available on Gistlyn.