Click here to Skip to main content
15,885,546 members
Articles / Web Development / ASP.NET
Article

Roles-Based Authentication

Rate me:
Please Sign up or sign in to vote.
2.91/5 (34 votes)
22 May 20036 min read 329K   8.6K   129   49
Implement a Roles-Based Authentication using ASP.NET Forms Authentication

Sample Image - screenshot.gif

Introduction

This article demonstrates how to use Form Authentication in ASP.NET. I have written a set of classes and a small web application that uses these classes as an example. The small application features 4 forms (pages) that allow you to do the following functions: Add new user, assign roles to users, remove roles from users and manage roles. Although the classes I've written provide quite enough functions that are ready to use, for the demonstration purpose, I have limited the fields in the User class. That means users can provide some basic fields when registering for a new account: Full Name, Email, Password, Biography. You can add more fields later if you want, it's quite easy.

The Classes Overview

There are 4 classes: User, Role, SitePrincipal and SiteIdentity. I would like to overview the classes' methods and properties here:

The User class

User()Default parameter less constructor to create a new user
User(int userID)This constructor gets a userID and looks up the user details from the database
User(string email)This constructor gets an email and looks up the user details from the database
GetUsers()This method returns a DataSet of all the users available in the database
GetRoles()This method returns a DataSet of roles assigned to the current user
GetUserRoles(int userID)This static method grabs the userID and returns a roles ArrayList assigned to that user
AddToRole(int roleID)This method assigns a role to the current user
RemoveFromRole(int roleID)This method removes current user from the role that has been passed by the roleID.
Add()Adds a new user to the database
Update()Updates current user information
Delete()Deletes current user
UserIDGets/Sets user's id number
FullNameGets/Sets user's full name
EmailGets/Sets user's email
PasswordGets/Sets user's password
BiographyGets/Sets user's biography
DateAddedGets/Sets user's registering date

The Role class

Role()Default parameter less constructor to create a new role
Role(int roleID)This constructor gets a roleID and looks up the role details from the database
GetRoles()This method returns a DataSet of all roles available in the database
Add()Adds a new role to the database
Update()Updates current role information
Delete()Deletes current role
RoleIDGets/Sets role ID number
RoleNameGets/Sets role name

The SitePrincipal class (implements the IIPrincipal Interface)

SitePrincipal(int userID)This constructor gets a userID and looks up details from the database
SitePrincipal(string email)This constructor gets an email and looks up details from the database
IsInRole()(IIPrincipal.IsInRole()) Indicates whether a current principal is in a specific role
ValidateLogin()Adds a new user to the database
Identity(IIPrincipal.Identity) Gets/Sets the identity of the current principal
RolesGets the roles of the current principal

The SiteIdentity class (implements the IIdentity Interface)

SiteIdentity(int userID)This constructor gets a userID and looks up the user details from the database
SiteIdentity(string email)This constructor gets an email and looks up the user details from the database
AuthenticationType(IIdentity.AuthenticationType) Always returns "Custom Authentication"
IsAuthenticated(IIdentity.IsAuthenticated) Always returns true
Name(IIdentity.Name) Gets the name of the current user
EmailGets the email of the current user
PasswordGets the password of the current user
UserIDGets the user ID number of the current user

Enabling Forms Authentication

To enable ASP.NET Forms Authentication, your application web.config file must contain the following information:

XML
<configuration>
     <system.web>
      <authentication mode="Forms">
            <forms name="RolesBasedAthentication" 
                path="/" 
                loginUrl="/Login.aspx" 
                protection="All" 
                timeout="30">
            </forms>
         </authentication>
     </system.web>
</configuration>

The authentication mode is set to Forms, this enables the Forms Authentication for the entire application. The value of the name attribute is the name of the browser cookie, the default value is .ASPXAUTH but you should provide a unique name if you are configuring multiple applications on the same server. The loginUrl is the URL to your login page. The timeout is the amount of time in minutes before a cookie expires, this attribute does not apply to persistent cookies. The protection attribute: is the way your cookie data is protected, ALL means that your cookie data will be encrypted and validated. Other values that you can set are: None, Encryption, Validation.

When Forms Authentication is enabled, each time a user requests a page, the form will attempt to look up for a cookie in the user's browser. If one is found, the user identity was kept in the cookie represented in the FormsIdentity class. This class contains the following information about the authenticated user:

  • AthenticationType - returns the value Forms
  • IsAthenticated - returns a boolean value indicating where the user was authenticated
  • Name - Indicates the name of an authenticated user

Because the FormsIdentity contains only the Name of the user and sometimes you need more than that, that's why I have written the SiteIdentity which implements the IIdentity interface to contain more information about the authenticated user.

Creating the Login Page

For creating the login page, you simply need 2 textboxes to let the user input the email address and password, named Email and Password, respectively. You may need 1 check box to ask if the user wants us to set a persistent cookie, and finally one submit button with OnClick event which is handled as follows:

C#
private void Submit_Click(object sender, System.EventArgs e)
{
      // call the ValidateLogin static method to
      // check if the email and password are correct
      // if correct the method will return a new user else return null
      SitePrincipal newUser = 
        SitePrincipal.ValidateLogin(Email.Text, Password.Text);

    if (newUser == null)
    {
        ErrorMessage.Text = "Login failed for " + Email.Text;
        ErrorMessage.Visible = true;
    }
    else
    {
        // assign the new user to the current context user
        Context.User = newUser;
        // set the cookie that contains the email address
        // the true value means the cookie will be set persisted
        FormsAuthentication.SetAuthCookie( Email.Text, true ); 
        // redirect the user to the home page
        Response.Redirect("Default.aspx");
    }
}

The code above is straightforward, first we call SitePrincipal.ValidateLogin() which looks up the database and check if the user has entered the correct email and password and returns the new instance of SitePrincipal object. If the new object is null that means the user has not entered a correct email or password, otherwise we assign the current user with the new object. Then set the cookie and redirect the user to the main page.

Authenticating User On Every Request

Whenever user requests a page, the ASP.NET Forms Authentication will automatically pick up our cookie. But we haven't replaced the current context user with our own, so we should create a pagebase class as base class and replace the current context user with our own so that every page that is derived from this pagebase will have our own SitePrincipal instance as context user. When the SitePrincipal is instantiated, it will automatically search for roles that match the current user and assign to the user's roles. The code below creates a pagebase class and replaces the current context with our own:

C#
public class PageBase: System.Web.UI.Page
{
    public PageBase()
    {
    }

    protected override void OnInit(EventArgs e)
    {    
        base.OnInit(e);
        this.Load += new System.EventHandler(this.PageBase_Load);
    }    



    private void PageBase_Load(object sender, System.EventArgs e)
    { 
      if (Context.User.Identity.IsAuthenticated) 
      {
        if (!(Context.User is SitePrincipal))
        {
              SitePrincipal newUser = 
                new SitePrincipal( Context.User.Identity.Name );
              Context.User = newUser;
            }    
    }
    }
}

So now every page should derive this bass class instead of deriving the System.Web.UI.Page. So if you want to get the current name or email address or user ID of the authenticated user, you can do like this:

C#
if (Context.User.Identity.IsAuthenticated) 
{
    string name = ((SiteIdentity)Context.User.Identity).FullName;
    string email = ((SiteIdentity)Context.User.Identity).Email;
    string password = ((SiteIdentity)Context.User.Identity).Password;
    string userID = ((SiteIdentity)Context.User.Identity).UserID;
}

Or if you can check if the current user is in a specific role as following:

C#
if (Context.User.Identity.IsAuthenticated) 
{
    // if user is not in the Site Admin role,
    // he/she will be redirected to the login page
    if (!((SitePrincipal)Context.User).IsInRole("Site Admin"))
        Response.Redirect("Login.aspx");
}

The Demo Application

All the code above is the only base for using my classes to turn your application into a roles-based authentication system. How ever I have written a small demo web application that uses these classes as an example with quite enough functions like: insert/update/delete roles, assign user to roles and remove user from roles. In order to get the application up and running, you need to have SQL Sever, since I'm not using Access as a database management system.

You can download the demo application and all the source code for the classes from the links at the top of this page and follow these steps to get the application up and running:

  1. Copy the RolesBasedAthentication.Web folder to the wwwroot directory.
  2. Share the RolesBasedAthentication.Web folder by right clicking and choose Properties and then open the Web Sharing tab and choose Share this folder.
  3. Create a new database and name it RolesBasedAuthentication.
  4. Run the script in the database.sql using Query Analyzer to create tables and stored procedures for the new database.

When running the application, log on with account: admin@site.com and password: admin to have full access. Hope you find this small application helpful.

License

This article has no explicit license attached to it but may contain usage terms in the article text or the download files themselves. If in doubt please contact the author via the discussion board below.

A list of licenses authors might use can be found here


Written By
Singapore Singapore
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
Questionhow to check by user name instead of email?? Pin
thothoy10-Mar-11 20:16
thothoy10-Mar-11 20:16 
GeneralDefine user Roles Pin
justinonday2-Sep-10 18:43
justinonday2-Sep-10 18:43 
GeneralRe: Define user Roles Pin
Blesson Mathew7-Dec-10 23:21
Blesson Mathew7-Dec-10 23:21 
GeneralPls help me Pin
Stelios8019-Sep-06 6:05
Stelios8019-Sep-06 6:05 
GeneralPls help me, too Pin
Douglas Nguyen17-Jul-10 1:01
Douglas Nguyen17-Jul-10 1:01 
QuestionError While Editing Email Pin
montek23-Nov-05 4:32
montek23-Nov-05 4:32 
QuestionFormAuthentication Ticket Pin
mex mex11-Nov-05 7:04
mex mex11-Nov-05 7:04 
AnswerRe: FormAuthentication Ticket Pin
william bittenbender30-Aug-09 17:46
william bittenbender30-Aug-09 17:46 
QuestionHow about this? Pin
Member 227797715-Sep-05 6:01
Member 227797715-Sep-05 6:01 
GeneralPlz help me out Pin
Member 211717129-Aug-05 23:14
Member 211717129-Aug-05 23:14 
QuestionIsAuthenticated ??? Pin
Member 135392830-Jun-05 12:02
Member 135392830-Jun-05 12:02 
AnswerRe: IsAuthenticated ??? Pin
william bittenbender30-Aug-09 17:40
william bittenbender30-Aug-09 17:40 
GeneralSystem.InvalidCastException Pin
swandown29-Oct-04 6:01
swandown29-Oct-04 6:01 
GeneralRe: System.InvalidCastException Pin
bmzero10-Oct-05 6:36
bmzero10-Oct-05 6:36 
I'm getting the same error.

Were you able to figure anything out?


.brit
GeneralRe: System.InvalidCastException Pin
hestol12-Mar-08 1:28
hestol12-Mar-08 1:28 
Generaltimeout Pin
elnife28-Sep-04 21:06
elnife28-Sep-04 21:06 
GeneralCode is wrong Pin
robregan24-Sep-04 12:56
robregan24-Sep-04 12:56 
GeneralRe: Code is wrong Pin
william bittenbender30-Aug-09 17:35
william bittenbender30-Aug-09 17:35 
GeneralRe: Code is wrong Pin
jgauffin23-Aug-10 3:34
jgauffin23-Aug-10 3:34 
GeneralMissing Functionality and not optimised for scalability Pin
Simon Knox6-May-04 17:22
Simon Knox6-May-04 17:22 
GeneralMS-Access Version Pin
guga0323-May-04 1:31
guga0323-May-04 1:31 
GeneralRe: MS-Access Version Pin
guga03228-Apr-05 6:35
guga03228-Apr-05 6:35 
GeneralSet up restricted pages - roles Pin
paulpinder24-Feb-04 0:39
paulpinder24-Feb-04 0:39 
GeneralRe: Set up restricted pages - roles Pin
Zek3vil24-Feb-04 5:27
Zek3vil24-Feb-04 5:27 
GeneralRe: Set up restricted pages - roles Pin
paulpinder24-Feb-04 23:04
paulpinder24-Feb-04 23:04 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.