以下はIEnumerable型で正常に動作しますが、SQLデータベースに対してIQueryable型を使用してこのようなものを取得する方法はありますか?
class Program
{
static void Main(string[] args)
{
var items = new[] { 0, 1, 2, 3, 4, 5, 6, 7, 8, 9, };
foreach (var item in items.Where(i => i.Between(2, 6)))
Console.WriteLine(item);
}
}
static class Ext
{
public static bool Between<T>(this T source, T low, T high) where T : IComparable
{
return source.CompareTo(low) >= 0 && source.CompareTo(high) <= 0;
}
}
where
句としてそれを表現する場合、適切なものを構築できれば、それはmayLINQ to SQLでそのまま動作します式。
表現木に関してこれを行うより良い方法があるかもしれません-マーク・グラベルはそれを改善することができるかもしれません-しかし、それは試す価値があります。
static class Ext
{
public static IQueryable<TSource> Between<TSource, TKey>
(this IQueryable<TSource> source,
Expression<Func<TSource, TKey>> keySelector,
TKey low, TKey high) where TKey : IComparable<TKey>
{
Expression key = Expression.Invoke(keySelector,
keySelector.Parameters.ToArray());
Expression lowerBound = Expression.GreaterThanOrEqual
(key, Expression.Constant(low));
Expression upperBound = Expression.LessThanOrEqual
(key, Expression.Constant(high));
Expression and = Expression.AndAlso(lowerBound, upperBound);
Expression<Func<TSource, bool>> lambda =
Expression.Lambda<Func<TSource, bool>>(and, keySelector.Parameters);
return source.Where(lambda);
}
}
それはおそらく関連するタイプに依存するでしょう-特に、私はIComparable<T>
ではなく比較演算子を使用しました。これはSQLに正しく変換される可能性が高いと思いますが、必要に応じてCompareTo
メソッドを使用するように変更できます。
次のように呼び出します。
var query = db.People.Between(person => person.Age, 18, 21);