2

我正在创建一个论坛,并且我最近实施了 Simple Membership。我现在要做的是显示写这篇文章的人的实际姓名。截至目前,我只能显示用户的 UserId。

我有两个模型:Simplemembership 模型 AccountModels 和我的 ForumModels。我的 Forummodel 帖子包含 UserId 的字段。

我尝试将 AccountModels 中的一些表添加到我的 ForumModels,但这只会导致错误(因为我试图创建同一个表两次)

我尝试创建一个包含 Posts 和 UserProfile 的 ViewModel,但无法正确填充数据。

最后,我尝试在 Post 和 Userprofile 这两个表上执行连接

   var posts = (from p in db.Posts
                     join u in udb.UserProfiles
                     on p.UserId equals u.UserId
                     where p.TopicId == id
                     select p);
        return View(posts);

这产生了错误:

指定的 LINQ 表达式包含对与不同上下文关联的查询的引用。

关于我应该做什么的任何想法?

4

1 回答 1

2

您似乎正在尝试在两个不同的上下文之间执行联接。您可以尝试:

1) 调用第一个上下文并将 ID 集合保存在这样的列表中:

var userIds = udb.UserProfiles.UserId.ToList();
var posts = from p in db.Posts 
    where p.TopicId == id && userIds.Contains(p.UserId) 
    select p;

2) 将帖子添加到与简单会员使用的上下文相同的上下文中,您将能够使用加入。

更新到示例代码

//This will retrieve the posts from the database. 
//ToList() will translate and execute the SQL statement, 
//so you can manipulate the colleciton in memory
var posts = (from p in db.Posts 
    where p.TopicId == id
    select p).ToList();

//Get all the user IDs on the post collection. 
var userIds = posts.Select(p => p.UserId).Distinct();

//Then we will select the users in the posts
var users = ubd.UserProfiles.Where(u => userIds.Contains(u.UserId)).ToList();

//Now you have both collections in memory and you can perform the join
var joined = from p in posts
             join u in users
             on p.UserId equals u.UserId
             select new {Title = p.Title, UserName = u.UserName};
于 2013-05-25T12:36:54.460 回答