我想将相同的SELECT
应用于queries
,我该怎么做?我想制作一些我猜的模板吗?
var query = (from b in db.routes select new
{ name = b.name,
age = b.age});
我想预定义name = b.name和age = b.age。
由于
答案 0 :(得分:2)
您可以使用IEnumerable<SomeBaseClassOrInterfacee>
参数创建方法。
然后你可以对方法中的给定参数进行选择。
public class Generic
{
protected Generic(string name, int age)
{
Name = name;
Age = age;
}
public string Name { get; private set; }
public int Age { get; private set; }
}
public class Human : Generic
{
public Human(string name, string surname, int age) : base(name, age)
{
Surname = surname;
}
public string Surname { get; private set; }
}
public class Pet : Generic
{
public Pet(string name, int registrationCode, int age)
: base(name, age)
{
RegistrationCode = registrationCode;
}
public int RegistrationCode { get; private set; }
}
static void Main(string[] args)
{
IEnumerable<Pet> pets = new List<Pet>();
IEnumerable<Human> palls = new List<Human>();
var resPets = SelectAgeGreaterThen10<Pet>(from p in pets where p.Name.StartsWith("A") select p);
var resHumans = SelectAgeGreaterThen10<Human>(from p in palls where p.Name.StartsWith("B") select p);
}
private static IEnumerable<T> SelectAgeGreaterThen10<T>(IEnumerable<Generic> source) where T : Generic
{
return from s in source where s.Age > 10 select (T)s;
}
答案 1 :(得分:1)
你的例子很棘手的一点是你使用的是匿名类型 - 这意味着你不能编写一个方法(你不能声明返回类型)并且你不能将lambda表达式赋给本地变量(您需要能够指定将lambda表达式转换为的类型)。
你也不能只使用类型推断从泛型方法返回一些内容 - 因为你无法仅指定输入类型。但是,您可以将类型推断与泛型类一起使用:
public static class Functions<T>
{
public static Func<T, TResult> Create<TResult>(Func<T, TResult> func)
{
return func;
}
}
然后你可以写:
var projection = Functions<Route>.Create(r => new { r.name, r.age });
var query = db.routes
.Select(projection)
...;
但是如果你真的想在多个地方使用相同的投影,你应该考虑创建一个命名的结果类型 - 此时可以使用任何其他选项,包括转换方法
答案 2 :(得分:0)
这看起来如何:
class NameAndAge
{
public String Name;
public Int32 Age;
}
class Whatever
{
public IEnumerable<NameAndAge> GetNameAndAges(IEnumerable<dynamic> enumerable)
{
return from b in enumerable select new NameAndAge { Name = b.name,
Age = b.age};
}
}
您可能希望将参数类型中的dynamic
替换为db.routes
中的任何元素类型。