3

我是新的 MVC 3 用户,我正在尝试通过 SQL 数据库进行管理员。首先,我有客户实体,管理员可以通过客户实体中的布尔类型的管理字段来定义。我只想在产品页面中访问管理员,而不是普通客户。我想制作 [Authorize(Roles="admin")] 而不是 [Authorize]。但是,我不知道如何才能真正在我的代码中扮演管理员角色。然后在我的 HomeController 中,我编写了这段代码。

public class HomeController : Controller
{

    [HttpPost]
    public ActionResult Index(Customer model)
    {
        if (ModelState.IsValid)
        {
            //define user whether admin or customer
            SqlConnection conn = new SqlConnection(ConfigurationManager.ConnectionStrings["rentalDB"].ToString());
            String find_admin_query = "SELECT admin FROM Customer WHERE userName = '" + model.userName + "' AND admin ='true'";
            SqlCommand cmd = new SqlCommand(find_admin_query, conn);
            conn.Open();
            SqlDataReader sdr = cmd.ExecuteReader();
            //it defines admin which is true or false
            model.admin = sdr.HasRows;
            conn.Close();

            //if admin is logged in
            if (model.admin == true) {
                Roles.IsUserInRole(model.userName, "admin"); //Is it right?
                if (DAL.UserIsVaild(model.userName, model.password))
                {
                    FormsAuthentication.SetAuthCookie(model.userName, true);
                    return RedirectToAction("Index", "Product");
                }
            }

            //if customer is logged in
            if (model.admin == false) {
                if (DAL.UserIsVaild(model.userName, model.password))
                {
                    FormsAuthentication.SetAuthCookie(model.userName, true);                   
                    return RedirectToAction("Index", "Home");
                }
            }
                ModelState.AddModelError("", "The user name or password is incorrect.");
        }
        // If we got this far, something failed, redisplay form
        return View(model);
    }

而 DAL 类是

 public class DAL
{
    static SqlConnection conn = new SqlConnection(ConfigurationManager.ConnectionStrings["rentalDB"].ToString());

    public static bool UserIsVaild(string userName, string password)
    {
        bool authenticated = false;
        string customer_query = string.Format("SELECT * FROM [Customer] WHERE userName = '{0}' AND password = '{1}'", userName, password);      
        SqlCommand cmd = new SqlCommand(customer_query, conn);
        conn.Open();
        SqlDataReader sdr = cmd.ExecuteReader();
        authenticated = sdr.HasRows;
        conn.Close();
        return (authenticated);
    }
}

最后,我想自定义 [Authorize(Roles="admin")]

[Authorize(Roles="admin")]
public class ProductController : Controller
{
  public ViewResult Index()
    {
        var product = db.Product.Include(a => a.Category);
        return View(product.ToList());
    }
}

这些是我现在的源代码。我需要制作“AuthorizeAttribute”类吗?如果我必须这样做,我该怎么做?你能给我解释一下吗?我无法理解如何在我的案例中设置特定角色。请帮助我该怎么做。谢谢。

4

2 回答 2

2

我知道这个问题有点老了,但这是我做类似事情的方式。我创建了一个自定义授权属性,用于检查用户是否具有正确的安全访问权限:

[System.AttributeUsage(System.AttributeTargets.All, AllowMultiple = false, Inherited = true)]
public sealed class AccessDeniedAuthorizeAttribute : AuthorizeAttribute
{
    public override void OnAuthorization(AuthorizationContext filterContext)
    {
        base.OnAuthorization(filterContext);

        // Get the roles from the Controller action decorated with the attribute e.g.
        // [AccessDeniedAuthorize(Roles = MyRoleEnum.UserRole + "," + MyRoleEnum.ReadOnlyRole)]
        var requiredRoles = Roles.Split(Convert.ToChar(","));

        // Get the highest role a user has, from role provider, db lookup, etc.
        // (This depends on your requirements - you could also get all roles for a user and check if they have the correct access)
        var highestUserRole = GetHighestUserSecurityRole();

        // If running locally bypass the check
        if (filterContext.HttpContext.Request.IsLocal) return;

        if (!requiredRoles.Any(highestUserRole.Contains))
        {
            // Redirect to access denied view
            filterContext.Result = new ViewResult { ViewName = "AccessDenied" };
        }
    }
}

现在用自定义属性装饰控制器(您也可以装饰单个控制器操作):

[AccessDeniedAuthorize(Roles="user")]
public class ProductController : Controller
{
    [AccessDeniedAuthorize(Roles="admin")]
    public ViewResult Index()
    {
        var product = db.Product.Include(a => a.Category);
        return View(product.ToList());
    }
}
于 2013-02-25T12:22:52.607 回答
1

您的 Role.IsInRole 用法不正确。这就是 [Authorize(Roles="Admin")] 的用途,无需调用它。

在您的代码中,您没有在任何地方设置角色。如果您想进行自定义角色管理,您可以使用自己的角色提供程序或将它们存储在身份验证令牌中,如下所示:

http://www.codeproject.com/Articles/36836/Forms-Authentication-and-Role-based-Authorization 请注意以下部分:


// Get the stored user-data, in this case, user roles
            if (!string.IsNullOrEmpty(ticket.UserData))
            {
                string userData = ticket.UserData;
                string[] roles = userData.Split(',');
                //Roles were put in the UserData property in the authentication ticket
                //while creating it
                HttpContext.Current.User = 
                  new System.Security.Principal.GenericPrincipal(id, roles);
            }
        }


然而,这里更简单的方法是使用 asp.net 中的内置成员资格。使用“互联网应用程序”模板创建一个新的 mvc 项目,这一切都将为您设置。在 Visual Studio 中,单击解决方案资源管理器上方的“asp.net 配置”图标。您可以在此处管理角色并分配给角色。

于 2012-03-11T23:34:10.517 回答