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

Load WebForms and UserControls from Embedded Resources

Rate me:
Please Sign up or sign in to vote.
4.89/5 (23 votes)
5 Sep 2006CPOL4 min read 263.1K   2K   85   70
Load WebForms and UserControls from embedded resources.

Introduction

Have you ever wanted to break up that monolithic web project into multiple projects, or reuse those user controls and web forms in multiple web projects?

Currently, reusing web forms and user controls in multiple ASP.NET projects requires copying the associated aspx and ascx pages. You can put web controls in separate assemblies, but you lose the design-time drag and drop that makes user controls and web forms so easy to create in the first place. If you've ever tried to put a user control or web form in a separate assembly, you probably ended up with a blank page or runtime errors. The reason is because LoadControl() actually reads the ascx or aspx file to populate the Controls collection and then binds them to your class variables. If the ascx file is not found, no controls are added unless you have done so in your code (as is done with WebControls).

What I wanted was the ability to dynamically call LoadControl() from another assembly to reuse user controls in multiple web projects without copying a bunch of ascx files around. Too much to ask?

Would it be possible to embed those ascx and aspx files as assembly resources and then load them? LoadControl() expects a virtual path, and there did not appear to be any way to load a control from a resource stream. Then I found this:

The Solution

The Virtual Path Provider in ASP.NET 2.0 can be used to load ascx files from a location of your choosing. For my purposes I've decided to store the ascx files in the assembly itself. No more outdated ascx pages that don't work with the updated assembly. Only one file to deploy, the assembly itself, and if you add the assembly as a reference, VS will copy it automatically! To do embed the ascx/aspx file into the assembly, you must change the Build Action of the file on the property page to Embedded Resource, the virtual path provider we create will do the rest.

When a Virtual Path needs to be resolved, ASP.NET will ask the most recently registered Virtual Path Provider if the file exists, and if it does, it will call GetFile to obtain the VirtualFile instance.

Before we can load a resource, we need to know what assembly the resource is located in and the name of the resource to load. I've chosen to encode this information into the virtual path. My final URL looks like this:

~/App_Resources/WebApplicationControls.dll/WebApplicationControls.WebUserControl1.ascx

It's a bit lengthy, but it includes all the information I need. I don't want to intercept all URLs, so we need to be able to identify which URLs to process and which ones to let the default virtual path provider handle. To do this, I've chosen to process only URLs located in App_Resources. This folder doesn't exist, and that's the point as all paths at this location will be intercepted. The second part contains the assembly name, and the final part is the resource name, which includes the namespace.

I've implemented the Virtual Provider as follows:

C#
public class AssemblyResourceProvider : System.Web.Hosting.VirtualPathProvider 
{
    public AssemblyResourceProvider() {}
    private bool IsAppResourcePath(string virtualPath)
    {
        String checkPath = VirtualPathUtility.ToAppRelative(virtualPath);
        return checkPath.StartsWith("~/App_Resource/", 
               StringComparison.InvariantCultureIgnoreCase);
    }
    public override bool FileExists(string virtualPath)
    {
        return (IsAppResourcePath(virtualPath) || 
                base.FileExists(virtualPath));
    }
    public override VirtualFile GetFile(string virtualPath)
    {
        if (IsAppResourcePath(virtualPath))
            return new AssemblyResourceVirtualFile(virtualPath); 
        else
            return base.GetFile(virtualPath);
    }
    public override System.Web.Caching.CacheDependency 
           GetCacheDependency( string virtualPath, 
           System.Collections.IEnumerable virtualPathDependencies, 
           DateTime utcStart)
    {
    if (IsAppResourcePath(virtualPath))
        return null;
    else 
        return base.GetCacheDependency(virtualPath, 
               virtualPathDependencies, utcStart);
    }
}

IsAppResource is a private helper method used to determine if we should process the request or let the default provider process the request. Virtual Path Providers are chained together, so it is important that you call the base class. It was also necessary to override GetCacheDependency to return null, otherwise ASP.NET will try to monitor the file for changes and raise a FileNotFound exception. Notice that GetFile returns an instance of AssemblyResourceVirtualFile, this class provides an Open() method to get the resource stream, and is implemented as follows:

C#
class AssemblyResourceVirtualFile : VirtualFile
{
    string path;
    public AssemblyResourceVirtualFile(string virtualPath) : base(virtualPath)
    {
        path = VirtualPathUtility.ToAppRelative(virtualPath); 
    }
    public override System.IO.Stream Open()
    {
        string[] parts = path.Split('/');
        string assemblyName = parts[2]; 
        string resourceName = parts[3];
        assemblyName = Path.Combine(HttpRuntime.BinDirectory, 
                                    assemblyName);
        System.Reflection.Assembly assembly = 
           System.Reflection.Assembly.LoadFile(assemblyName);
        if (assembly != null)
        {
            return assembly.GetManifestResourceStream(resourceName);
        }
        return null;
    }
}

All we need to do here is parse virtualPath to get the assembly name and resource name. I'm assuming the assembly is located in the bin directory as it is the typical place for them, and GetManifestResourceStream does all the hard work.

All we need to do now is tell ASP.NET to use our virtual path provider. This can be done in one of two places: Global.asax Application_Start(), or a static method with the following signature in any class file in the App_Code directory:

C#
public static void AppInitialize() { ... }

The important thing is that it must be registered before any virtual paths trapped by our provider can be resolved. I chose to put this in the Application_Start, which looks like the following.

C#
protected void Application_Start(object sender, EventArgs e)
{
    System.Web.Hosting.HostingEnvironment.RegisterVirtualPathProvider(
       new AssemblyResourceProvider());
}

Now, we can load our custom controls into a PlaceHolder using the usual LoadControl, as follows:

C#
protected void Page_Load(object sender, EventArgs e)
{
    Control ctrl = LoadControl("/App_Resource/WebApplicationControls.dll/"+
      "WebApplicationControls.WebUserControl1.ascx");
    PlaceHolder1.Controls.Add(ctrl);
}

The URLs are a bit lengthy because they include information about the assembly and class name, but you can intercept any URL you want. I chose to prefix it with App_Resources to more easily identify what URLs to intercept. An alternate approach might be to define a Virtual Path Provider that uses reflection to search all assemblies in the bin directory for resources ending in ascx/aspx and intercept only those URLs with or without a namespace.

Using the Code

The demo project uses the Web application project update for VS 2005 which can be found here: MSDN.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer (Senior)
United States United States
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
GeneralLoading aspx files Pin
ken9989-Dec-09 5:31
ken9989-Dec-09 5:31 

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.