web-dev-qa-db-ja.com

ASP.NET MVC 4カスタム認証属性-権限のないユーザーをエラーページにリダイレクトする方法

カスタム許可属性を使用して、許可レベルに基づいてユーザーのアクセスを許可しています。拒否されたページにアクセスするには、許可されていないユーザー(たとえば、ユーザーがDeleteアクセスレベルなしで請求書を削除しようとする)をリダイレクトする必要があります。

カスタム属性は機能しています。しかし、不正なユーザーアクセスの場合、ブラウザには何も表示されません。

コントローラーコード。

public class InvoiceController : Controller
{
    [AuthorizeUser(AccessLevel = "Create")]
    public ActionResult CreateNewInvoice()
    {
        //...

        return View();
    }

    [AuthorizeUser(AccessLevel = "Delete")]
    public ActionResult DeleteInvoice(...)
    {
        //...

        return View();
    }

    // more codes/ methods etc.
}

カスタム属性クラスコード。

public class AuthorizeUserAttribute : AuthorizeAttribute
{
    // Custom property
    public string AccessLevel { get; set; }

    protected override bool AuthorizeCore(HttpContextBase httpContext)
    {
        var isAuthorized = base.AuthorizeCore(httpContext);
        if (!isAuthorized)
        {                
            return false;
        }

        string privilegeLevels = string.Join("", GetUserRights(httpContext.User.Identity.Name.ToString())); // Call another method to get rights of the user from DB

        if (privilegeLevels.Contains(this.AccessLevel))
        {
            return true;
        }
        else
        {
            return false;
        }            
    }
}

これに関するあなたの経験を共有できれば感謝します。

22
chatura

HandleUnauthorizedRequesthere の指定に従ってオーバーライドする必要があります。

public class CustomAuthorize: AuthorizeAttribute
{
    protected override void HandleUnauthorizedRequest(AuthorizationContext filterContext)
    {
        if(!filterContext.HttpContext.User.Identity.IsAuthenticated)
        {
            base.HandleUnauthorizedRequest(filterContext);
        }
        else
        {
            filterContext.Result = new RedirectToRouteResult(new
            RouteValueDictionary(new{ controller = "Error", action = "AccessDenied" }));
        }
    }
}

**注:更新された条件ステートメント16年1月

67
VJAI