0

我有 2 个表,它们之间是 m 到 n 的关系。角色,模块,模块InRoles。我得到当前的用户角色。我想得到这些角色的模块。我试着写点东西。但我不能成功。

string[] roller = System.Web.Security.Roles.GetRolesForUser();

IEnumerable<TblModuller> moduller = null;
IEnumerable<TblModulsInRoles> moduls_in_roles = null;

foreach (var rol in roller)
{
     moduls_in_roles = entity.TblModulsInRoles.Where(x => x.Roles.RoleName == rol);
     foreach(var modul in moduls_in_roles)
     {
         //I dont know What should I write or this code is correct.
     }
}

例如; 我的数据是这样的:

Admin  Modul1
Admin  Modul2
User   Modul2
User   Modul3

我想得到这个:

Modul1
Modul2
Modul3

逻辑是什么?是否有一些关于这个主题的代码示例或教程。

谢谢。

4

2 回答 2

1

试试这个

var modullerList = new List< TblModuller>();

foreach (var rol in roller)
{
     moduls_in_roles = entity.TblModulsInRoles.Where(x => x.Roles.RoleName == rol);
     foreach(var modul in moduls_in_roles)
     {
        if(!modullerList .Contains(modul))
            modullerList .Add(modul);
     }
}
于 2012-07-18T13:23:56.837 回答
1

回答您的问题“我想问是否有不同的方式?” : 你可以使用SelectMany. 我不确定我是否完全理解你正在使用的结构,但我猜到了。希望是对的。

string[] roles = System.Web.Security.Roles.GetRolesForUser();

var modules = roles
    .SelectMany(r =>
        entity.TblModulsInRoles.Where(m => m.Roles.RoleName == r)
    )
    .Distinct();

假设从返回的每个模块TblModulesInRoles是每个角色映射中引用的相同对象,这应该有效。如果它不是同一个对象,那么您的模块实体可能必须通过一种标准方式进行比较。

这是我用来在本地测试的代码。显然,这并不完全一样,但SelectMany至少证明了这一点。

public class Module
{
    public Module(string name)
    {
        Name = name;
    }

    public string Name { get; private set; }
}

Module one = new Module("one");
Module two = new Module("two");
Module three = new Module("three");

Dictionary<string, List<Module>> dict = new Dictionary<string, List<Module>>
{
    {"cow", new List<Module> { one, two }},
    {"chicken", new List<Module> { one }},
    {"pig", new List<Module> { two }}
};

string[] roles = new string[] { "cow", "chicken", "pig" };

var result = roles.SelectMany(r => dict[r]).Distinct();

Console.WriteLine(result);

// { one, two }
于 2012-07-18T14:36:07.327 回答