我有一个类ReportingComponent<T>
,它有构造函数:
public ReportingComponent(IQueryable<T> query) {}
我对Northwind数据库进行了Linq查询,
var query = context.Order_Details.Select(a => new
{
a.OrderID,
a.Product.ProductName,
a.Order.OrderDate
});
查询的类型为IQueryable<a'>
,其中'是匿名类型。
我想将查询传递给ReportingComponent以创建新实例。
这样做的最佳方式是什么?
亲切的问候。
答案 0 :(得分:18)
编写泛型方法并使用类型推断。我经常发现,如果您创建一个与通用名称相同的静态非泛型类,则此方法很有效:
public static class ReportingComponent
{
public static ReportingComponent<T> CreateInstance<T> (IQueryable<T> query)
{
return new ReportingComponent<T>(query);
}
}
然后在您的其他代码中,您可以致电:
var report = ReportingComponent.CreateInstance(query);
编辑:我们需要非泛型类型的原因是类型推断只发生在通用方法上 - 即引入新类型参数的方法。我们不能把它放在泛型类型中,因为我们仍然必须能够指定泛型类型才能调用方法,这会使整个点失败:)
我有一个blog post,详细介绍。