我正在设计一个由MVC应用程序使用的Web服务(非常简单的东西),但我需要在Web服务中使用一个方法,该方法最多需要四个可选参数(即catId,brandId,lowestPrice和highestPrice) 。
如何编写Linq查询以使其基本上执行
databaseObject.Products.Where(p=> (p.Category == ANY if catId==null, else catId))
我希望这是有道理的。
答案 0 :(得分:15)
方法的参数可以接受空值,并且可以为每个非null参数计算Where限制:
IQueryable<Product> q = databaseObject.Products;
if (catId != null)
{
q = q.Where(p => p.Category == catId);
}
if (brandId != null)
{
q = q.Where(p => p.Brand == brandId);
}
// etc. the other parameters
var result = q.ToList();
答案 1 :(得分:7)
如果这是Linq To SQL:
databaseObject.Products.Where(p=> (catId == null || p.Category == catId) );
Linq To SQL,如果CatId为null,则有效地将发送到后端的SQL写入而不使用where子句。您可以拥有多个这样的构造,只有那些具有nonNull值的构造才包含在where构造中。
答案 2 :(得分:5)
databaseObject.Products.Where(p=> ((catId==null) || (p.Category == catId)))
对于其他3个可选参数,您可以将它们输入,在一个linq语句中进行整个搜索。
答案 3 :(得分:1)
下面的内容应该可以解决问题:
IEnumerable<Product> GetProducts(int? categoryId)
{
var result = databaseObject.Products.Where(product => ProductCategoryPredicate(product, categoryId)
}
/// <summary>
/// Returns true if the passed in categoryId is NULL
/// OR if it's not null, if the passed in categoryId matches that
/// of the passed in product
///
/// This method will get called once for each product returned from
/// databaseObject.Products</summary>
bool ProductCategoryPredicate(Product product, int? categoryId)
{
if (categoryId.HasValue)
{
return product.Category == categoryId.Value;
}
else
{
return true;
}
}
这可以/可以简化为单行LINQ语句(见下文),但为了清晰起见,我在上面写了它:
IEnumerable<Product> GetProducts(int? categoryId)
{
var result = databaseObject.Products.Where(product => !categoryId.HasValue || product.Category == categoryId.Value);
}