You are on page 1of 65

How to add a Login, Roles and Profile system to an ASP.NET 2.

0 app in only 24 lines of code


Ive seen a few questions in the forums lately looking for examples on how to use the CreateUserWizard control to create new users in the ASP.NET 2.0 membership system, and then as part of the registration process assign the new user into custom roles and/or collect and store custom profile properties about them (country, address, gender, zipcode, etc). Stefan from my team had a cool CreateUserWizard control sample that I borrowed and expanded upon to build-up a sample that demonstrates how to build a fairly common user management, roles and personalization system in ASP.NET 2.0 that does this. I was pleasantly surprised to find it only took about 25 lines of C# code in the entire app. The sample comes with 6 pages:

Specifically it supports: 1) Login support to enable registered users to login to the web app using forms auth and the new membership system (login.aspx) 2) Registration support to enable visitors to create and register new users in the membership system (CreateNewWizard.aspx) 3) Profile support that enables the site to gather information about the user on registration, and for the users to see that information on a profile page (MyProfile.aspx). 4) Change Password support to enable registered users to change their password in the membership system (ChangePassword.aspx) 5) Password Recovery support to enable users to reset their password if they forgot them (RecoverPassword.aspx) You can download and run the sample yourself from here. Note that it is built with the final release of VS 2005 and ASP.NET 2.0 so it wont work with Beta2 (although it will probably work with the RC). Implementation Notes on CreateNewWizard.aspx and MyProfile.aspx: Only two of the above pages (CreateNewWizard.aspx and MyProfile.aspx) have code in them. The others use the built-in Login controls in V2 to-do everything (asp:login, asp:passwordrecovery, asp:changepassword).

CreateNewWizard.aspx is the most interesting page. It uses the built-in <asp:createuserwizard> server control to-do most of the heavy lifting and has two templated wizard steps defined within the wizard: <asp:createuserwizard> wizard step 1: gathering user-account data

The <asp:createuserwizard> control handles gathering up the user-account, email, password, and password recovery/answer data and then calling into the ASP.NET 2.0 membership system to register the new user. You simply have to override the controls <createuserwizardstep> template and customize the control layout to have things look how you want. The sample is using the ASP.NET validation controls to perform client-side validation on the inputs as well within the template (example: making sure passwords match, the age is a valid integer, etc). One added benefit in ASP.NET 2.0 is that these validation controls now support client-side validation for FireFox and other modern browsers (note: all screenshots were done using FireFox).

There are then three additional properties (their country, gender and age) that I wanted to gather up about the new user as part of the registration process. Doing this was pretty easy using the new ASP.NET 2.0 Profile system simply add their definitions within the <profile> tag of the web.config file to register them and store their values in the new profile system: <profileenabled="true"> <properties> <addname="Country"type="string"/> <addname="Gender"type="string"/> <addname="Age"type="Int32"/> </properties> </profile> I then handled the CreatedUser event on the CreateUserWizard control within my CreateNewWizard.aspx.cs code-behind file to retrieve the values from the controls within the CreateUserWizard control template and set them in the profile store: // CreatedUser event is called when a new user is successfully created publicvoid CreateUserWizard1_CreatedUser(object sender, EventArgs e) { // Create an empty Profile for the newly created user ProfileCommon p = (ProfileCommon) ProfileCommon.Create(CreateUserWizard1.UserName, true); // Populate some Profile properties off of the create user wizard p.Country = ((DropDownList)CreateUserWizard1.CreateUserStep.ContentTemplateContainer.Find Control("Country")).SelectedValue; p.Gender = ((DropDownList)CreateUserWizard1.CreateUserStep.ContentTemplateContainer.Find Control("Gender")).SelectedValue; p.Age = Int32.Parse(((TextBox)CreateUserWizard1.CreateUserStep.ContentTemplateContain er.FindControl("Age")).Text); // Save profile - must be done since we explicitly created it p.Save(); } Because the user is being created as part of this step, I explicitly choose to create a new Profile object in code (note that I was passing in the CreatedUserWizard1.UserName property as the username since the user isnt logged into the system yet). I then accessed the controls within the template of the <asp:createuserwizard> control, pulled out their values, and stuck them within the newly created profile. Calling p.save at the end registered this profile with the new username. (note: Ill walk through how we use this profile data later in a page below). <asp:createuserwizard> wizard step 2: picking roles After the user fills out the first step of registration information and clicks the next button, the user is created, the CreatedUser event fires, and we fill in the appropriate information about the user into the profile store. The <asp:createuserwizard> control then displays the second step template weve defined. This template lists all of the roles currently created in the ASP.NET Role Management system, and allows the user to select which roles they belong to:

Note that youd typically never assign roles to an end-user this way (instead youd add your own logic to somehow calculate which role they belong in), but I thought this scenario was cool nonetheless which is why it works like the sample above. I think it is cool because of the way we populate and access these roles in the template of the <asp:createuserwizard>. Basically, we have a template definition to the .aspx like this: <asp:WizardSteprunat="server"AllowReturn="False" OnActivate="AssignUserToRoles_Activate" OnDeactivate="AssignUserToRoles_Deactivate"> <table> <tr> <td> Select one or more roles for the user:

</td> </tr> <tr> <td> <asp:ListBoxID="AvailableRoles"runat="server" SelectionMode="Multiple"> </asp:ListBox> </td> </tr> </table> </asp:WizardStep> It simply contains a <asp:listbox> control named AvailableRoles. When this wizard step is loaded (after the user hits the next button on the first step in the wizard), it will fire the OnActivate event. We can use this to databind the list of all roles in the system to the above listbox. When the user hits next again, the wizard will fire the OnDeactivate event. We can then use this to determine which roles were selected in the above listbox, and use them to update the role-manager system. The code to-do both of these actions looks like this: // Activate event fires when user hits "next" in the CreateUserWizard publicvoid AssignUserToRoles_Activate(object sender, EventArgs e) { // Databind list of roles in the role manager system to listbox AvailableRoles.DataSource = Roles.GetAllRoles(); ; AvailableRoles.DataBind(); } // Deactivate event fires when user hits "next" in the CreateUserWizard publicvoid AssignUserToRoles_Deactivate(object sender, EventArgs e) { // Add user to all selected roles from the roles listbox for (int i = 0; i < AvailableRoles.Items.Count; i++) { if (AvailableRoles.Items[i].Selected == true) Roles.AddUserToRole(CreateUserWizard1.UserName, AvailableRoles.Items[i].Value); } } That is all of the code for the CreateNewWizard.aspx.cs file 17 lines total if you omit comments and whitespace (if my count is right). Next Step: Displaying User Profile Data The only other page in this scenario that required me to add code was the MyProfile.aspx page. This page looks like this:

The page itself was pretty simple to implement. I simply added a few asp:label controls on the page, as well a listbox for the roles. Populating these controls with the profile and role information involved added a Page_Load event with 7 lines of code like so: protectedvoid Page_Load(object sender, EventArgs e) { Country.Text = Profile.Country; Gender.Text = Profile.Gender; Age.Text = Profile.Age.ToString(); RoleList.DataSource = Roles.GetRolesForUser(User.Identity.Name); RoleList.DataBind(); } Note that the profile object is strongly typed which means profile properties will get statement completion and compilation checking in VS 2005 with it. I can also then query the role management system to retrieve an array of all the roles the current user belongs to and then databind this to the listbox control. Since the MyProfile.aspx page requires a user to be logged in (otherwise retrieving profile information about them doesnt make a lot of sense), I also added a <location> based authorization control tag in my web.config file: <locationpath="MyProfile.aspx"> <system.web> <authorization>

<denyusers="?"/> <allowusers="*"/> </authorization> </system.web> </location> This is the same configuration I would have added in ASP.NET V1.1 and basically tells the system to deny all users who arent logged in (the ? = anonymous), and then allow all users who are logged in (the * = all). Those who arent logged in will get automatically re-directed to the login.aspx page. The <asp:login> control can be used there to allow users who have already registered to log-in without the developer having to write any custom code. Summary Hopefully this walks-through a fairly common real-world web app scenario and explains how it can be easily done in ASP.NET 2.0. The ASP.NET 2.0 Membership, Role and Profile system (especially when combined with the new login controls) pack a lot of productivity power. What is really nice is that they are all built on the new ASP.NET 2.0 provider model. Our of the box ASP.NET ships built-in providers that provide Membership, Roles and Profile storage inside SQL Express, SQL Server and Active Directory stores (the later for Membership and Roles only). What is even better is that you can replace any of these implementations using a custom provider that you either buy or build yourself (see this blog post for more details on how to-do this). Replacing a provider in ASP.NET 2.0 simply involves changing a value in a web.config file the above code sample will work regardless of what provider was plugged in (LDAP, Oracle, DB2, Custom SQL Table Schema, FileSystem, etc). Hope this helps, Scott

Published Tuesday, October 18, 2005 12:43 AM by ScottGu

Comments
# re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, October 18, 2005 10:03 AM by Joshua Flanagan You could use even less code by using my ProfileView control (which was inspired by your ASP.NET 2.0 talk at TechEd04). http://flimflan.com/files/ProfileView.aspx (As soon as the RTM bits are on MSDN, I'll update the code appropriately - or, anyone can grab the source and do it themselves) It'll probably only save you 3 lines in this case, but would make a bigger difference if you had

more profile properties, or wanted the user to be able to edit their profile (after the create user wizard). # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, October 18, 2005 10:46 AM by scottgu Cools stuff Joshua! :-) # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, October 18, 2005 12:38 PM by Dempsey Speaking of RTM bits being on MSDN, do you know how much longer before we (MSDN subscribers) can get our hands on VS2005 RTM Scott? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, October 18, 2005 1:41 PM by scottgu Hi Dempsey, We haven't officially signed off yet on the final bits. I think it will probably be available for MSDN subscribers shortly before launch (but am not 100% sure of the date). Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, October 20, 2005 4:47 AM by Henk Feijt Hi Scott, Thanks for the examples and explanation. I have a question on the remember me checkbox. If the user checks this, will this mean that is logged in automaticly when she revisites the site. Or does a developer has to handle this herself. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, October 20, 2005 10:38 AM by scottgu Hi Henk, If the user checks this the Login control will automatically set the forms-auth cookie to be

persistant -- so assuming the ticket hasn't expired they will automatically be logged in next time without the developer having to-do anything. One caveat in ASP.NET V2.0 is that (for security reasons) the default forms auth ticket length is now a sliding 30 minute window instead of the 50 years it defaulted to in V1.1. If you want to change this (which most people probably will), you can change this in your web.config file as a configuration setting. Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Sunday, October 23, 2005 4:59 PM by Michael Annesley Will you be able to use the Login Controls with your own Database or do you have to allow ASP.Net to do so? Thank you, Michael michael@dorsetwebsolutions.com # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, October 24, 2005 1:50 PM by scottgu Hi Michael, Yep -- you can use your own databases used if you implement a Membership provider that goes against your database. Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, October 24, 2005 7:14 PM by Jackson Kuang Hi Scott, You are getting me excited! Are you saying that all we have to do is to define the custom

properties (country, gender and age) in the web.config, the ASP.NET 2.0 Profile system will create the fields in a table inside Aspnetdb? Wow that will be great if true! # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, October 24, 2005 8:37 PM by scottgu Hi Jackson, Yep -- that is all you need to-do. :-) We'll also be shipping another profile provider on the web that will allow you to bind the profile against an already defined database table as well. That way you'll also be able to integrate with existing data and perform even richer queries/updates on them. Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, October 26, 2005 9:02 PM by John Scott, " profile provider on the web that will allow you to bind the profile against an already defined database table" Wow, that's excellent. Currently, in my development, I need to extract it manually to my tables. Thanks, John # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Saturday, October 29, 2005 4:51 PM by Andreas Kraus Hey there, I'm using the Login Controls now the standard way with the SQL Server Express mdf file as storage engine. If I'd like to switch to MS-SQL (not express) sometime do I only have to copy all the tables and data to MS-SQL and switch the Provider in the web.config from express to mssql? I would just like to go sure I understood everything :o, thanks a lot for your time!

# re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Sunday, October 30, 2005 4:31 PM by scottgu Hi Andreas, Here is a pointer to a blog entry I wrote about how to use SQL as your membership/roles/profile provider: http://weblogs.asp.net/scottgu/archive/2005/08/25/423703.aspx If you already have a database using SQL Express, then you should be able to import and mount it inside a SQL Server using Enterprise Manager and avoid having to manually pull out and insert the data. Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, October 31, 2005 2:43 AM by Andreas Kraus Nice, thanks Scott! Everything worked fine. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, November 01, 2005 1:25 PM by Mike L Hi Scott This looks cool but am I missing something as the way that the event handlers AssignUserToRoles_Activate and AssignUserToRoles_Deactivate are created seems rather odd I am running VS 05 RTM and the only way that I can see to create these is to assign the OnActivate and OnDeactivate property inside the source view of ASPX file and then write the 2 event handlers in the code behind page. Nothing shows up anywhere under the Events view in the properties window so it a pain to add this code and it feels like the ASP coding days. Should this be parts of the Tasks ? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, November 02, 2005 10:21 AM by Frank Peixoto

Great summary! this will help me a lot in my SSO project. do you have any links on implimenting this with an already existing AD userbase? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, November 02, 2005 1:14 PM by scottgu Hi Mike, The wizardtask control I added in the sample is in a templated control -- which makes it hard to get to from the property-grid in design-view. If you don't want to-do event wire hookup declaratively (which is what I did in the sample), you can alternatively do it programmatically by adding a Page_Init() event handler in your codebehind. There you can explictly wire them up without having to ever even open the .aspx file: public void Page_Init(Object sender, EventArgs e) { wsAssignUserToRoles.Activate += new EventHandler(AssignUserToRoles_Activate); wsAssignUserToRoles.Deactivate += new EventHandler(wsAssignUserToRoles_Deactivate); } Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, November 02, 2005 1:16 PM by scottgu Hi Frank, Here is a pointer to someone's blog post that walks through configuring the membership system to use AD instead of a SQL database: http://blogs.msdn.com/gduthie/archive/2005/08/17/452905.aspx Enjoy! - Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, November 02, 2005 2:52 PM by Mike L

Scott Many thanks - that is exactly what I need Mike # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, November 03, 2005 1:48 PM by Joe Thank you for your amazing codes. I'd like to learn C# to better understand your code and more. Could you recommend a beginner's book (Bible) for C# language, especially, I am more interested in web developing in C Sharp. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, November 09, 2005 2:32 AM by cowgaR Maybe I am a little late and I am no Scot Gu nor ASP.NET only coder, but my beloved book in 1.0 times was from Jesse Liberty Programming C#, and it was in 4th edition last time I checked covering C#2.0 already. It was one awesome book, but there are many more favorites out there(Proffesional ASP.NET 2.0 and Bill Evjen, Jeff Prosise was also my fav author on ASP etc) , but if you like to learn language try this book first, it covers ASP.NET to some extent. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, November 15, 2005 6:58 PM by Sense Hi All, Great thread about the magic functions of membership and role but does anybody have a suggestion to make all the process multilingual ? Thanks all # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, May 23, 2006 7:17 AM by Chris This is an awesome example! Do you have a similar example using Visual Basic?

# re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, May 29, 2006 11:53 AM by Eric pretty good # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, May 30, 2006 11:10 AM by ScottGu Hi Chris, Unfortunately I don't have a VB sample yet -- but it is on my list of things todo! Thanks, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, May 30, 2006 3:15 PM by Robert Scott -How does one retrieve information for a given user once on log on, rather than on each page load, and keep that information for the entire session? I was trying to use the LoggedIn event, but was having trouble. Thanks, Robert # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, May 31, 2006 2:26 AM by ScottGu Hi Robert, You could store the information in the session object if you wanted to. You can use the Login control's username property to retrieve it within the LoggedIn event to-do this. In general, though, I'd probably recommend just working directly off of the Profile API -- which will fetch the data on demand as needed. Hope this helps, Scott

# re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, May 31, 2006 12:21 PM by Esra Can u creat all of them on the code behind? without source? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, June 01, 2006 1:25 AM by ScottGu Hi Esra, Rather than use controls you could also use the Membership and Roles APIs directly to create users and map them into roles programmatically. Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, June 02, 2006 10:32 AM by Brad Hy Scott! First, thanks for all you do! I have a small problem with the CreateUserWizard. I have the LoginCreatedUser property set to false. I am creating their password initially for them and sending it to them in email to verify their email. I also need to do some other database work when their account is created. I need the user id(guid) that gets created but I dont see an easy place to retrieve that in the createduser event. Any idea how to get it? Again, thanks!! Brad Coble # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, June 02, 2006 7:35 PM by ScottGu Hi Brad, You should be able to write this code within your CreatedUser event handler: MembershipUser mu = Membership.GetUser(CreateUserWizard1.UserName); Guid puk = (Guid)mu.ProviderUserKey;

Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Saturday, June 03, 2006 4:56 PM by wazzzuup And how can I remove e-mail from user credentials? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, June 05, 2006 2:42 PM by Adnan Hello Scott, I have successfully created a user file by using SQL Memebership provider and added below lines in my web.config file <profile enabled="true" defaultProvider="AspNetSqlMembershipProvider"> <providers> <add name="AspNetSqlMembershipProvider" </providers> <properties> <add name="FirstName" type="string" /> <add name="LastName" type="string" /> </properties> </profile> First Name & Last Name successfully saved in aspnet_profile table. But I am getting error message when I am trying to retireve user profile. Below is my code ProfileCommon prf = new ProfileCommon(); UserFirstName.Text = prf.FirstName.ToString(); serLastName.Text = prf.LastName.ToString(); and error message is The settings property 'FirstName' was not found. The settings property 'LastName' was not found. Could you please let me know what I am missing. Regards # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code

Tuesday, June 06, 2006 7:00 AM by AP I am trying to create a create account screen based on what you have here. The issue I am facing is I am not able to trap dropdown list box events. I have country dropdown list and upon selecting the Country I would like to populate the state but I am not able to trap the event for dropdown listbox. I am using VB.NET BTW. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, June 06, 2006 11:18 AM by ScottGu Hi Adnan, Have you tried doing this: UserFirstName.Text = Profile.FirstName.ToString(); Does that work? Thanks, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, June 06, 2006 11:19 AM by ScottGu Hi AP, I think the problem is that the dropdownlist is within a Wizard template step -- and so you can't use the VB handles event syntax to wire-up an event on it. Instead, you should manually add a "onselectedchange" attribute to the dropdownlist control to point at the event handler in your code-behind. Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, June 06, 2006 11:23 AM by ScottGu Hi Wazzup, You can use the Membership.GetUser() method to return a MembershipUser object for the user you want to lookup. You can then use this to reset or change someone's email address.

Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, June 15, 2006 6:23 AM by woddylee Hi I am new to asp.net 2.0 I have some questions here, I would like to build a website that allows user to create a new account and login to the website, and one more thing I would like to do is allow user to save their own information in my website like Full name, Phone NO, Address and so on, and after user login, they are able to change their information and save it again. And base on this can I use built in asp.net 2.0 database to achieve these functions? or I need to create a new database? And one more thing that I would like to know is if I use asp.net 2.0 profile provider, could I achieve those function oso ? And the built in asp.net 2.0 user database is suit to which kind of website? Thanks! :( # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, June 16, 2006 2:23 PM by L. Pulsifer Hi Scott, How can I add a checkbox rather than a textbox or dropdown list as in your example? I am trying the following: <profile enabled="true"> <properties> <add name="Any" type="CheckBox"/> etc. in web.config and in the .cs // Populate some Profile properties off of the create user wizard p.Any = (CheckBox)CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Any") .NamingContainer; The compile errors say I am missing an assembly reference to the type="Checkbox" so when I tried "Boolean" but the profile's value is System.Web.UI.WebControls.CheckBox. Can you help? Thank you.

# re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Sunday, June 18, 2006 7:10 PM by ScottGu Hi L. Pulsifer, What you'll want to store in the profile is not a checkbox -- but rather a boolean value that maps to the CheckBox's value. Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Sunday, June 18, 2006 11:09 PM by Ashok Padmanabhan Hi Scott Having a bit of trouble with the custom profilecommon class i made per your tip at http://webproject.scottgu.com/VisualBasic/migration2/migration2.aspx. I have the following in the web.config: <properties> <add name="FirstName" allowAnonymous="true" type="string"/> <add name="LastName" allowAnonymous="true" type="string"/> <add name="Location" allowAnonymous="true" type="string"/> </properties> And this should do it but name doesnt appear: Dim pc As New ProfileCommon Response.Write(pc.FirstName) Any ideas what i shold do? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Sunday, June 18, 2006 11:46 PM by Bhavin Patel I am trying to follow your example in VB and I get the below error. I will appreciate if you try to fix this for me. I am not able to save profile for user. System.NullReferenceException was unhandled by user code Message="Object reference not set to an instance of an object." Protected Sub CreateUserWizard1_CreatedUser(ByVal sender As Object, ByVal e As System.EventArgs) Handles CreateUserWizard1.CreatedUser Dim p As ProfileCommon p = ProfileCommon.Create(CreateUserWizard1.UserName, True) 'If p Is Nothing Then

p.SemaID = (CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("txtsemaid "), TextBox)).Text p.Save() ' Else Response.Write("Error") ' End If End Sub # ASP.NET 2.0 Membership, Roles, Forms Authentication, and Security Resources Tuesday, June 20, 2006 3:40 AM by ScottGu's Blog I usually try and spend at least an hour or two each night hanging out on the ASP.NET Forums answering... # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, June 21, 2006 6:05 AM by martin harvey the article was really useful but is it possible to use the same idea without the wizard using something like this Public Sub CreateUser_Click(ByVal sender As Object, ByVal e As EventArgs) Handles CreateUser.Click

Membership.CreateUser(UserName.Text, Password.Text, Email.Text) Dim p as Profile.Common=???????? p.Country = country.text p.Gender = gender.text p.Age = age.text End Sub if so what would the missing code be? many thanks martin # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, June 22, 2006 1:26 AM by ScottGu Hi Martin,

Yep -- you can absolutely use the concepts without requiring the CreateUserWizard control. The missing line of code you are looking for looks like this: Profile = Profile.Create(userName.Text) Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, June 22, 2006 1:27 AM by ScottGu Hi Ashok, Can you send me email (scottgu@microsoft.com)? I can then point you at a utility that allows you to use strongly-typed profile properties with the VS 2005 Web Application Project. Hope this helps, Scott # ASP.NET 2.0 Membership, Roles, Forms Authentication, and Security Resources Wednesday, July 05, 2006 3:52 AM by monkeyliu19801029 ASP.NET ..... ScottGu Blog

ASP.NET

# Tip/Trick: Gathering Custom User Registration Information Thursday, July 06, 2006 1:42 AM by ScottGu's Blog Problem You are building a web-site that allows customers to register new users on the site. As part # .NET Knowhow &raquo; Blog Archive &raquo; Tuesday, July 18, 2006 4:56 AM by .NET Knowhow Blog Archive PingBack from http://knowhow.styleblogs.de/2006/07/18/3/ # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code

Tuesday, July 25, 2006 9:01 AM by Andy Hi Scott, In my recent ASP.NET 2.0 appl, I need to verify that the supplied email address is valid or not. So, here's my situation: - In my area, I created property. - Suppose a new user has been created. I set the profile.isverified to false. OnCreatedUser event I'll send him an email (to the supplied email address) to verify their email address with a link in it to an ASPX page that'll do the verification, e.g: verify.aspx?u=aUserName - On page_load of verify.aspx, I want to change the property to true and set the to true, so he can start log in. How to do this? I'm using ASP.NET 2.0 (VB.NET) and MSSQL 2K for membership database. Thanks in advance, Andy # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, July 26, 2006 1:37 AM by ScottGu Hi Andy, When you create the new user using the Membership API, you can actually mark the account as not approved directly via the Membership API. What this means is that you don't need to use the Profile API for this. You'd then send them a dynamic random URL to click to activate the account. You could to this using the System.Net.Mail namespace -- which you can learn more about here: http://weblogs.asp.net/scottgu/archive/2006/01/03/434453.aspx One the page that they link back to from, you'd then write code like this to activate the account Dim userdetails as MembershipUser userdetails = Membership.GetUser(username) userdetails.IsAppoved = true Membership.UpdateUser(userdetails) Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, July 28, 2006 10:18 AM by Firoz Hi Scott, How would one go about adding a 2nd password into the login? I would imagine that I'd have to write a custom membership class, and my own login control. But what would initiate the authentication process? Regards Firoz

# re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, July 28, 2006 9:38 PM by ScottGu Hi Firoz, There are a couple of ways you could do this. One would be to take the built-in ASP.NET Membership Provider and customize/extend it to support another column for a second password, and then just have the ValidateUser method check both passwords. If you use this approach then you don't need to re-implement any Login controls -- since they'll just call into your provider method (whose signature would stay the same). This website has tons of information on how to build providers, and also includes the sourcecode to the built-in ASP.NET ones: http://msdn.microsoft.com/asp.net/downloads/providers/ Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, July 31, 2006 2:12 AM by SixSide Great article! Exactly what I was looking for. One question if you don't mind Scott... can you explain a little bit about what happens to the database once you add the custom profile properties to the web.config file? Does it actually create new columns in the database to store this data? If so, at what point does it commit the db changes? If not, where do these new profiles properties get stored? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, July 31, 2006 3:59 AM by Firoz Hi Scott, Thanks for the above info. I discovered the "convert to template" option in the login control, and added my extra password field. I didn't know you could do this, hence I thought that I would have to write a new login control, etc. Thanks very much again Firoz

# re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, July 31, 2006 9:40 PM by ScottGu Hi SixSide, The default Profile provider uses an XML blob structure to store the data in a database. This avoids you having to explictly create columns in a table. If you want to map directly against columns in a table (or against a set of SPROCs), you can alternatively use the Profile Table Provider here: http://weblogs.asp.net/scottgu/archive/2006/01/10/435038.aspx Hope this helps, Scott # ASP.NET 2.0 Tips, Tricks, Recipes and Gotchas Tuesday, August 01, 2006 11:55 AM by ScottGu's Blog This page lists some of the more popular &amp;ldquo;ASP.NET 2.0 Tips, Tricks, Recipes and Gotchas&amp;rdquo; # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, August 01, 2006 1:25 PM by Alvaro Ramirez Scott, Great job!!! This article helped me a lot in my current project. However now I am facing a two new challenges: 1. In addition to First and Last names, I need to add another field (Company_ID) as a property of the new user. Checking the database structure I found that it uses GUID fields instead of numeric ones (such as long integers), so I created the Company table using that type of field for primary key (Company_ID). Now I am trying to link that field to the Company dropdown box and it does not work. 2. Is it possible to change the structure of the database to use numeric values for primary keys? Or do you recommend to change the primary keys in my tables to use GUID type instead? I do not want to mix both types but it is easier for me to work with auto-generated numeric values. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, August 02, 2006 2:04 AM by ScottGu Hi Alvaro,

If you want to store this information in custom database tables yourself, you might find this article particularly useful: http://aspnet.4guysfromrolla.com/articles/070506-1.aspx Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, August 03, 2006 3:57 AM by Maroko hi ScottGu Can i ask is there a way to insert to the membership.mdf ? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, August 03, 2006 4:45 AM by Maroko Mr scottGu if i want to use sql statement for listing the same country can it be able to be done ? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, August 03, 2006 9:09 PM by IronYuppie Ok, different question... can you programatically log someone in without using the login control? It's for an admin page, and I want to see what that user sees... # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, August 04, 2006 2:14 AM by ScottGu Hi Iron, Yep -- you can definitely log people in manually. This page has a bunch of links on security that you might find useful: http://weblogs.asp.net/scottgu/archive/2006/02/24/ASP.NET-2.0Membership_2C00_-Roles_2C00_-Forms-Authentication_2C00_-and-Security-Resources-.aspx This link then talks about how to programmatically login: http://msdn.microsoft.com/library/enus/dnpag2/html/paght000014.asp Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code

Thursday, August 10, 2006 10:21 AM by 11herbsandspices Great stuff Scott, any update on VB samples? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, August 10, 2006 11:58 AM by PLynch Based on your code above (gathering info from a DropDownList), I am having trouble inserting into the Profile table using a ListBox control with multiple items selected. Any code-snippets or insight is appreciated. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, August 11, 2006 2:30 AM by ScottGu Hi 11HerbsAndSpirces, This more recent blog post (and the article I link to) should help with the VB version: http://weblogs.asp.net/scottgu/archive/2006/07/05/Tip_2F00_Trick_3A00_-Gathering-CustomUser-Registration-Information.aspx Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Sunday, August 13, 2006 3:24 AM by Aaron I'm having a problem with: Dim p as ProfileCommon It is giving me an error of "Type ProfileCommon is not defined." I've added all the web.config Profile properties and such. It won't go away. Can you help me? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, August 14, 2006 12:27 PM by ScottGu Hi Aaron, Where are you declaring this code? Is it within your page? Thanks,

Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, August 25, 2006 2:02 PM by Ray Linder Hey Scott, I'm currently developing a system simular to partners.microsoft.com and Passport. The web app is for companies to communicate on latest info and updates. I'm building the registration currently and need to know if I could use Profiles or if this requires a more "direct" approach to the database. I want to store the "employee" along with the "company" without multiple copies of the "company". I know it may be confusing, but I must use this setup for a successful system. Thank you for the advice... # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, August 25, 2006 8:08 PM by ScottGu Hi Ray, I believe you could use Profiles to-do this. Alternatively, you could also store this registration data directly within a database. This article has information on how you could do this and links to some other great articles you might want to check out: http://weblogs.asp.net/scottgu/archive/2006/07/05/Tip_2F00_Trick_3A00_-Gathering-CustomUser-Registration-Information.aspx Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, August 30, 2006 5:27 PM by JCFromFrance Hi Scott, Great job as usual. I have a question regarding the userid Guid. Couldn't find any correct answer anywhere, so you are my last chance ! I will have thousands of records in my database, and the userid will be in many tables and stored procedures. Regarding performance, can I keep this uniqueidentifier for all my stuff, or should I use an IDENTITY (and in that case associate the userid guid in a table to make the link between both). So Guid vs Int : what's your recommandation regarding performance? Thanks for your help. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, August 31, 2006 1:56 AM by ScottGu

Hi JCFromFrance, That is a good question, and to be honest with you I haven't ever profiled SQL to see if there is any substantial difference between using a GUID and an INT for a column key. I suspect a INT would be faster -- but don't really know how much for sure. Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Saturday, September 09, 2006 6:03 PM by Abbas Sabet hi scott, your article is a very good , i'm developer asp.net(C#) 2.0 and i have a company i want help for find new way , get monye and new way for build our projects. i give many project from larg company but can't write Een one line code ... i know C# , asp.net. plz help me # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Saturday, September 09, 2006 11:31 PM by Hayden Kirk One of the best articles i've read on the login controls yet. I am really stuck though. If i'm using a sql server and I want to add extra fields for the user, how do I make these update on the sql server? Is it done using the same way or not? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, September 12, 2006 10:49 AM by ScottGu Hi Hayden, In general for adding additional fields that are user specific, I'd recommend using the "Profile" feature above. It is designed to allow you to store extra columns of information about your users. This article helps explain how you can map the Profile provider to a regular SQL table if you want to map these properties to an underlying SQL table or set of SPROCs: http://weblogs.asp.net/scottgu/archive/2006/01/10/435038.aspx Hope this helps, Scott

# re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, September 13, 2006 4:38 AM by Aidan Hi Scott Great article. I have implemented something similar, based on the above, however I am stumped at the moment!! I want to redirect users after they login to the page appropriate to their role. So I set the destinationpage to a "redirect" page that contains logic in the page_Load to redirect the user something like for User.IsInRole("CLIENT")) Response.Redirect("candidate\default.aspx"); I can't get it to work , any thoughts. i believe that my access rules and web.confg are correct but i can't figure out how to redirect users after login based on role. Any thoughts ? Again great articles , a credit to asp.net. Aidan # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, September 13, 2006 5:18 AM by Aidan re my last post ..I think I have it working , its seems to do as i wanted . I'd appreciate any feed back any of you have... I created a page Rediret.aspx at root. i set this as the Destination_Page of the login control. I have two roles set up RoleX and RoleY these are configured with the appropriate deny /allow in web.config as below.. code behind (redirect.aspx.cs).. protected void Page_Load(object sender, EventArgs e) { //SetAuthCookie(strUserName,true); if (User.IsInRole("RoleX")) Response.Redirect("RoleX_Folder/Default.aspx"); else if (User.IsInRole("RoleY")) Response.Redirect("RoleY_Folder/Default.aspx"); } web.config.. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, September 15, 2006 8:50 PM by Andre Beier "We'll also be shipping another profile provider on the web that will allow you to bind the profile against an already defined database table as well. That way you'll also be able to integrate with existing data and perform even richer queries/updates on them." Has this been done yet and if so where can I get it? Thanks, Andre # Updating profile Sunday, September 17, 2006 12:19 PM by Carlos Mouta Hi, I have a doubt, i've implemented this but what if i want people to update their profile? Thanks in advance and excellent work here. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, September 18, 2006 12:15 PM by Max Hi Scott, great article - you have a great way of explaining things clearly! Just a quick question though, I am having a problem with a dropdownlist added to the CreateUserStep - I can

reference it in my codebehind file, but for some reason, it always returns the first value in the list as the selectedItem, not the actual selected item. Any ideas? Thanks in advance! # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, September 18, 2006 11:54 PM by ScottGu Hi Andre, Yep -- the SQL Profile Table Provider shipped back in January. You can learn more and download it here: http://weblogs.asp.net/scottgu/archive/2006/01/10/435038.aspx Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, September 18, 2006 11:55 PM by ScottGu Hi Max, That is odd -- do you have viewstate turned off for the page? I'm wondering if that is causing the value not to be persisted across the multiple steps. thanks, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, September 19, 2006 12:10 AM by ScottGu Hi Carlos, You could build a Profile page that allows users to customize their profile later. This tutorial shows one example of how to-do this: http://weblogs.asp.net/scottgu/archive/2006/07/22/Recipe_3A00_-Dynamic-Site-Layout-andStyle-Personalization-with-ASP.NET--.aspx Hope this helps, Scott

# re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, September 19, 2006 4:27 AM by Max Scott - i've checked viewstate and it's on for the control - the page the control is in inherits from a master page - but the viewstate is on for that as well. Any ideas? The control works perfectly for textboxes etc but not for the dropdownlist. Any ideas? I'm stumped! Cheers, Max # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, September 19, 2006 4:38 AM by zeeshan hi i have everything working, i can create user and do all other sutff relating to that user using asp.net roles and membership and login controls. Now i want to collect some other information from user i.e. personal details. i have added a custom step after create user. But the problem is when user go throug the first step and click user button, the user is created in the database. and user can skip the second step, which is compulsory in my case. what i want is if user skip the second step by closing browser window or going to other page of site, the user which is created in first step gets deleted.is it possible? How can customize the "Create User" onclick event so that it just works as continue button and after second step when user clicks finish button, user is created. thanks in advance regards # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, September 19, 2006 5:01 AM by Max Hi Scott, Just thought i'd drop you a line to say i've fixed my problem - schoolboy error i'm afraid - i was programmatically loading the dropdownlist and forgot to put an if (!Page.IsPostBack) on the page_load! Argh! Ah well, it works now - cheers anyway :P Max # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, September 19, 2006 8:38 AM by zeeshan hi i have everything working, i can create user and do all other sutff relating to that user using asp.net roles and membership and login controls. Now i want to collect some other information from user i.e. personal details. i have added a custom step after create user. But the problem is when user go throug the first step and click user button, the user is created in the database. and user can skip the second step, which is compulsory in my case. what i want is if user skip the second step by closing browser window or going to other page of site, the user which is created in first step gets deleted.is it possible? How can customize the "Create User" onclick event so that it just works as continue button and after second step when user clicks finish button, user is created. thanks in advance regards # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code

Tuesday, September 19, 2006 11:57 PM by ScottGu Hi Zeeshan, There is a "OnCreatingUser" event that you can handle with the <asp:createuserwizard> control. You could use this to validate that the user has entered valid profile data, and if not you could then cancel the user from being created. Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, September 20, 2006 12:03 AM by ScottGu Hi Max, Can you send me an email with a code example I could look at? Thx! Scott # asp:login in contentPlaceHolder Friday, September 22, 2006 2:54 AM by Simon Scott, Excellent article as per usual. I have an asp:login control that works perfectly (using SqlMembershipProvidor) in a normal aspx page. If I put the control in a contentplaceholder (in a content page) the "Log In" will not fire anything. I.e. clicking on the button, you see the button image alter but nothing happens. Can you point me in the right direction. Thanks and regards Simon # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Sunday, September 24, 2006 12:20 PM by ScottGu Hi Simon, That seems pretty odd. Can you double check to make sure there is a form element in the master page and there aren't any html errors? What you are describing sounds a little like it might be that. Do other form elements (normal textboxs and buttons) work on the page?

thanks, Scott # re: asp:login in contentPlaceHolder Sunday, September 24, 2006 9:25 PM by Simon Hi Scott, Thanks for your response. There is definitly a form (runat: server) in the master page and no HTML errors. Within the same contentPlaceHolder I have an asp:LoginStatus that postsback correctly. But if I add an asp:Button simply with a Response.Write in the onclick handler this doesn't work!!!! Any further thoughts? Regards Simon # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, September 25, 2006 8:28 PM by Death Why can't I use Profile in WebApplicationProject? Error is that not found profile,but can use in the common VS2005 web Site. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, September 25, 2006 10:33 PM by ScottGu Hi Death, You can use the Profile in a VS 2005 Web Application Project. However the Profile proxy class isn't automatically generated for you. Instead you should download and use this add-in to generate it: http://www.gotdotnet.com/workspaces/workspace.aspx?id=406eefba-2dd9-4d80a48c-b4f135df4127 Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, September 25, 2006 11:34 PM by ScottGu Hi Simon, That is pretty weird. If you want to send me a simple .zip file that repros the problem I can take a look for you. Thanks,

Scott # re: asp:login in contentPlaceHolder Wednesday, September 27, 2006 7:47 PM by simon Hi Scott, You can ignore the issue about the asp:login not firing as it has fixed itself. I was working on some non-security stuff, deployed it to the test server and then noticed that the login was working correctly. I tested it again and it works???? I'm happy. Thanks for your time. Simon # InvalidCastException Friday, September 29, 2006 6:14 AM by Richard When I run this code: ProfileCommon newProfile = (ProfileCommon)ProfileCommon.Create(NewUserName,true); I get an InvalidCastException. Unable to cast System.Web.Profile.DefaultProfile to type ProfileCommon. I've integrated the aspnet_Profile table into our SQL Server 2005 DB and made the necessary changes in the web.config. What I'm I doing wrong? Thanks Richard # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Saturday, September 30, 2006 2:05 PM by ScottGu Hi Richard, Are you using a Web Site Project or a Web Application Project? Thanks, Scott # peterkellner.net &raquo; Adding Personalization via Profiles to the ObjectDataSource in ASP.NET 2.0 Saturday, October 21, 2006 10:30 PM by peterkellner.net Adding Personalization via Profiles to the ObjectDataSource in ASP.NET 2.0 PingBack from http://peterkellner.net/2006/03/13/adding-personalization-via-profiles-to-theobjectdatasource-in-aspnet-20/ # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Sunday, October 22, 2006 11:54 PM by Ajith Cyriac Hi Scott Great article, We are creating an ASP.NET 2.0 application with Oracle database.

We are planning to recreate the membership, roles and profiles (aspnetdb) tables, views and SP's in Oracle Before that I would like to know is there any other way other than recreating everything manually. I mean some tools or db script ready to download? # re: using the same project but changing the regular expression Tuesday, October 24, 2006 5:22 PM by somil Hello, I have been trying to use the application in my project but i want to make changes in the regular expression in the password field. Can u tell me how to do this???? I am not able to access the password regular expression property for the same and suggest methods for varios regular expression such as for string and integers. Thanks SOMIL CHANDWANI # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, October 25, 2006 3:19 PM by Marty If I have my own existing library object that can create members etc.., is it possible to create custom profile provider which wrap around my existing library object? or does the profile provider need to always talk to some kind of databsse directly? I cannot seem to find any example like this. Thanks for any suggestion how to do so. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, October 26, 2006 1:14 AM by ScottGu Hi Marty, You can definitly create your own "Provider" for the Profile API to call into your existing library object. This blog post will help show an example of how to-do this: http://weblogs.asp.net/scottgu/archive/2006/10/13/Tip_2F00_Trick_3A00_Source_2F00_Documentation-for-Simple-ASP.NET-2.0-SQL-Providers-Published.aspx Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Sunday, October 29, 2006 5:00 AM by San Jun

hi, i want to create a login for my shopping cart assignment. my question is why is it that i cannot add additional step(collecting other user info such as address,mobile no) in the create wizard template AFTER the default createwizard step(username,password). I have created my own table,fields to store all the additional user info. Everything is working fine if i add steps BEFORE the default createwizard steps but not after. Any ways for me to overcome this problem? If i were to use Profile API, will it be difficult if i need to perform some cross table queries on my user data or even doing some simple edit/update function? Profile API seems rather complicated to use somehow. I am confused on which method to use. Pls Advise. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Sunday, October 29, 2006 10:44 AM by ScottGu Hi San Jun, This article will probably help with what you are after: http://aspnet.4guysfromrolla.com/articles/070506-1.aspx Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Sunday, October 29, 2006 1:03 PM by San Jun thanks for the article and that is exactly what i did for my project. my question is how can i make the default createwizard step as the first step and not the last step(like what the article did). it will not work when i just swop the steps order around. my objective is to collect username and password first before asking them for other information. thanks again for any futher assistance. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, November 06, 2006 11:30 PM by Ami Schreiber Scott, I am having the same problem as San Jun. I actually got an email back from Erich Peterson (the guy who wrote the article you advised San Jun to check out) from 4guysfromRolla.com and he said that he has had many people ask about this issue before. Basically it can't be done using the CreateUserWizard out of the box. What you could do is use just the Wizard control (which CreateUserWizard actually inherits from) and then use the Membership class to create the user programatically after collecting all of the infor. You would basically use the Membership.CreateUser method (docs found here: http://msdn2.microsoft.com/enus/library/system.web.security.membership.createuser(VS.80).aspx). It's kind of annoying b/c the CreateUserWizard does provide all of that nice functionality and by coding everything

yourself it's sort of like reinventing the wheel just to be able to choose when the user actually gets created in the order of operations with the user steps. I suppose you could also create a custom control that inherits from the CreateUserWizard control and just add the functionality to specify which step triggers the UserCreated event. Either way it's a real bummer. Microsoft is making GREAT strides with .NET but I really do think that this was a major oversite that they rushed to get the control out the door. I mean who wouldn't want to customize "after which step" the user actually gets created? I hope the next version of the framework comes with an updated version of this control that allows the user to specify which step in the whole "Create User" process should be the final step and that the data entered from each of the other steps would get persisted and then all entered into the system upon the UserCreated event. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, November 06, 2006 11:41 PM by Ami Schreiber Scott, I tried out your example at the very top of the page. ProfileCommon p = (ProfileCommon) ProfileCommon.Create(CreateUserWizard1.UserName, true); My user gets created. The profile information that I create gets stored -but it's not the correct information. I am only trying to store 1 value. The profile item name is called ContactID (type integer). I get the ContactID as a return value from a stored procedure that I execute in the CreateUserWizard1_CreatedUser event. Even as I step through the debugger I see the value that it SHOULD and APPEARS to be storing in p.ContactID (at the time the ContactID was 31) -yet when I check the Profile table in my SQL database it shows ContactID:S:0:1: for the PropertyName field and 0 for the PropertyValuesString field -instead of 31! Do you have any insight as to what's going on? Thanks in advance. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, November 06, 2006 11:53 PM by Ami Schreiber UPDATE: WOO HOO!!! I fixed it AND I'm an idiot! When retrieving the RETURN_VALUE from my stored procedure I was storing it in a local variable that I declared as an "int" as opposed to an Int32 like I should have b/c that was the type I declared ContactID to be in my Profile!!! :) # Picture in profile. Thursday, November 09, 2006 2:40 PM by Petr Hi, excellent article! Can I save a bitmap in profile? I couldn't assign it. After Profile.Save() there was alwas null in System.Drawing.Bitmap property. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, November 10, 2006 2:30 PM by Mark griffo

Scott is there a way to create a page that will let me delete or modify users, create roles or delete roles? thanks Mark # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Saturday, November 11, 2006 12:29 PM by ScottGu Hi Mark, Here are two articles you might want to check out to learn how to create pages to manage roles: http://weblogs.asp.net/scottgu/archive/2006/07/23/Recipe_3A00_-Implementing-Role-BasedSecurity-with-ASP.NET-using-Windows-Authentication-and-SQL-Server.aspx and http://weblogs.asp.net/scottgu/archive/2006/07/18/Remote-Membership_2F00_RolesManagement-of-ASP.NET-2.0-Applications.aspx Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Saturday, November 11, 2006 12:41 PM by ScottGu Hi Petr, Good question -- I'm not actually sure. Any object saved in the profile needs to be serializable it could be that BitMap picture objects aren't. Thanks, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, November 14, 2006 12:09 PM by John B Scott, I want to be able to activate/deactivate user names in my application. We have a situation where we want to give protected access to documents to outside users, but there will be situations where that user no longer is allowed to look at said docs. What would you say is the best way to implement an "IsActive" type of column, or is there one already? I have scoured the

tables that install with the regsql script that ships with 2.0 and i don't see anything like that, that I can see. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, November 14, 2006 1:50 PM by ScottGu Hi John, There is an "IsApproved" property on the MembershipUser class that you can set to lock/unlock users from a system. You can retrieve this object like so: MembershipUser user = Membership.GetUser("scottgu"); user.IsApproved = false; Membership.UpdateUser(user); Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, November 14, 2006 10:47 PM by Salil Hi Scott, This is regarding using Membership API to login a user. I have following code but it redirects page to Default.aspx and iwant membership API to redirect it to the page I choose. How could I change following code if ( Membership.ValidateUser( TextBox1.Text, TextBox2.Text ) ) FormsAuthentication.RedirectFromLoginPage( TextBox1.Text, false ); All the examples I have seen so far has a Login.aspx and a Default.aspx Thanks in advance

# re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, November 15, 2006 11:19 AM by John Hi Using SQLDataSource I've been successful in creating multiple additional CreateUser fields saving them to "tbl_UserDetails" table. I pass the UserId to the tbl_UserDetails as well. What I'm struggling with is retreiving the new tbl_UserDetails "Details_Id" - I want to integrate it into the Profile data. I'm not sure if the problem retreiving the Details_Id is in the SQLDSInsert_Inserted code used or if I'm not addressing the retreival in the "correct" stage of "the process". See below. Thanks Imports Telerik.WebControls Imports SITE.DAL.DBAccess Imports System.Data Imports System.Data.SqlClient Partial Class Site_Pages_Registration Inherits System.Web.UI.Page Protected WithEvents Update_Date As WebControls.HiddenField Protected Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load If Session("Record") IsNot Nothing Then CreateUserWizard1.MoveTo(CompleteWizardStep1) End If End Sub Protected Sub CreateUserWizard1_CreatedUser(ByVal sender As Object, ByVal e As System.EventArgs) Handles CreateUserWizard1.CreatedUser Dim user As MembershipUser = Membership.GetUser(CreateUserWizard1.UserName)

If user Is Nothing Then Throw New ApplicationException("Can't find the user.") End If Dim DetailsInsert As SqlDataSource = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("SQLDSIns ert"), SqlDataSource) Dim UserId As Guid = DirectCast(user.ProviderUserKey, Guid) Session("NewUserId") = UserId Dim Details_FirstName As TextBox = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Fi rstName"), TextBox) Dim Details_LastName As TextBox = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_La stName"), TextBox) Dim Details_MI As TextBox = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_M I"), TextBox) Dim Details_Title As TextBox = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Ti tle"), TextBox) Dim Details_Company As TextBox = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_C ompany"), TextBox) Dim Details_1Comm As Telerik.WebControls.RadMaskedTextBox = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_1 Comm"), Telerik.WebControls.RadMaskedTextBox) Dim Details_1CommType As Telerik.WebControls.RadComboBox = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_1 CommType"), Telerik.WebControls.RadComboBox) Dim Details_2Comm As Telerik.WebControls.RadMaskedTextBox = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_2 Comm"), Telerik.WebControls.RadMaskedTextBox)

Dim Details_2CommType As Telerik.WebControls.RadComboBox = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_2 CommType"), Telerik.WebControls.RadComboBox) Dim Details_Address As TextBox = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_A ddress"), TextBox) Dim Details_City As TextBox = CType(CreateUserWizardStep0.ContentTemplateContainer.FindControl("Details_City"), TextBox) Dim Details_State As Telerik.WebControls.RadComboBox = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_St ate"), Telerik.WebControls.RadComboBox) Dim Details_Zip As Telerik.WebControls.RadMaskedTextBox = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Zi p"), Telerik.WebControls.RadMaskedTextBox) Dim Details_UserTypeId As Telerik.WebControls.RadComboBox = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Us erTypeId"), Telerik.WebControls.RadComboBox) Dim Details_ReceiveEmail As CheckBox = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Re ceiveEmail"), CheckBox) DetailsInsert.Insert() Dim UserType As Telerik.WebControls.RadComboBox = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Us erTypeId"), Telerik.WebControls.RadComboBox) Session("UserType") = UserType.SelectedValue.ToString End Sub Protected Sub SQLDSInsert_Inserting(ByVal sender As Object, ByVal e As System.Web.UI.WebControls.SqlDataSourceCommandEventArgs) Dim user As MembershipUser = Membership.GetUser(CreateUserWizard1.UserName) e.Command.Parameters("@UserId").Value = user.ProviderUserKey

e.Command.Parameters("@Details_FirstName").Value = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Fi rstName"), TextBox).Text e.Command.Parameters("@Details_LastName").Value = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_La stName"), TextBox).Text e.Command.Parameters("@Details_MI").Value = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_M I"), TextBox).Text e.Command.Parameters("@Details_Company").Value = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_C ompany"), TextBox).Text e.Command.Parameters("@Details_Title").Value = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Ti tle"), TextBox).Text e.Command.Parameters("@Details_1Comm").Value = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_1 Comm"), Telerik.WebControls.RadMaskedTextBox).Text e.Command.Parameters("@Details_1CommType").Value = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_1 CommType"), Telerik.WebControls.RadComboBox).SelectedValue e.Command.Parameters("@Details_2Comm").Value = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_2 Comm"), Telerik.WebControls.RadMaskedTextBox).Text e.Command.Parameters("@Details_2CommType").Value = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_2 CommType"), Telerik.WebControls.RadComboBox).SelectedValue e.Command.Parameters("@Details_Address").Value = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_A ddress"), TextBox).Text e.Command.Parameters("@Details_City").Value = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Ci ty"), TextBox).Text

e.Command.Parameters("@Details_State").Value = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_St ate"), Telerik.WebControls.RadComboBox).SelectedValue e.Command.Parameters("@Details_Zip").Value = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Zi p"), Telerik.WebControls.RadMaskedTextBox).Text e.Command.Parameters("@Details_UserTypeId").Value = Int32.Parse(CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl( "Details_UserTypeId"), Telerik.WebControls.RadComboBox).SelectedValue) e.Command.Parameters("@Details_ReceiveEmail").Value = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Re ceiveEmail"), CheckBox).Checked End Sub Protected Sub CompleteButton_Click(ByVal sender As Object, ByVal e As System.EventArgs) Dim user As MembershipUser = Membership.GetUser(CreateUserWizard1.UserName) Dim pb As ProfileBase = ProfileBase.Create(user.UserName) pb.SetPropertyValue("FirstName", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Fi rstName"), TextBox).Text) pb.SetPropertyValue("LastName", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_La stName"), TextBox).Text) pb.SetPropertyValue("UserName", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("UserName "), TextBox).Text) pb.SetPropertyValue("Record", Session("Record")) pb.SetPropertyValue("Company", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_C ompany"), TextBox).Text) pb.SetPropertyValue("Title", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Ti tle"), TextBox).Text)

pb.SetPropertyValue("Comm1", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_1 Comm"), Telerik.WebControls.RadMaskedTextBox).Text) pb.SetPropertyValue("Comm1Type", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_1 CommType"), Telerik.WebControls.RadComboBox).SelectedValue) pb.SetPropertyValue("Comm2", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_2 Comm"), Telerik.WebControls.RadMaskedTextBox).Text) pb.SetPropertyValue("Comm2Type", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_2 CommType"), Telerik.WebControls.RadComboBox).SelectedValue) pb.SetPropertyValue("Address", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_A ddress"), TextBox).Text) pb.SetPropertyValue("City", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Ci ty"), TextBox).Text) pb.SetPropertyValue("State", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_St ate"), Telerik.WebControls.RadComboBox).SelectedValue) pb.SetPropertyValue("Zip", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Zi p"), Telerik.WebControls.RadMaskedTextBox).Text) pb.Save() Dim lblRegisterCompleteName As Label = CreateUserWizard1.CompleteStep.FindControl("lblRegisterCompleteName"), Label lblRegisterCompleteName.Text = Profile.FirstName & " " & Profile.LastName Dim Muser As MembershipUser = Membership.GetUser(CreateUserWizard1.UserName) If Muser Is Nothing Then Throw New ApplicationException("Can't find the user.") End If

Muser.IsApproved = False End Sub Protected Sub btnTeamProfile_Click(ByVal sender As Object, ByVal e As System.EventArgs) Dim user As MembershipUser = Membership.GetUser(CreateUserWizard1.UserName) Dim pb As ProfileBase = ProfileBase.Create(user.UserName) pb.SetPropertyValue("FirstName", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Fi rstName"), TextBox).Text) pb.SetPropertyValue("LastName", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_La stName"), TextBox).Text) pb.SetPropertyValue("UserName", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("UserName "), TextBox).Text) pb.SetPropertyValue("Record", Session("Record")) pb.SetPropertyValue("Company", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_C ompany"), TextBox).Text) pb.SetPropertyValue("Title", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Ti tle"), TextBox).Text) pb.SetPropertyValue("Comm1", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_1 Comm"), Telerik.WebControls.RadMaskedTextBox).Text) pb.SetPropertyValue("Comm1Type", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_1 CommType"), Telerik.WebControls.RadComboBox).SelectedValue) pb.SetPropertyValue("Comm2", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_2 Comm"), Telerik.WebControls.RadMaskedTextBox).Text)

pb.SetPropertyValue("Comm2Type", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_2 CommType"), Telerik.WebControls.RadComboBox).SelectedValue) pb.SetPropertyValue("Address", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_A ddress"), TextBox).Text) pb.SetPropertyValue("City", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Ci ty"), TextBox).Text) pb.SetPropertyValue("State", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_St ate"), Telerik.WebControls.RadComboBox).SelectedValue) pb.SetPropertyValue("Zip", CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("Details_Zi p"), Telerik.WebControls.RadMaskedTextBox).Text) pb.Save() Response.Redirect("Profile.aspx") End Sub Protected Sub CompleteWizardStep1_PreRender(ByVal sender As Object, ByVal e As System.EventArgs) Handles CompleteWizardStep1.PreRender Dim btnTeamProfile As Button = CType(CompleteWizardStep1.ContentTemplateContainer.FindControl("btnTeamProfile"), Button) If Session("UserType") = "2" Then btnTeamProfile.Visible = True Else btnTeamProfile.Visible = False End If End Sub

Protected Sub SQLDSInsert_Inserted(ByVal sender As Object, ByVal e As System.Web.UI.WebControls.SqlDataSourceCommandEventArgs) Dim DetailsInsert As SqlDataSource = CType(CreateUserWizard1.CreateUserStep.ContentTemplateContainer.FindControl("SQLDSIns ert"), SqlDataSource) Dim Record As Integer = DetailsInsert.InsertParameters.Add("@Details_Id", System.Data.ParameterDirection.ReturnValue) 'Dim Record As Integer = e.Command.ExecuteScalar Session("Record") = Record.ToString Response.Redirect("Registration.aspx") End Sub End Class # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Sunday, November 19, 2006 4:19 PM by ScottGu Hi Salil, There is an attribute you can set within the <forms> section of your <authentication> section within the web.config file of your application. This allows you to configure the default redirect page of the application. Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, November 22, 2006 12:57 AM by shobha Hi Scott, I have a table users in my sql server 2005 database creamworks how can i link this table to asp.net profile.

Thanks # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, November 22, 2006 1:19 AM by ratish the project is good but i would like to know how could i connect to oracle as a backend .as it is showing me that unicode not supported. can u plz help me. i have also created the membership provider. wting 4 ur rply. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, November 27, 2006 9:08 PM by Paul Scott - great info. Helped me design the complete authentication process for a new web app i'm designing. Would you have any suggestion on how to automate creating an admin level user during the install process? I looked through web_deploy etc... and could not come up with a solution. Currently I'm sending the client a backup for our authentication database with some example users setup (we're in Beta version only). I want to clean this up if possible for release and provide sql scripts to create the db. Thanks for any input you may have. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, November 29, 2006 3:47 PM by ScottGu Hi Paul, One suggestion would be to handle it within your Global.asax file's Application_Start event. I demonstrate a similar technique for doing this with roles in my blog post here: http://weblogs.asp.net/scottgu/pages/Recipe_3A00_-Implementing-Role_2D00_Based-Securitywith-ASP.NET-2.0-using-Windows-Authentication-and-SQL-Server.aspx Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code

Thursday, November 30, 2006 8:02 PM by Paul Thanks Scott: This appears to be exactly what I was looking for. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, December 01, 2006 2:40 PM by Paul Hey Scott: Did a modification of your Global.asax idea noted above. Rather than create the roles (and users) in the Global.asax file, I simply called a function createSec() from global.asax's Application_Start event, and did the additions there (in a *.vb file). This way, the stuff is compiled in the application and not visually available. Seems to work. Thanks again for getting me pointed in the right direct. Cheers! # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Sunday, December 03, 2006 3:54 PM by Madu Alikor Ok this profiling provider object is all so useful but if it was made for making profiles why is there no inbuilt capability to search it? Without going through every profile in the system and creating a collection? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, December 06, 2006 6:23 PM by Gust Hi Scott, I was hoping you could point me in the right direction. I have users stored in SQL who can belong to GROUPS and CATALOGS (i.e. userA belongs to grp1,grp2 and catX,catY,catZ). I need to filter the SiteMap navigation menus based on both these criteria. I am not sure how to do this since I am able to only filter the sitemap based on a single set of defined ROLES. I found some code to implement a sql oriented custom site map provider http://msdn.microsoft.com/msdnmag/issues/06/02/WickedCode/default.aspx and have gone over creating custom IDENTITY and custom PRINCIPAL's but am not too sure how I can merge all these concepts to arrive at a solution. Any help would be greatly appreciated.. Thanks in advance, Gust..

# re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, December 07, 2006 9:49 AM by Gust Hi Scott, I was hoping you could point me in the right direction. I am trying to set up navigation (sitemap) for users that belong to a set of GROUPS and a set of CATALOGS (i.e. userA is in grp1,grp2 AND also in catX,catY,catZ). I would like to filter the menus based on both these criteria but am unable to see how using just the single set of defined ROLES i can define. So for a menu item i can define grp1 and catX and only users w/ both those securities can see it. I have looked at creating custom IDENTITY's and PRINCIPALS but am not sure how to combine all the concepts to arrive at a solution. Any help would be greatly appreciated. Thanks in advance, Gust.. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, December 12, 2006 3:37 PM by Pravin Vekaria Hi Scott, I read in your posts that you where considering doing something similar for VB.NET. I was would be greatful if you could point to the correct link if you have already posted it. Thanks # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, January 01, 2007 10:17 AM by Marcus I dont get this one to work!...I use exactly the sam code as you, but I can for example not choose more than one role in the listbox (even if I have SelectionMode="Multiple" for the listbox.... All the other things works fine....Usernamn, password are saved correctly in aspnet_membership and the profiles are saved in aspnet_profile.... Its the role-part that not work for me...For the first can I only select one role..and for the second are nothing saved in aspnet_UsersInRoles...Which it should...Or should it? Maybe someone know what the problem can be?

# re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, January 02, 2007 10:15 AM by ScottGu Hi Marcus, What code are you using to retrieve the roles and update them in the Role Provider? Thanks, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, January 05, 2007 6:04 AM by Dako Hi Scott, I have Admins and Operators roles. I want to have the Operators accounts created only by the admins. This means that initial information for an operator will be provided by an admin and an email with the username and password will be sent to the operator. The operator will then change his/her password. But I also need to have the Security Question and Security Answer set for an operator. How do you think I should implement this? Thanks, Dako # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Saturday, January 06, 2007 10:28 AM by Dako Hi Scott, I'm planning to have a web site (I've already created the custom providers) and 2 kinds of users admins and operators (2 roles). The admins are creating the accounts for all the users. This means that they are creating all the passwords (or these will be autogenerated) and the secret questions and answers. I want a user to be able to change his/her password and secret question/answer. Should I send an email with a link for activating the account and at that moment also ask for changing these? Also, if an user will forget the password and the secret answer, I want the admins to be able to reset them. What do you think is the best solution for this?

Thanks, Dako. # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Saturday, January 06, 2007 7:46 PM by ScottGu Hi Dako, It probably makes sense to implement role-based security, and create two roles: operators and admins. You can then lock down the create-user page to only be accessible by admins. You can then build another page that is available to operators that allows them to change the password. If you use the CreateUserWizard control there is a property that you can set that will prevent the user being created from automatically being logged in (you'll want to set this so that when an admin creates the role they don't get logged out). Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Sunday, January 07, 2007 5:15 AM by Dako Hi Scott, Thanks a lot for your time. I still have some questions :) Is it ok to allow the operators to change also the secret question/answer in the same page they are changing the password? If so, can I somehow extend the ChangePassword control? Does it make any sense to do this? Also, what should I do if an operator forgets the password but also the secret answer? I'm using hashed passwords and I'm having EnablePasswordReset set to true and EnablePasswordRetrieval set to false. I guess the operator should be able to send an email and an admin should reset the values for the operator. How does it sound? Thanks & best regards, Dako.

# re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, January 08, 2007 3:14 AM by hrmalik Scott, I don't understand what's wrong with my code. The day I wrote it, it was working fine. Today when I'm trying to run it again, the line: Dim userprofile As ProfileCommon = CType(ProfileCommon.Create(CreateUserWizard1.UserName, True), ProfileCommon) gives me the following error: "Type 'ProfileCommon' is not defined." Please help! # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, January 10, 2007 1:59 AM by ScottGu Hi hrmalik, This might be caused by a configuration error in your web.config file. Can you open it and check to make sure everything there is right? Thanks, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, January 10, 2007 2:46 AM by ScottGu Hi Dako, I think you could allow the operators to change the secret question/answer if you wanted to. You can use the Membership API to control this. If someone forgets their password, then you can use the MembershipUser.ResetPassword() method to reset a new one for them.

Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, January 15, 2007 5:41 AM by Mohamed Al Junaibi Hi Scott, Thanks for the great article. I've implemented your example to a web application of mine, and I'd say has 85% operational functionality. I do have an issue, with regards to the Profile handler, what are the changes done to the database tables once I introduce these new profiles (which include the new fields to my registration page), apparently I did everything mentioned on your page, but for some strange reason, the page takes alot of time, and comes to an error message: "An error has occurred while establishing a connection to the server. When connecting to SQL Server 2005, this failure may be caused by the fact that under the default settings SQL Server does not allow remote connections. (provider: SQL Network Interfaces, error: 26 - Error Locating Server/Instance Specified) " I check the database, and the member is added, but minus the profile information. Which provider is the error message talking about? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, January 16, 2007 5:03 PM by Agha Usman amazingly good, I was expecting same thing from profile system # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, January 19, 2007 10:48 PM by ScottGu Hi Mohamed, I suspect you have an error with how you've registered your provider, and so it can't connect to the database. How did you register the connectionString and provider in your web.config file?

Thanks, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, January 24, 2007 5:53 PM by Moazzam Baig I don't get it. Even if we change the code, what about the stored procedures and the database fields ?? can you explain ? I am trying to work on it but something is just not clicking to me :S # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, January 25, 2007 9:50 AM by Mo Baig hi, i was just wondering how can i make the above thing work? I tried but its not saving the fields in the database... any suggestions ? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, January 25, 2007 9:53 AM by mo.baig hope you are fine. i was just wondering how can i store the values in database using "add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code". i tried this thing but its not saving in the database....although i created the fields myself. any suggestions ? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, January 25, 2007 5:17 PM by mo.baig hey Scott,

I created the pages according to what you said and added my own fields in the database. its not giving any error but its not entering the values in the database. it is adding the username and stuff....but not my fields which are <profile enabled="true"> <properties> <add name="FirstName" type="string"/> <add name="LastName" type="string"/> <add name="ClientID" type="string"/> <add name="Phone" type="string"></add> </properties> </profile> which are in a system.web tag. and in the database i made fields for these...it did not work....then i deleted the fields...still not working... any suggestions ?? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, February 07, 2007 6:38 PM by Tommy hi Scott Do i have to create a database with SQL 2000/2005 in order to use the Createuser wizard to build a membership website that someone can create their own account Tommy # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, February 12, 2007 1:24 PM by Hardy Wang We currently have our own customer/login tables in our database linked with CustomerID columns of both tables. Some of the requirements of the system are

1) When I validate users, I need to pass more parameters than just username/password, for example customers are created for different clients, so I need to pass our ClientID with username/password together. We build one portal to support multiple clients. 2) When a customer is validated, I need to get CustomerID instead of username from Context.User.Identity. By implementing MembershipProvider class, I don't think I can achieve any of requirement mentioned above. Any idea? # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Tuesday, February 13, 2007 1:07 AM by ScottGu Hi Hardy, If you create a custom MembershipProvider you should be able to implement the above requirements. Note that you can also always call Membership.Provider.CustomMethod() to invoke custom methods on your provider implementation - so that would be another way to surface extra functionalit yif you want. Thanks, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Wednesday, February 21, 2007 10:51 AM by Derek Hi Scott, How would you go about creating a user with additional user information in one step using the create user wizard and dropping the data in the existing table(s) with the other data? I thought I could just override the membership.createuser method and specify the additional parameters (which seemed logical), but this apparently cannot be done. Thanks! # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, February 23, 2007 2:05 AM by ScottGu Hi Derek,

This blog post has more information that I think will help you: http://weblogs.asp.net/scottgu/archive/2006/07/05/Tip_2F00_Trick_3A00_-Gathering-CustomUser-Registration-Information.aspx This article in particular talks about how to store the information from CreateUser directly into a database: http://aspnet.4guysfromrolla.com/articles/070506-1.aspx Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, February 23, 2007 3:28 AM by Rezmi hi scott when will you release the vb.net version?i have already create the database what if i tried to implement your codes, will the user registered will be affected? Thanx # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, February 23, 2007 6:03 AM by riise hi scott, i got the code up an running and it worked fine, but If i were to integrate it with my local database, should i create a new table for country, age and gender? or they were automatically created ...... # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Friday, February 23, 2007 11:07 AM by saigei hello there i've been following your tutorial on custom membership.i'm adding a new field in the wizard control. i'm getting Object reference not set to an instance of an object error. Can i email you the details of what i wrote or i can just spill it here...... been doing this for a very long time... # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code

Tuesday, February 27, 2007 2:40 AM by ScottGu Hi Saigei, Sure - feel free to email me what you built and I can try and help. Thanks, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Thursday, March 01, 2007 12:55 AM by Dane Hi Scott, First off, thanks for the great posts. You definitely know what your talking about. Second, I have a problem that, at first, I thought the profile feature could solve but now I'm not so sure. Your advice would be greatly appreciated. I'm using the profile to store some extra user data (like a companyId, fullname). I want to be able to, from admin pages or whatever, filter all the memberships by these extra pieces of data. For instance, if I wanted an admin to only be able to manage the memberships for companyA from code I should easily be able to get a list of the members who's profile has companyA for thier companyID. From what it seems if I wanted to build a wrapper to give me a list of usernames who's profile fit the criteria I'd have to hit the db for each user by building their profileCommon via profil.getProfile. Doesn't seem like a good idea. The profileManager seems like it only helps me report on profile stats and do maintenance, not view all the user's profile data. Is there a way to do this with the profile API? I'd rather not use the ProfileTableProvider to let me build these queries because it would tie me to a particular datastore and kinda defeats the whole datastore neutral idea. Am I missing something? Am I using the profileAPI incorrectly? Any advice on a direction I should take? Thanks in advance, Dane # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code

Thursday, March 01, 2007 1:50 AM by Dane Hi again, One more quick thing. Is there a way to get an arbitraty user's profileCommon object from a nonwebform? Or do I have to use the profile object supplied on the webform (and I'm assuming in the context). Thanks again, Dane # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Saturday, March 03, 2007 10:18 PM by ScottGu Hi Dane, There isn't a simple built-in way to query for the users based on the Profile data. What you could do, though, is adapter these simple providers here: http://weblogs.asp.net/scottgu/archive/2006/10/13/Tip_2F00_Trick_3A00_Source_2F00_Documentation-for-Simple-ASP.NET-2.0-SQL-Providers-Published.aspx It provides a nice clean implementation of membership and profile which allows PK/FK relationships and would allow you to query for the users based on their profile data easily. Regarding you second question: you can retrieve the ProfileCommon object from a non-page scenario like so: ProfileBase profile = ProfileBase.Create("username"); profile.GetValue("companyId") Depending on the context where you use it, you can either access the data in a late-bound way (using the getValue/setvalue methods), or type-cast it to the stongly-typed ProfileCommon class. Hope this helps, Scott # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Saturday, March 03, 2007 10:59 PM by Saigei

hi i'm wondering how do i get these codes embeded in my web.config. all these while i had to do them manually. and what does the type="System.Web.Security.SqlMembershipProvider, System.Web, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a" /> do? <membership defaultProvider="AspNetSqlMembershipProvider"> <providers> <remove name="AspNetSqlMembershipProvider" /> <add connectionStringName="LocalSqlServer" name="AspNetSqlMembershipProvider" enablePasswordRetrieval="false" enablePasswordReset="true" applicationName="/" requiresUniqueEmail="false" passwordFormat="Hashed" maxInvalidPasswordAttempts="5" minRequiredPasswordLength="6" minRequiredNonalphanumericCharacters="0" passwordAttemptWindow="10" passwordStrengthRegularExpression="" requiresQuestionAndAnswer="true" type="System.Web.Security.SqlMembershipProvider, System.Web, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a" /> </providers> </membership> # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, March 05, 2007 11:48 AM by Daren I'd like to add a new user profile as an Employer might add an Employee....assign roles, email address...etc How do I reference profile data to accomplish this ? Thanks, Daren # How can I implement visio as a dynamic webpage in ASP.net Thursday, March 08, 2007 11:07 AM by Kadia I would like to know how to use visio as a dynamic web page in visio.

# re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Saturday, March 10, 2007 2:46 PM by Sam Stange I found an interesting article on creating your own custom profile provider. I had the requirement to query the database for profile information (Telephone, organization, etc...), but I found that ASP.NET stored this data in a textblob field in the aspnet_profile table! By using a custom profile provider, I was able to create a table with my individual application needs and user the profile provider as well! Kudos to Hao Kung for making a good,clear example! http://www.asp.net/sandbox/samp_profiles.aspx?tabid=62 # re: How to add a Login, Roles and Profile system to an ASP.NET 2.0 app in only 24 lines of code Monday, March 12, 2007 2:12 AM by How to use Oracle Hello, I have checked it for Oracle. But the cod eis not working, Could you please tell, what I have to do to connect it with Oracle? Thanks Ceema # Out of memory &raquo; Blog Archive &raquo; ASP.NET Registration with multiple profile providers Monday, May 07, 2007 7:52 AM by Out of memory Blog Archive ASP.NET Registration with multiple profile providers PingBack from http://www.outofmemory.co.uk/?p=9 # ASP.NET Registration with multiple profile providers Wednesday, May 16, 2007 1:56 PM by Out of memory ASP.NET Registration with multiple profile providers # Customizing ASP.NET Membership and Profile: What Goes Where? Friday, June 01, 2007 2:17 PM by .NET Hacks and Tips (beta)

Recent, I start playing the Membership class but not touching the Profile class yet. I search a lot and # Customizing ASP.NET Membership and Profile: What Goes Where? &raquo; MSBLOG Friday, June 01, 2007 2:48 PM by Customizing ASP.NET Membership and Profile: What Goes Where? MSBLOG Pingback from Customizing ASP.NET Membership and Profile: What Goes Where? &raquo; MSBLOG # ASP.Net Membership &amp; Personalisation &laquo; Densen Friday, November 16, 2007 11:31 AM by ASP.Net Membership & Personalisation Densen Pingback from ASP.Net Membership &amp; Personalisation &laquo; Densen # HowTo: ASP.NET Profile System mit Web Projects nutzen (Visual Studio 2005/2008) | Code-Inside Blog Wednesday, January 23, 2008 1:49 PM by HowTo: ASP.NET Profile System mit Web Projects nutzen (Visual Studio 2005/2008) | Code-Inside Blog Pingback from HowTo: ASP.NET Profile System mit Web Projects nutzen (Visual Studio 2005/2008) | Code-Inside Blog # ASP.NET: Web Site versus Web Application Project Sunday, June 01, 2008 9:00 PM by CodersBarn.com ASP.NET: Web Site versus Web Application Project # ASP.NET: Web Site versus Web Application Project Tuesday, June 03, 2008 8:26 PM by CodersBarn.com ASP.NET: Web Site versus Web Application Project # Adding additional controls to CreateUserWizard (CUW) Control Friday, December 05, 2008 2:10 PM by Guru Sarkar's Blog Nothing fancy or new in this post. CreateUserWizard(CUW) control comes with some default controls for # ASP.NET Membefrship Resources

Saturday, January 17, 2009 8:15 PM by TipsOnLips.net ASP.NET Membefrship Resources # ASP.NET Membefrship Resources Thursday, February 26, 2009 7:38 AM by TipsOnLips.net ASP.NET Membefrship Resources

You might also like