In my LINQ to SQL setup I have various tables which are mapped to classes which basically support the same interface to support versioning, i.e.
public interface IValid
{
int? validTo { get; }
int validFrom { get; }
}
The LINQ to SQL classes derive from this interface like this:
public partial class representationRevision : IValid
{
}
Now I would like to define a DRY (Don't Repeat Yourself) way of filtering EntitySet<T>
, IEnumerable<T>
and IQueryable<T>
so that the resulting lists are valid for a specific revision. I've tried doing this:
public static class ExtensionMethods
{
public static IQueryable<T> ValidFor<T>(this IQueryable<T> v, int? revision)
where T : IValid
{
return v.Where(cr => ((cr.validFrom <= revision) &&
((cr.validTo == null) || (cr.validTo > revision)))
|| ((revision == null) && (cr.validTo == null))
);
}
}
But this gives problems on EntitySet<T>
. I added a special implementation for EntitySet which first calls AsQueryable(), but this throws an exception. Undeterred I tried making a predicate so I could use the Where(predicate)
approach:
public static Expression<Func<contentRevision, bool>> IsValidFor(int? revision)
{
return ((cr) => ((cr.validFrom <= revision) &&
((cr.validTo == null) || (cr.validTo > revision)))
|| ((revision == null) && (cr.validTo == null)));
}
When used with .Where<contentRevision>(IsValidFor(revision))
it gives errors like:
Error 5 'System.Data.Linq.EntitySet<contentRevision>' does
not contain a definition for 'Where' and the best extension method overload
'System.Linq.Enumerable.Where<TSource>
(System.Collections.Generic.IEnumerable<TSource>, System.Func<TSource,int,bool>)' has
some invalid arguments
Note that this is even without using the IValid interface... I've been trying all kinds of variations on this theme (like adding the int parameter) but they all invariably seem to fail. Any pointers to get me in the right direction?