2

我有一个新闻实体,我根据他们的 NewsID 获取新闻。现在我定义了一个新实体,一个 Group,我想根据他们的 Group ID 获取新闻。我定义了一个 Group news Table Aslo 来将它与表关联起来。 在此处输入图像描述

在新闻模型中我有:

public virtual ICollection<GroupNews> RelatedGroupID { get; set; }

所以我假设我定义了 GroupNews 表值,我可以在 NewsService 中使用它。

现在让我们看看 NewsService :

    Expression<Func<News, bool>> constraint = null;

    if (user_id > 0 && project_id > 0)
    {
        constraint = e => (e.CreatorID == user_id && e.RelatedProjectTags.Any(p => p.ProjectID == project_id));
    }
    else if (user_id > 0)
    {
        constraint = e => (e.CreatorID == user_id);
    }
    else if (project_id > 0)
    {
        constraint = e => (e.RelatedProjectTags.Any(p => p.ProjectID == project_id));
    }

    else
    {
        constraint = null;
    }

    IEnumerable<News> result_list = null;

    if (constraint != null)
    {
        result_list = newsRepository.GetMany(constraint).OrderByDescending(e => e.CreatedOn).Skip(offset);
    }
    else
    {
        result_list = newsRepository.GetAll().OrderByDescending(e => e.CreatedOn).Skip(offset);
    }

    if (count > 0)
    {
        result_list = result_list.Take(count);
    }

    return result_list.ToList<News>();
}

}

我将这一行添加到它以定义基于 GroupID 的约束。

    else if (groupId > 0)
    {
        constraint = e => (e.RelatedGroupID.Any(n => n.GroupID == groupId));
    }

这似乎是错误的,并给了我这个错误:

{“无效的对象名称'dbo.GroupNewsNews'。”}

4

1 回答 1

5

1.GroupNews表中不需要GroupNewsID。您需要删除此列并通过 GroupID 和 NewsID 创建复杂键。在 News 实体中,您需要定义属性:

    public virtual ICollection<Group> Groups 
    { 
        get; 
        set; 
    }

在此实体的默认构造函数中,您需要初始化属性(需要延迟加载):

Groups = new List<Group>();

Group 实体的类似更改。

2.在GroupMap.cs中你需要定义

this.HasMany(t => t.News)
    .WithMany(t => t.Groups)
    .Map(m =>
        {
            m.ToTable("GroupNews");
            m.MapLeftKey("GroupID");
            m.MapRightKey("NewsID");
        });

3.为 NewsRepository 和 GroupRepository 编写测试。

于 2013-05-03T13:20:10.187 回答