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

Personal .NET Portal

Rate me:
Please Sign up or sign in to vote.
4.63/5 (39 votes)
16 Oct 20036 min read 441.8K   8.1K   189   87
A Personal .NET Portal with Forms Authentication and XML Files for storage.

Image 1

Introduction

This article describes how I build my Personal Portal (in other words: a Homepage). The idea was to develop a Portal that is easy to deploy (e.g. no Database) and easy to use.

These technical problems are solved in this solution

  • Storage The portal doesn't use a database. Instead XML-Files are used. Reading/Writing is done with the XML Serializer and Datasets.
  • Dynamically loading of Web User Controls The portal has Tabs and Modules. Modules are Web User Controls which are loaded at runtime. The definition is stored in a XML File.
  • Authentication Forms Authentication is used. Users and Roles are stored in a XML File.
  • HttpHandler A HttpHandler is used to access Tab-Pages.

Background

First I wanted to use the IBuySpy Portal. But it isn't (or wasn't) free and uses a database. After some searching at Codeproject and Sourceforge I decided to implement my own Portal.

This Project is hosted at Sourceforge. I would be happy about feedback and suggestions . Also new modules or improvements are welcome. A Demo Portal can be found here .

Using the code

Feel free to use the Portal under the GPL License or code snippets freely.

Summary

A Portal has Tabs. Each Tab can have Sub-Tabs and Modules. Modules are providing content. A Module can be placed right, in the middle or on the left side on a Tab.

A Module consists of a View Web User Control and a Edit Web User Control. The edit control is optional. Both controls are derived from the Module/EditModule class. Those classes are providing information (Reference, Name, etc.) and a configuration infrastructure. Modules are located in the Modules/<ModuleName> directory.

Tabs and Modules have Roles assigned. Users in those roles may view/edit Tabs/Modules. There are four built-in roles:

  • Admin - Administrator Role. May edit/view everything
  • User - Signed in User
  • Everyone - Signed in User or Anonymous User
  • Anonymous - Not signed in User

The Portal definition and Users are stored in a XML File.

Currently there is a "Frame" and a "Table" version (configured in the web.config file). This is how the Portal is rendered: In Frames or in a Table.

Classes

Class Name Description
Definitions
PortalDefinitionThis is the main Portal Definition class. It contains various helper functions and a list of Tabs.
PortalDefinition.TabThe Tab Definition. A Tab has a Name, Reference, Roles, Sub Tabs and left/middle/right Modules.
PortalDefinition.ModuleA Module has a Name, Reference and Roles.
PortalDefinition.RoleA Role is just a Name and Base Class for View or Edit Roles
PortalDefinition.EditRoleEdit Role.
PortalDefinition.ViewRoleView Role.
UsersUser/Roles Dataset.
ModuleSettingsDefines Module Settings like the Module Control Name.
Controls/Rendering
EditLinkRenders the Edit Link.
ModuleFailedRenders a "Module failed to load".
ModuleHeaderRenders the Module Header.
OverlayMenuRenders a Menu.
OverlayMenuItemRenders a Menu Item.
PortalTabThis is the main Protal Render Control!
TabMenuRenders the Tab Menu.
TabPathRenders the current Tab Path.
TabHttpHandlerThe HttpModule for "translating" URLs.
Helper
HelperCommon Helper Class.
UserManagementUsermanagement Methods.
API
ConfigConfiguration Helpers.
EditModuleBase Class for Module Edit Controls.
ModuleBase Class for Module View Controls.

ASPX-Pages are used as container for Web User Controls. They have hardly program logic.

Storage

Two things must be stored: the Portal Definition and Users/Roles.

The Portal definition is stored with the XML-Serializer.

C#
[XmlRoot("portal"), Serializable]
public class PortalDefinition
{
  // Static Serializer
  private static XmlSerializer xmlPortalDef = 
     new XmlSerializer(typeof(PortalDefinition));
  ...
  // Loads the Portal Definition
  public static PortalDefinition Load()
  {
    // Create a Text Reader which reads the file
    XmlTextReader xmlReader = new XmlTextReader(
            Config.GetPortalDefinitionPhysicalPath());
    // Deserialize
    PortalDefinition pd = (PortalDefinition)xmlPortalDef.Deserialize(
      xmlReader);
    // Close the file
    xmlReader.Close();

    return pd;
  }
  // Saves the Portal Definition
  public void Save()
  {
    // Create a Text Writer which writes the file
    XmlTextWriter xmlWriter = new XmlTextWriter(
          Config.GetPortalDefinitionPhysicalPath(), System.Text.Encoding.UTF8);
    // Set Formating
    xmlWriter.Formatting = Formatting.Indented;
    // Serialize
    xmlPortalDef.Serialize(xmlWriter, this);
    // Close the file
    xmlWriter.Close();
  }
  ...
}

Users are stored in a Dataset

C#
public class UserManagement
{
  ...
  // Reads the User Dataset from a file
  public static Users GetUsers()
  {
    Users u = new Users();
    u.ReadXml(Config.GetUserListPhysicalPath());
    return u;
  }
  
  // Writes the User Dataset to a file
  public static void SetUsers(Users u)
  {
    u.WriteXml(Config.GetUserListPhysicalPath());
  }
  ...
}

Authentication

Forms Authentication is used, but I can imagine that Windows Authentication would also work.

First, in the Login Module, your credentials are validated. This is done through a helper method.

Login.ascx

C#
void OnLogin(object sender, EventArgs args)
{
  if(Portal.UserManagement.Login(account.Text, password.Text))
  {
    Response.Redirect(Request.RawUrl);
  }
  else
  {
    lError.Text = "Invalid Login";
  }
}
UserManagement.cs
C#
public static bool Login(string account, string password)
{
  // Load Dataset
  Users u = GetUsers();

  // Find user
  Users.UserRow user = u.User.FindBylogin(account.ToLower());
  if(user == null) return false;
  
  // Check password
  if(user.password != password) return false;

  // Set Authentication Cookie
  FormsAuthentication.SetAuthCookie(account, false);
  return true;
}  

When a Http-Request occurs, Global.Application_AuthenticateRequest is called. There the user roles are set.

C#
protected void Application_AuthenticateRequest(Object sender, EventArgs e)
{
  if(Request.IsAuthenticated)
  {
    // Read users roles
    string[] roles = UserManagement.GetRoles(
            HttpContext.Current.User.Identity.Name);
    // Set a new Principal with the proper roles
    HttpContext.Current.User = new GenericPrincipal(
      HttpContext.Current.User.Identity, roles);
  }
}
UserManagement.cs
C#
public static string[] GetRoles(string account)
{
  // Load the User Dataset
  Users u = GetUsers();

  // Find the current user
  Users.UserRow user = u.User.FindBylogin(account.ToLower());
  if(user == null) return new string[0];

  // Read users roles and add to a string array
  Users.UserRoleRow[] roles = user.GetUserRoleRows();
  string[] result = new string[roles.Length];  
  for(int i=0;i<roles.Length;i++)
  {
    result[i] = roles[i].RoleRow.name;
  }

  return result;
}

Loading Controls Dynamically

The PortalTab.ascx Web User Control renders the Tabs. The current Tab reference is passed as a URL Parameter. Modules are loaded in the OnInit Event so they can process their OnLoad Events.

C#
public abstract class PortalTab : System.Web.UI.UserControl
{
  // Table Cells where the Modules are rendered
  protected HtmlTableCell left;
  protected HtmlTableCell middle;
  protected HtmlTableCell right;

  // Renders a Module Column
  private void RenderModules(HtmlTableCell td, PortalDefinition.Tab tab,
           ArrayList modules)
  {
    // Hide the cell if there where no Modules
    if(modules.Count == 0)
    {
      td.Visible = false;
      return;
    }
    foreach(PortalDefinition.Module md in modules)
    {
      // Only if the User has view rights
      if(UserManagement.HasViewRights(Page.User, md.roles))
      {
        md.LoadModuleSettings();

        // Initialize the Module
        Module m = null;

        // Load the Module
        if(md.moduleSettings == null)
        {
          m = (Module)LoadControl(Config.GetModuleVirtualPath(md.type) 
                  + md.type + ".ascx");
        }
        else
        {
          m = (Module)LoadControl(Config.GetModuleVirtualPath(md.type) 
                  + md.moduleSettings.ctrl);
        }
        // Initialize the Module
        m.InitModule(tab.reference, md.reference, 
          Config.GetModuleVirtualPath(md.type), 
          UserManagement.HasEditRights(Page.User, md.roles));
          
        // Each Module can decide if it wants to be rendered. 
        // The Login Module does so.
        if(m.IsVisible())
        {
          // Add Module Header
          ModuleHeader mh = (ModuleHeader)LoadControl("ModuleHeader.ascx");
          mh.SetModuleConfig(md);
          td.Controls.Add(mh);

          // Add Module
          HtmlGenericControl div = new HtmlGenericControl("div");
          div.Attributes.Add("class", "Module");
          div.Controls.Add(m);
          td.Controls.Add(div);
        }
      }
    }
  }

  // Called by the ASP.NET Framework
  override protected void OnInit(EventArgs e)
  {
    PortalDefinition.Tab tab = PortalDefinition.GetCurrentTab();

    // Check user rights
    if(UserManagement.HasViewRights(Page.User, tab.roles))
    {
      // Render
      RenderModules(left, tab, tab.left);
      RenderModules(middle, tab, tab.middle);
      RenderModules(right, tab, tab.right);
    }

    // CODEGEN: This call is required by the ASP.NET Web Form Designer.
    InitializeComponent();
    base.OnInit(e);
  }
  ...
}

HttpHandler

The HttpHandler is used to "translate" URLs from "http://server/Portal/main.tab.ascx" to "http://server/Portal/RenderTable.aspx?TabRef=main". This is interesting if you want to analyze your Web Server Log Files.

To get this work you must add this to your web.config file

XML
<system.web>
  <httpHandlers>
    <add verb="*" path="*.tab.aspx" type="Portal.TabHttpHandler, Portal" />
  <httpHandlers>
<system.web>

".tab.aspx" is used as a extension, because otherwise you have to reconfigure your IIS.

This HttpModule does nothing else than a simple Server.Transfer

C#
public class TabHttpHandler : IHttpHandler, IRequiresSessionState
{
  public void ProcessRequest(HttpContext context) 
  {
    // Parse the URL and extract the Tab Reference
    string path = context.Request.Url.AbsolutePath.ToLower();
    string tabRef = path.Substring(path.LastIndexOf("/") + 1); 
          // get "TabRef.tab"
    tabRef = tabRef.Substring(0, tabRef.LastIndexOf(".tab.aspx")); 
          // get "TabRef"

    // Save URL Parameter
    Hashtable r = new Hashtable();
    foreach(string key in context.Request.QueryString.Keys)
    {
      r[key] = context.Request[key];
    }

    r["TabRef"] = tabRef;
  
    // Read the configuration to determinate the current main page
    string url = Portal.API.Config.GetMainPage();
    
    // Build the URL
    bool firstParam = true;
    foreach(DictionaryEntry e in r)
    {
      if(firstParam)
      {
        url += "?";
        firstParam = false;
      }
      else
      {
        url += "&";
      }
      url += e.Key.ToString() + "=" + e.Value.ToString();
    }
    
    // Redirect
    context.Server.Transfer(url);
  }
  
  public bool IsReusable
  {
    get
    {
      return true;
    }
  }
}

Creating a Module

Creating a Module is simple. Just create a directory in the Modules directory and put there the View- and Edit Web User Control. The Controls names must be (or can be reconfigured) <ModuleName>.ascx and Edit<ModuleName>.ascx.

Implementation

Just derive form Portal.API.Module or Portal.API.EditModule and implement "IsVisible" if necessary.

The Module Class provides some properties and methods which describes the Module.

Current Module Settings

Name Description
IsVisibleCan be overridden. Tells the Portal Framework if the Module should be rendered or not.
TabRefThe current Tab Reference. This is a unique string.
ModuleRefThe current Module Reference. The Module Reference is not necessarily unique. TabRef + ModuleRef is unique.
ModuleVirtualPathThe virtual path to the Module.
ModulePhysicalPathThe physical path to the Module.
BuildURLBuild a URL to the current Page. Use this method to implement Modules that needs URL Parameter.
ModuleHasEditRightsTrue if the current user has edit rights.

Configuration

Each Module has the responsibility to store its configuration and state. The Portal API provides some Helper Methods.

Name Description
ModuleConfigFilePhysical Path to the configuration file. (<ModulePhysicalPath>\Module_<ModuleRef>.config)
ModuleConfigSchemaFilePhysical Path to the configuration schema file. (<ModulePhysicalPath>\ Module_<ModuleRef>.configModule.xsd)
ReadCommonConfigReads (XML Deserialize) the common configuration file.
ReadConfigReads (XML Deserialize/Dataset) the configuration file.
WriteConfigWrites (XML Serialize/Dataset) the configuration file.

Furthermore each Module can a configure its control files. These settings are stored in the "ModuleSettings.config" file.

XML
<module>
  <ctrl>Counter.ascx</ctrl>
  <editCtrl>none</editCtrl>
</module>

The "ctrl" Tag defines the View Web User Control. The "editCtrl" Tag can contain "none", which means: there is no Edit Control. E.g. the Login or HitCounter Modules are using this.

Example (Simple Html Module)

This simple Module reads a .htm file and renders it into a DIV Tag.

View Control Html.ascx:

C#
<%@ Control Language="c#" Inherits="Portal.API.Module" %>
<%@ Import namespace="System.IO" %>
<script runat="server">
    private string GetPath()
    {
        return ModulePhysicalPath + ModuleRef + ".htm";
    }

    void Page_Load(object sender, EventArgs args)
    {
        // Open file            
        if(File.Exists(GetPath()))
        {
            FileStream fs = File.OpenRead(GetPath());
            StreamReader sr = new StreamReader(fs);
            content.InnerHtml = sr.ReadToEnd();
            fs.Close();
        }        
    }

</script>
<div id="content" runat="server">
</div>

Edit Control EditHtml.ascx:

C#
<%@ Control Language="c#" autoeventwireup="true" 
    Inherits="Portal.API.EditModule" %>
<%@ Import namespace="System.IO" %>
<script runat="server">

    private string GetPath()
    {
        return ModulePhysicalPath + ModuleRef + ".htm";
    }

    void Page_Load(object sender, EventArgs args)
    {
        if(!IsPostBack)
        {
            // Open file            
            if(File.Exists(GetPath()))
            {
                FileStream fs = File.OpenRead(GetPath());
                StreamReader sr = new StreamReader(fs);
                txt.Text = sr.ReadToEnd();
                fs.Close();
            }
        }
    }
    
    void OnSave(object sender, EventArgs args)
    {
        FileStream fs = null;
        try
        {
            fs = new FileStream(GetPath(), FileMode.OpenOrCreate, 
                 FileAccess.ReadWrite, FileShare.None);
            fs.SetLength(0); // Truncate
            StreamWriter sw = new StreamWriter(fs);
            sw.Write(txt.Text);
            sw.Close();
            
        }
        finally
        {
            if(fs != null)
            {
                fs.Close();
            }
        }
        RedirectBack();
    }

</script>
<asp:TextBox id="txt" Width="100%" Height="300px" 
    TextMode="MultiLine" Runat="server"></asp:TextBox>
<asp:LinkButton CssClass="LinkButton" runat="server" OnClick="OnSave">
    Save & Back</asp:LinkButton>

Work from others

Not all work is from me. I took some code from others and made Modules. Thanks!

History

  • 17.10.2003 Version 1.0.2 uploaded. TreeWebControlPrj is now in the zip file.

License

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

A list of licenses authors might use can be found here


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

Comments and Discussions

 
GeneralRe: Can't log in first time Pin
Borey27-May-04 11:36
Borey27-May-04 11:36 
GeneralRe: Can't log in first time Pin
Anonymous2-Jun-04 5:15
Anonymous2-Jun-04 5:15 
QuestionWhere can I find in Inet real WAP site written with ASP.NET? Pin
soniko16-Apr-04 1:31
soniko16-Apr-04 1:31 
GeneralSystem.ArgumentNullException: Value cannot be null. Parameter name: value (Why) Pin
zhang.bin6-Apr-04 15:40
zhang.bin6-Apr-04 15:40 
GeneralRe: System.ArgumentNullException: Value cannot be null. Parameter name: value (Why) Pin
Arthur Zaczek16-Apr-04 1:50
Arthur Zaczek16-Apr-04 1:50 
Generalsir..how do u get the reference Pin
Anonymous20-Mar-04 3:03
Anonymous20-Mar-04 3:03 
GeneralRe: sir..how do u get the reference Pin
Arthur Zaczek21-Mar-04 0:17
Arthur Zaczek21-Mar-04 0:17 
GeneralThe front page is displayed..then error Pin
jonathfernando16-Mar-04 2:48
sussjonathfernando16-Mar-04 2:48 
hi..my name is preetham..i'm very much fascinated by the way u have developed ur portal..Cool | :cool: i was able to understand and comprehend..the problem is that the main page is displayed..once i enter the username as admin and admin as password..and click login..i get this error..can u help me out...
thanks

Server Error in '/portal' Application.
--------------------------------------------------------------------------------

C:\Inetpub\wwwroot\portal\Modules\.ascx
Description: An unhandled exception occurred during the execution of the current web request. Please review the stack trace for more information about the error and where it originated in the code.

Exception Details: System.IO.FileNotFoundException: C:\Inetpub\wwwroot\portal\Modules\.ascx

Source Error:


Line 41: if(md.moduleSettings == null)
Line 42: {
Line 43: m = (Module)LoadControl(Config.GetModuleVirtualPath(md.type) + md.type + ".ascx");
Line 44: }
Line 45: else


Source File: c:\inetpub\wwwroot\portal\portaltab.ascx.cs Line: 43


GeneralRe: The front page is displayed..then error Pin
Arthur Zaczek16-Mar-04 4:06
Arthur Zaczek16-Mar-04 4:06 
GeneralRe: The front page is displayed..then error Pin
Anonymous17-Mar-04 5:47
Anonymous17-Mar-04 5:47 
GeneralRe: The front page is displayed..then error Pin
Arthur Zaczek19-Mar-04 0:47
Arthur Zaczek19-Mar-04 0:47 
Generaltabs are only visible to the admin Pin
Anonymous20-Mar-04 2:43
Anonymous20-Mar-04 2:43 
QuestionFourm - DB problems? Pin
neggs9-Mar-04 22:55
neggs9-Mar-04 22:55 
AnswerRe: Fourm - DB problems? Pin
Arthur Zaczek10-Mar-04 3:19
Arthur Zaczek10-Mar-04 3:19 
GeneralConnection String Problem Pin
Sean Tran8-Mar-04 8:32
Sean Tran8-Mar-04 8:32 
GeneralRe: Connection String Problem Pin
Arthur Zaczek8-Mar-04 22:22
Arthur Zaczek8-Mar-04 22:22 
GeneralRe: Connection String Problem Pin
Sean Tran9-Mar-04 4:04
Sean Tran9-Mar-04 4:04 
GeneralCosmetic Changes Pin
Bunts5-Jan-04 10:09
Bunts5-Jan-04 10:09 
GeneralRe: Cosmetic Changes Pin
Arthur Zaczek5-Jan-04 22:04
Arthur Zaczek5-Jan-04 22:04 
GeneralInstall Instructions Pin
ICahn1-Dec-03 5:36
ICahn1-Dec-03 5:36 
GeneralRe: Install Instructions Pin
Arthur Zaczek1-Dec-03 21:57
Arthur Zaczek1-Dec-03 21:57 
GeneralRe: Install Instructions Pin
ICahn3-Dec-03 9:00
ICahn3-Dec-03 9:00 
GeneralRe: Install Instructions Pin
Arthur Zaczek4-Dec-03 6:46
Arthur Zaczek4-Dec-03 6:46 
Generalsub tab Pin
Ernest Bariq6-Nov-03 0:52
Ernest Bariq6-Nov-03 0:52 
GeneralRe: sub tab Pin
Arthur Zaczek6-Nov-03 0:58
Arthur Zaczek6-Nov-03 0:58 

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

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