ASP.NET MVC - Set custom IIdentity or IPrincipal

222,670

Solution 1

Here's how I do it.

I decided to use IPrincipal instead of IIdentity because it means I don't have to implement both IIdentity and IPrincipal.

  1. Create the interface

    interface ICustomPrincipal : IPrincipal
    {
        int Id { get; set; }
        string FirstName { get; set; }
        string LastName { get; set; }
    }
    
  2. CustomPrincipal

    public class CustomPrincipal : ICustomPrincipal
    {
        public IIdentity Identity { get; private set; }
        public bool IsInRole(string role) { return false; }
    
        public CustomPrincipal(string email)
        {
            this.Identity = new GenericIdentity(email);
        }
    
        public int Id { get; set; }
        public string FirstName { get; set; }
        public string LastName { get; set; }
    }
    
  3. CustomPrincipalSerializeModel - for serializing custom information into userdata field in FormsAuthenticationTicket object.

    public class CustomPrincipalSerializeModel
    {
        public int Id { get; set; }
        public string FirstName { get; set; }
        public string LastName { get; set; }
    }
    
  4. LogIn method - setting up a cookie with custom information

    if (Membership.ValidateUser(viewModel.Email, viewModel.Password))
    {
        var user = userRepository.Users.Where(u => u.Email == viewModel.Email).First();
    
        CustomPrincipalSerializeModel serializeModel = new CustomPrincipalSerializeModel();
        serializeModel.Id = user.Id;
        serializeModel.FirstName = user.FirstName;
        serializeModel.LastName = user.LastName;
    
        JavaScriptSerializer serializer = new JavaScriptSerializer();
    
        string userData = serializer.Serialize(serializeModel);
    
        FormsAuthenticationTicket authTicket = new FormsAuthenticationTicket(
                 1,
                 viewModel.Email,
                 DateTime.Now,
                 DateTime.Now.AddMinutes(15),
                 false,
                 userData);
    
        string encTicket = FormsAuthentication.Encrypt(authTicket);
        HttpCookie faCookie = new HttpCookie(FormsAuthentication.FormsCookieName, encTicket);
        Response.Cookies.Add(faCookie);
    
        return RedirectToAction("Index", "Home");
    }
    
  5. Global.asax.cs - Reading cookie and replacing HttpContext.User object, this is done by overriding PostAuthenticateRequest

    protected void Application_PostAuthenticateRequest(Object sender, EventArgs e)
    {
        HttpCookie authCookie = Request.Cookies[FormsAuthentication.FormsCookieName];
    
        if (authCookie != null)
        {
            FormsAuthenticationTicket authTicket = FormsAuthentication.Decrypt(authCookie.Value);
    
            JavaScriptSerializer serializer = new JavaScriptSerializer();
    
            CustomPrincipalSerializeModel serializeModel = serializer.Deserialize<CustomPrincipalSerializeModel>(authTicket.UserData);
    
            CustomPrincipal newUser = new CustomPrincipal(authTicket.Name);
            newUser.Id = serializeModel.Id;
            newUser.FirstName = serializeModel.FirstName;
            newUser.LastName = serializeModel.LastName;
    
            HttpContext.Current.User = newUser;
        }
    }
    
  6. Access in Razor views

    @((User as CustomPrincipal).Id)
    @((User as CustomPrincipal).FirstName)
    @((User as CustomPrincipal).LastName)
    

and in code:

    (User as CustomPrincipal).Id
    (User as CustomPrincipal).FirstName
    (User as CustomPrincipal).LastName

I think the code is self-explanatory. If it isn't, let me know.

Additionally to make the access even easier you can create a base controller and override the returned User object (HttpContext.User):

public class BaseController : Controller
{
    protected virtual new CustomPrincipal User
    {
        get { return HttpContext.User as CustomPrincipal; }
    }
}

and then, for each controller:

public class AccountController : BaseController
{
    // ...
}

which will allow you to access custom fields in code like this:

User.Id
User.FirstName
User.LastName

But this will not work inside views. For that you would need to create a custom WebViewPage implementation:

public abstract class BaseViewPage : WebViewPage
{
    public virtual new CustomPrincipal User
    {
        get { return base.User as CustomPrincipal; }
    }
}

public abstract class BaseViewPage<TModel> : WebViewPage<TModel>
{
    public virtual new CustomPrincipal User
    {
        get { return base.User as CustomPrincipal; }
    }
}

Make it a default page type in Views/web.config:

<pages pageBaseType="Your.Namespace.BaseViewPage">
  <namespaces>
    <add namespace="System.Web.Mvc" />
    <add namespace="System.Web.Mvc.Ajax" />
    <add namespace="System.Web.Mvc.Html" />
    <add namespace="System.Web.Routing" />
  </namespaces>
</pages>

and in views, you can access it like this:

@User.FirstName
@User.LastName

Solution 2

I can't speak directly for ASP.NET MVC, but for ASP.NET Web Forms, the trick is to create a FormsAuthenticationTicket and encrypt it into a cookie once the user has been authenticated. This way, you only have to call the database once (or AD or whatever you are using to perform your authentication), and each subsequent request will authenticate based on the ticket stored in the cookie.

A good article on this: http://www.ondotnet.com/pub/a/dotnet/2004/02/02/effectiveformsauth.html (broken link)

Edit:

Since the link above is broken, I would recommend LukeP's solution in his answer above: https://stackoverflow.com/a/10524305 - I would also suggest that the accepted answer be changed to that one.

Edit 2: An alternative for the broken link: https://web.archive.org/web/20120422011422/http://ondotnet.com/pub/a/dotnet/2004/02/02/effectiveformsauth.html

Solution 3

Here is an example to get the job done. bool isValid is set by looking at some data store (lets say your user data base). UserID is just an ID i am maintaining. You can add aditional information like email address to user data.

protected void btnLogin_Click(object sender, EventArgs e)
{         
    //Hard Coded for the moment
    bool isValid=true;
    if (isValid) 
    {
         string userData = String.Empty;
         userData = userData + "UserID=" + userID;
         FormsAuthenticationTicket ticket = new FormsAuthenticationTicket(1, username, DateTime.Now, DateTime.Now.AddMinutes(30), true, userData);
         string encTicket = FormsAuthentication.Encrypt(ticket);
         HttpCookie faCookie = new HttpCookie(FormsAuthentication.FormsCookieName, encTicket);
         Response.Cookies.Add(faCookie);
         //And send the user where they were heading
         string redirectUrl = FormsAuthentication.GetRedirectUrl(username, false);
         Response.Redirect(redirectUrl);
     }
}

in the golbal asax add the following code to retrive your information

protected void Application_AuthenticateRequest(Object sender, EventArgs e)
{
    HttpCookie authCookie = Request.Cookies[
             FormsAuthentication.FormsCookieName];
    if(authCookie != null)
    {
        //Extract the forms authentication cookie
        FormsAuthenticationTicket authTicket = 
               FormsAuthentication.Decrypt(authCookie.Value);
        // Create an Identity object
        //CustomIdentity implements System.Web.Security.IIdentity
        CustomIdentity id = GetUserIdentity(authTicket.Name);
        //CustomPrincipal implements System.Web.Security.IPrincipal
        CustomPrincipal newUser = new CustomPrincipal();
        Context.User = newUser;
    }
}

When you are going to use the information later, you can access your custom principal as follows.

(CustomPrincipal)this.User
or 
(CustomPrincipal)this.Context.User

this will allow you to access custom user information.

Solution 4

MVC provides you with the OnAuthorize method that hangs from your controller classes. Or, you could use a custom action filter to perform authorization. MVC makes it pretty easy to do. I posted a blog post about this here. http://www.bradygaster.com/post/custom-authentication-with-mvc-3.0

Solution 5

Here is a solution if you need to hook up some methods to @User for use in your views. No solution for any serious membership customization, but if the original question was needed for views alone then this perhaps would be enough. The below was used for checking a variable returned from a authorizefilter, used to verify if some links wehere to be presented or not(not for any kind of authorization logic or access granting).

using System;
    using System.Collections.Generic;
    using System.Linq;
    using System.Web;
    using System.Security.Principal;

    namespace SomeSite.Web.Helpers
    {
        public static class UserHelpers
        {
            public static bool IsEditor(this IPrincipal user)
            {
                return null; //Do some stuff
            }
        }
    }

Then just add a reference in the areas web.config, and call it like below in the view.

@User.IsEditor()
Share:
222,670
Razzie
Author by

Razzie

I graduated at the University of Amsterdam in 2006, in Software Engineering. I primarily develop in C# (since 2003), while I learned to program in Java. I got employed by a Dutch website company in 2006, located in The Hague, where I'm currently a software engineer. In my spare time I like to mess around with WPF a little.

Updated on May 11, 2022

Comments

  • Razzie
    Razzie almost 2 years

    I need to do something fairly simple: in my ASP.NET MVC application, I want to set a custom IIdentity / IPrincipal. Whichever is easier / more suitable. I want to extend the default so that I can call something like User.Identity.Id and User.Identity.Role. Nothing fancy, just some extra properties.

    I've read tons of articles and questions but I feel like I'm making it harder than it actually is. I thought it would be easy. If a user logs on, I want to set a custom IIdentity. So I thought, I will implement Application_PostAuthenticateRequest in my global.asax. However, that is called on every request, and I don't want to do a call to the database on every request which would request all the data from the database and put in a custom IPrincipal object. That also seems very unnecessary, slow, and in the wrong place (doing database calls there) but I could be wrong. Or where else would that data come from?

    So I thought, whenever a user logs in, I can add some necessary variables in my session, which I add to the custom IIdentity in the Application_PostAuthenticateRequest event handler. However, my Context.Session is null there, so that is also not the way to go.

    I've been working on this for a day now and I feel I'm missing something. This shouldn't be too hard to do, right? I'm also a bit confused by all the (semi)related stuff that comes with this. MembershipProvider, MembershipUser, RoleProvider, ProfileProvider, IPrincipal, IIdentity, FormsAuthentication.... Am I the only one who finds all this very confusing?

    If someone could tell me a simple, elegant, and efficient solution to store some extra data on a IIdentity without all the extra fuzz.. that would be great! I know there are similar questions on SO but if the answer I need is in there, I must've overlooked.

    • Stefanvds
      Stefanvds about 13 years
      how did you integrate this with the pre-written MVC code for the login?
    • Razzie
      Razzie about 13 years
      stefan, you don't have to chance a lot regarding the existing AccountController. The trick really is to set the cookie in the global.asax, and you only have to write some data to the formsauthentication cookie yourself after you login in the AccountController. You can use the FormsAuthenticationTicket for that, which you can pass custom data.
    • Domi.Zhang
      Domi.Zhang over 12 years
      Hi, Razzie. I have a question: You retrieve data from FormsAuthenticationTicket without DB, and you can update the ticket(actually is cookie) when user update his profile, so everything is fine. However, if user change his data in another place, your data(retrive from cookie) in previous place is invalid. How did you handle the issue?
    • Razzie
      Razzie over 12 years
      Hi Domi, it's a combination of only storing data that never changes (like a user ID) or updating the cookie directly after the user changes data that has to be reflected in the cookie right away. If a user does that, I simply update the cookie with the new data. But I try not to store data that changes often.
    • aruno
      aruno about 11 years
      this question has 36k views and many upvotes. is this really that common a requirement - and if so isn't there a better way than all this 'custom stuff'?
    • John
      John about 9 years
      @Simon_Weaver There is ASP.NET Identity know, which supports additional custom information in the encrypted cookie more easily.
    • broadband
      broadband over 7 years
      I agree with you, there is to much information like you posted: MemberShip..., Principal, Identity. ASP.NET should make this easier, simpler and at most two approaches for dealing with authentication.
    • niico
      niico about 7 years
      @Simon_Weaver This clearly shows there's demand for simpler easier more flexible identity system IMHO.
    • Murphybro2
      Murphybro2 over 6 years
      @broadband I hear you.. they don't half make it hard work for people new to this stuff
  • Dan Esparza
    Dan Esparza almost 14 years
    FYI -- it's Request.Cookies[] (plural)
  • Russ Cam
    Russ Cam almost 14 years
    Don't forget to set Thread.CurrentPrincipal as well as Context.User to the CustomPrincipal.
  • Ryan
    Ryan about 13 years
    Where does GetUserIdentity() come from?
  • Dragouf
    Dragouf over 12 years
    But session can be lost and user still authenticate. No ?
  • Sriwantha Attanayake
    Sriwantha Attanayake over 12 years
    As I have mentioned in the comment, it's gives an implementation of System.Web.Security.IIdentity. Google about that interface
  • John Zumbrum
    John Zumbrum about 12 years
    Coming from PHP, I've always put the information like UserID and other pieces needed to grant restricted access in Session. Storing it client-side makes me nervous, can you comment on why that won't be a problem?
  • Summer Sun
    Summer Sun about 12 years
    @JohnZ - the ticket itself is encrypted on the server before it's sent over the wire, so it's not like the client is going to have access to the data stored within the ticket. Note that session IDs are stored in a cookie as well, so it's not really all that different.
  • David Keaveny
    David Keaveny almost 12 years
    Nice implementation; watch out for RoleManagerModule replacing your custom principal with a RolePrincipal. That caused me a lot of pain - stackoverflow.com/questions/10742259/…
  • Guillermo Gutiérrez
    Guillermo Gutiérrez over 11 years
    @JohnZ - Session is also a cookie saved on the client side.
  • Adam Vigh
    Adam Vigh over 11 years
    Lovely, I just have one question: Can storing the user id in the forms auth ticket, as you've just described cause any security issues? Is it possible that the user can tamper that data?
  • LukeP
    LukeP over 11 years
    @AdamVigh See here: support.microsoft.com/kb/910443 (What is the role of a ticket in Forms Authentication?) and here: stackoverflow.com/questions/8635965/… - so it looks like a tampered with ticket will not decrypt unless it's a situation described in the second link (you're replacing hex 0 with G-Z letters which will be converted to 0 anyway therefore keeping the ticket intact).
  • Pierre-Alain Vigeant
    Pierre-Alain Vigeant over 11 years
    How would you manage an anonymous user? The code in Application_PostAuthenticateRequest won't run and the as cast will return null everywhere. Normally, the User property is never null.
  • Pierre-Alain Vigeant
    Pierre-Alain Vigeant over 11 years
    ok I found the solution, just add an else switch which pass "" (empty string) as the email and the Identity will be anonymous.
  • 1110
    1110 over 11 years
    DateTime.Now.AddMinutes(N)... how to make this so it doesn't logout user after N minutes, can the logged in user be persisted (when user check 'Remember Me' for example)?
  • Gabriel
    Gabriel over 11 years
    @LukeP: Perfect solution! and even integrated with MVC! Just design a question, which directory/project do you usually put the ICustomPrincipal/CustomPrincipal files?
  • LukeP
    LukeP over 11 years
    @Gabriel I put all membership code in the main project. I will usually create a Membership folder/namespace reference it where it's needed.
  • Rui Lima
    Rui Lima about 11 years
    Isn't this a bit unsecure if our principal has sensitive data such has roles or permissions?
  • Ben Cameron
    Ben Cameron about 11 years
    This is a great answer. I am having one problem with though. My session/cookie doesn't persist between browser sessions. Has anyone else had this issue or know a fix?
  • LukeP
    LukeP about 11 years
    Have you tried making your FormsAuthenticationTicket object persistent (by changing false to true)?
  • mynkow
    mynkow about 11 years
    If you are here you should look at LukeP's solution
  • Red Taz
    Red Taz almost 11 years
    I've always been concerned with the potential for exceeding the maximum cookie size (stackoverflow.com/questions/8706924/…) with this approach. I tend to use the Cache as a Session replacement to keep the data on the server. Can anyone tell me if this is a flawed approach?
  • mg1075
    mg1075 almost 11 years
    @LukeP - does the Thread.CurrentPrincipal also need to be set to the newUser in the PostAuthenticationRequest? (See comment from Rus Cam in answer from Sriwantha Attanayake.)
  • Geoffrey Hudik
    Geoffrey Hudik almost 11 years
    Nice approach. One potential problem with this is if your user object has more than a few properties (and especially if any nested objects), creating the cookie will fail silently once the encrypted value is over 4KB (much easier to hit then you might think). If you only store key data it's fine but then you'd have to hit DB still for the rest. Another consideration is "upgrading" cookie data when the user object has signature or logic changes.
  • hakan
    hakan almost 11 years
    what is the user repository class in this line? var user = userRepository.Users.Where(u => u.Email == viewModel.Email).First();
  • LukeP
    LukeP almost 11 years
    @piedpiper It's whatever you use to get your user object from your data layer. This is where you would get user's information like first name and last name from.
  • ryanulit
    ryanulit almost 11 years
    FYI - If anyone is still having trouble with the principal being null for anonymous users, this q/a solved the problem for me - stackoverflow.com/questions/11476301/…
  • TugboatCaptain
    TugboatCaptain almost 11 years
    instead of manually using the as conversion repeatedly you can use an extension method: public static <yourType> ToCustom(this IPrincipal principal) { return principal as <yourType>; } @User.ToCustom().someProperty
  • Jonathan Levison
    Jonathan Levison almost 11 years
    If you are using the WebApiController, you will need to set Thread.CurrentPrincipal at Application_PostAuthenticateRequest for it to work as it does not rely on HttpContext.Current.User
  • Mike Wade
    Mike Wade almost 11 years
    The FormsAuthentication cookie should have the HttpOnly attribute set to true to prevent JavaScript from accessing your auth cookie. I also had to put the PostAuthenticateRequest event wireup in public override void Init() otherwise I got a NullReferenceException from the framework. But the answer was great other than that :)
  • zacharydl
    zacharydl over 10 years
    Joe Stagner addresses the question of cookie vs. cache in his excellent video Use Custom Principal Objects. The examples are in Web Forms, but this was still the best 20 minutes I spent while working on FormsAuthentication.
  • Abhinav Gujjar
    Abhinav Gujjar over 10 years
    Has anyone figured out how to accomplish log off with this ? Logoff seems to have broken.
  • LukeP
    LukeP over 10 years
    @AbhinavGujjar FormsAuthentication.SignOut(); works fine for me.
  • BlackICE
    BlackICE about 10 years
    Any suggestions on how to do this with OWIN?
  • LukeP
    LukeP about 10 years
    @BlackICE I'm currently writing an app that uses OWIN and I do it a bit differently now. I have a need to store a lot more information than I am prepared to in a cookie so I just store email address in a claim and create work context with full user object pulled from cache, or database if it's not in cache yet. Ask a question and link it here and I'll do my best to help.
  • BlackICE
    BlackICE about 10 years
    @LukeP I'm reading up on OWIN now to get up to speed on it, I don't think a cookie is the best place for what I'm storing either as it could be substantial. Is Cache better than Session for this?
  • LukeP
    LukeP about 10 years
    @BlackICE I don't think one is better than the other one. They're different. I like using cache because I've already implemented a nice wrapper for all my cache needs. Also see: stackoverflow.com/questions/428634/…
  • BlackICE
    BlackICE about 10 years
    @LukeP Here's my question: stackoverflow.com/questions/21679836/…
  • LukeP
    LukeP about 10 years
    @BlackICE I'll answer when I get back home from work. Like I said I am doing it differently now so you might or might not like it, but it will let you do what you want to do.
  • Mark Homans
    Mark Homans about 10 years
    Great answer! If by any chance you want to serialize DateTime's, then i would suggest not to use JavaScriptSerializer. It converts the date to a format like so: /Date(352162800000)/, and when deserialising i ended up with a date a day earlier...(timezone glitch maybe?) i would recomend NewtonSoft's Json.NET (james.newtonking.com/json) to do the serializing.
  • Sakthivel
    Sakthivel almost 10 years
    Could you add some more and lighten us by explaining adding roles to this method and using it in controller "Users = "Admin" ?
  • Timeless
    Timeless almost 10 years
    I always get null from Request.Cookies[FormsAuthentication.FormsCookieName], it's weird.
  • LukeP
    LukeP almost 10 years
    @Timeless Try using Fiddler and checking if the cookie is being set correctly during login.
  • Timeless
    Timeless almost 10 years
    @LukeP Is there any limitation on the length(size) of the userdata?
  • LukeP
    LukeP almost 10 years
    @Timeless There are limits to how big the cookie can be. See here: stackoverflow.com/questions/5381526/…
  • Pharylon
    Pharylon over 9 years
    At least in MVC 5 you need to do Context.User = newUser; instead of HttpContext.Current.User = newuser.
  • Rajshekar Reddy
    Rajshekar Reddy about 9 years
    @LukeP I am not able to use in the view like @User.FirstName as you have mentioned. I have followed your post exactly, Is there anything that needs to be set? @((User as CustomPrincipal).FirstName) is working
  • crichavin
    crichavin about 9 years
    @LukeP same question as Reddy. I am not able to use in the view like '@User.FirstName' as you have mentioned. I have followed your post exactly, Is there anything that needs to be set? '@((User as CustomPrincipal).FirstName)' is working
  • LukeP
    LukeP about 9 years
    @Reddy and Chad Richardson: Have you implemented the BaseViewPage and made it default in Views/web.config? Also which version of MVC are you using?
  • Rajshekar Reddy
    Rajshekar Reddy about 9 years
    @LukeP sorry I had to set the <pages pageBaseType="Your.Namespace.BaseViewPage"> in the webConfig of the views folder but I did it in the main wenConfig. My bad I overlooked it. All working fine. Thanks Brother
  • J86
    J86 about 9 years
    @LukeP how do Roles fit into the above? When I put this [Authorize(Roles = "Admin")]on my controller, it keeps failing, even though my user is in Role Admin (I checked Db)
  • Sinaesthetic
    Sinaesthetic about 9 years
    @Ciwan check the the principal to make sure it's getting loaded in. I can't speak for what you're using, but we use ClaimsPrincipal. As long as the type and value are set correctly, it should work. In some cases, you may need a custom authorize attribute depending on how you implemented the identity.
  • Ryan Vettese
    Ryan Vettese almost 9 years
    @LukeP - this probably needs a question all it's own, but how do I use my own custom password authentication? I have an existing ASP.NET app that I'm porting to MVC5. It seems easiest if I can keep using my existing User table with encrypted passwords. Hash hash = new Hash("SHA256"); if(u.Password == hash.Encrypt(EnteredTyped)) And not have to switch everything over to Membership? Or how do extend Membership with custom Authentication that will allow me to point it to my existing User table?
  • Ehsan
    Ehsan almost 9 years
    thanks for the solution, after using this; how can I use the authentication for a specific controller??
  • gaurav bhavsar
    gaurav bhavsar over 8 years
    @LukeP I implement Custom IPrinciple as you mention above, but I am getting authCookie = null always, does I am missing anything ?
  • fiberOptics
    fiberOptics over 8 years
    Is there any new/improved way of implementation for MVC5?
  • Pcodea Xonos
    Pcodea Xonos about 8 years
    How to manage an anonymous user else { HttpContext.Current.User = new CustomPrincipal(""); } after if (authCookie != null) { //.. } Unfortunately I have no idea if is it safe.
  • RayLoveless
    RayLoveless about 8 years
    @brady gaster, I read your blog post(thanks!), Why would someone use the override "OnAuthorize()" as mentioned on your post over the global.asax entry "...AuthenticateRequest(..)" mentioned by the other answers? Is one preferred over the other in setting the principle user?
  • shamim
    shamim almost 8 years
    @LukeP, Your step-4 login method not contain the returnUrl,with out using the [Authorize] attribute how to get return url.
  • Joakim Hansson
    Joakim Hansson almost 8 years
    I've been developing in C#/.NET for quite a while now but recently got into web. I didn't get into authentication/authorization until today and I started by saying that I didn't want to just use the built in stuff by Microsoft. Your answer + debugging helped me understand the authentication model for ASP.NET. Thank you!
  • oneNiceFriend
    oneNiceFriend almost 8 years
    In your solution, We again need to do database calls every time. Because user object doesn't have custom properties. It only has Name and IsAuthanticated
  • Base
    Base almost 8 years
    That depends entirely on your implementation and desired behavior. My sample contains 0 lines of database, or role, logic. If one use the IsInRole it could in turn be cached in cookie i believe. Or you implement your own caching logic.
  • Felipe Oriani
    Felipe Oriani over 7 years
    I've been implementing it and it works fine on my local iis. When I host it on a medium trust server it expires my authentication less than 1 minuto. Is there something I can do?
  • Alex from Jitbit
    Alex from Jitbit almost 7 years
    @LukeP this is a great solution. The only downside is - it works with FormsAuth only. I need to be able to use both Forms and Windows authentication. (the WindowsPricncipal one). Will keep digging.
  • Alex from Jitbit
    Alex from Jitbit almost 7 years
    Why "do not use session"?
  • Erik Funkenbusch
    Erik Funkenbusch almost 7 years
    @jitbit - because session is unreliable, and insecure. For the same reason you should never use session for security purposes.
  • Alex from Jitbit
    Alex from Jitbit almost 7 years
    "Unreliable" can be addressed by repopulating session (if empty). "Unsecure" - there are ways to protect from session hijacking (by useing HTTPS-only + other ways). But I actually agree with you. Where would you cache it then? Info like IsUserAdministrator or UserEmail etc.? You thinking HttpRuntime.Cache?
  • Erik Funkenbusch
    Erik Funkenbusch almost 7 years
    @jitbit - That's one option, or another cacheing solution if you have it. Making sure to expire the cache entry after a period of time. Insecure also applies to the local system, since you can manually alter the cookie and guess session ID's. Man in the middle is not the only concern.
  • Mike
    Mike almost 6 years
    Why does "IsInRole" always return false in your IPrincipal?
  • LukeP
    LukeP almost 6 years
    @Mike Because it's just an example and not full implementation. Outside of the scope of the question.
  • Mike
    Mike almost 6 years
    If I was to use the code as is then I would never get past the login page to an Authorized page. The IsInRole will get called return false and take action to have the user login in again. in your code example you should probably return true and add a comment to show that more work is needed in that area to ensure proper authentication.
  • Reza Nabiloo
    Reza Nabiloo over 2 years
    thank u so much. but i have problem. sometimes (User as customprincipal) returm null. User is not null but (User as customprincipal) return null !!!!!