3

我试图弄清楚如何将NotMapped属性与 OData一起使用

我有这个用户模型

[DataContract]
public class User
{
[DataMember]
public long Id { get; set; }
[DataMember]
public virtual InstagramUser InstagramUser { get; set; }
[DataMember]
public virtual FacebookUser FacebookUser { get; set; }
[NotMapped]
public string InstagramID { get; set; 
}

我在用户控制器中有这个GetAll() 方法

public IQueryable<User> GetAllUsers()
{
       _repository = new UserRepository();
       return _repository.GetAll().AsQueryable();
 }

以及用户存储库中的这个GetAll() 函数

public IQueryable<User> GetAll()
{
     InstaStoryDB db = new InstaStoryDB();
     var ret = db.Users.Include("InstagramUser").Include("FacebookUser").AsQueryable();
     foreach(User user in ret)
     {
        user.InstagramID = user.InstagramUser.InstagramID; //<-- I'm adding here the value to the property
     }
     return ret;         
}

这就是Instagram 用户模型

[DataContract]
public class InstagramUser
{
[DataMember]
public long UserId { get; set; }
[DataMember]
public string InstagramID { get; set; 
}

一切工作良好。

我对 User 模型进行了更改并添加了InstagramUser包含 的模型,因此我添加了 [NotMapped] 属性以从数据库InstagramID中的 User 表中删除 InstagramID,因为 InstagramUser 已经包含 InstagramID。

当我尝试像这样使用 Odata 时: localhost:555/api/users/?$filter=InstagramID eq '456456546' 它失败并返回 InstagramID 属性不存在的错误。

我该怎么做才能在NotMapped属性上使用带有 Odata 的过滤器?

4

3 回答 3

9

这对我在 Web API 中使用 OData v4 有效:

var t = modelBuilder.StructuralTypes.First(x => x.ClrType == typeof(User));
t.AddProperty(typeof(User).GetProperty("InstagramID"));
于 2016-03-20T14:34:29.247 回答
4

你可以在这里找到修复:http ://forums.asp.net/t/1887669.aspx?OData+EF+Model+with+custom+calculated+properties

  1. 首先手动处理odata查询
  2. 使用选择查询添加未映射属性

例如

public IQueryable<DomainModel> GetAllDomains(ODataQueryOptions<Domains> queryOptions)
    {
        var query = queryOptions.ApplyTo(objectContext.Domains) as IQueryable<Domain>;
        return query.AsEnumerable().Select(d => new DomainModel
        {
            Name = d.Name,
            Activated = d.Activated,
            Address = d.Address,
            AdminUserName = d.AdminUserName,
            DateCreated = d.DateCreated,
            Enabled = d.Enabled,
            Subscription = (SubscriptionTypes)d.SubscriptionType,
            Website = d.Website,
            StatsUpdatePending = d.StatsUpdatePending,
            LastHousekeeping = d.LastHousekeeping,
            CalculatedProperty = calculator.Calculate(d.Name, d.Activated)
        }).AsQueryable();
    }
于 2015-04-30T12:51:19.803 回答
3

我找到了一个与 Jason Steele 类似的解决方案,但使用了 EntityType 和 Property 方法,如下所示:

modelBuilder.EntityType<User>().Property(u => u.InstagramID);

结果是一样的。如果你看一下Property方法的源码,你会发现它是在获取PropertyInfo,然后将其添加到该类的StructuralTypeConfiguration中:

PropertyInfo propertyInfo = PropertySelectorVisitor.GetSelectedProperty(propertyExpression);
PrimitivePropertyConfiguration property = _configuration.AddProperty(propertyInfo);
于 2017-03-22T17:43:52.317 回答