0

我正在尝试制作各种通用功能,在我的代码的某个地方我有这些行

myDataContext dc = new myDataContext();
.
.
.(some code later)
.
Sucursal sucursal = dc.Sucursal.SingleOrDefault(s => s.Id == id);

效果很好。现在,当我尝试制作“通用”表单时,问题就来了

public static void FindWithId<DataBaseTable>(Table<DataBaseTable> table, int id)
    where DataBaseTable : class
{                    
   DataBaseTable t = table.SingleOrDefault(s => s.GetType().GetMember("Id").ToString() == id.ToString());
}

执行此行时

FindWithId<Sucursal>(dc.Sucursal,01);

我收到以下错误

方法 'System.Reflection.MemberInfo[] GetMember(System.String)' 不允许转换 SQL。

大致翻译为:

方法 'System.Reflection.MemberInfo [] GetMember (System.String)' 不支持转换为 SQL。

我能做些什么来完成这项工作?

谢谢!

更新解决方案

我一直在努力寻找解决方案,直到我遇到这个线程,它给出了一个非常彻底的答案,但为了我的目的,我将其调整为:

  public class DBAccess
{
    public virtual DataBaseTable GetById<DataBaseTable>(int id, Table<DataBaseTable> table) where DataBaseTable : class
    {
        var itemParameter = Expression.Parameter(typeof(DataBaseTable), "item");
        var whereExpression = Expression.Lambda<Func<DataBaseTable, bool>>
            (
            Expression.Equal(
                Expression.Property(
                    itemParameter,
                    "Id"
                    ),
                Expression.Constant(id)
                ),
            new[] { itemParameter }
            );
        return table.Where(whereExpression).Single();
    }
}

希望它对某人有用:P

4

2 回答 2

2

如果您只想要获取 Id 属性的通用方法,则可以更改

where DataBaseTable : class

成为像

where DataBaseTable : IEntity

其中 IEntity 是一个带有 Id 属性的接口,您的所有实体都可以实现该接口。

您收到错误的原因是因为它试图将反射方法转换为 SQL,这在 SQL 中没有任何意义,因为表上没有“方法”。

于 2012-08-14T12:14:14.397 回答
0

您不能那样做,因为您基本上是在尝试在 SQL 中使用反射方法:作为参数传递的内容SingleOrDefault()将被转换为 SQL。

旁注:s.GetType().GetMember("Id")返回 type 的值MemberInfo,而MemberInfo.ToString()不是您要查找的值。

于 2012-08-14T12:17:01.423 回答