将表达式<Func<DTOUser, bool>> 谓词转换为表达式<func<User, bool>> 谓词



>我在表达式中遇到问题

我有一个实体

public class User{ 
public string Username{get;set;}
  public int PhoneNumber{get;set;}
  public string FIrstName{get;set;}
  public string LastName{get;set;}
}

我有一个DTO

public class DTOUser{
  public string Username{get;set;}
  public int PhoneNumber{get;set;}
  public string FIrstName{get;set;}
  public string LastName{get;set;}
  }

然后我有一个代码片段通用

 public IList<DTOUser> SelectAll(Expression<Func<DTOUser, bool>> predicate)
    {
           using (var adc = _conn.GetContext())
        {   
       // what should I do ?? so i can convert Predciate to get all values from Users (Entity)   
//it generates an error because predicate can't be cast into Entity User                    
 //   var users = adc.Users.All(predicate);
       }          
    }

我想通过传递 LAMBDA 表达式来获取 DTOUser 的列表

accountrepo.SelectAll( user => user.firstname.equals ("sample"));

我研究了这个问题,得出的结论是,由于 DTOUser 和 User 属于不同的类型,因此很难将表达式从一种类型转换为另一种类型。

Jon Skeet提出了一个解决方案:

如何将 Expression<T,>

DateTime>> 转换为 Expression<T,>>

但是由于这个解决方案似乎我必须将每个值从 DTOUser 映射到用户,这不会让它变得更加复杂,因为我的 DTOUser 包含超过 15 个属性。

有人可以帮助我吗?

你不能直接从一种类型强制转换为另一种类型,你可以这样做:

  1. 手动映射
  2. 使用反射自动映射(因为属性名称相同)
  3. 使用自动映射器

对于使用反射进行映射,可以使用以下通用代码:

public static T1 CopyProperties<T1, T2>(T2 model)
    where T1 : new()
    where T2 : new()
{
    // Get all the properties in the model
    var type = model.GetType();
    var properties = type.GetProperties();
    var result = new T1();
    var resultType = result.GetType();
    var resultProperties = resultType.GetProperties();
    // Loop through each property
    foreach (var property in properties)
    {
        var resultProperty = resultProperties.FirstOrDefault(n => n.Name == property.Name && n.PropertyType == property.PropertyType);
        if (resultProperty != null)
        {
            resultProperty.SetValue(result, property.GetValue(model, null), null);
        }
    }
    return result;
}

它将复制具有相同类型和名称的属性

我认为您可以使用链接中的Jon Skeet的答案,并在您的User(部分)类中定义从DTOUsser到User的显式强制转换:

public static explicit operator User(DTOUser dto)
{
    return new User
    {
        Prop1 = dto.Prop1,
        Prop2 = dto.Prop2,
        ...
    }
}

最新更新