Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Creating an "Ambient Context" (UserContext) for an ASP.NET application using a static factory Func<T>

I have found out that I need the current logged in user data in nearly every class (controllers, view, HTML helpers, services and so on). So I thought about to create an "Ambient Context" instead of injecting an IUserService or the User directly.

My approach looks something like that.

public class Bootstrapper
{
    public void Boot()
    {
        var container = new Container();
        // the call to IUserService.GetUser is cached per Http request
        // by using a dynamic proxy caching mechanism, that also handles cases where we want to 
        // invalidate a cache within an Http request
        UserContext.ConfigureUser = container.GetInstance<IUserService>().GetUser;
    }
}

public interface IUserService
{
    User GetUser();
}

public class User
{
    string Name { get; set; }
}

public class UserContext : AbstractFactoryBase<User>
{
    public static Func<User> ConfigureUser = NotConfigured;

    public static User ActiveUser { get { return ConfigureUser(); } }
}

public class AbstractFactoryBase<T>
{
    protected static T NotConfigured()
    {
        throw new Exception(String.Format("{0} is not configured", typeof(T).Name));
    }
}

Example usage:

public class Controller
{
     public ActionResult Index()
     {
         var activeUser = UserContext.ActiveUser;
         return View();
     }
}

Is my approach correct or do I missing something? Do you have better solutions in mind?

UPDATE:

More Detail of the User class:

public class User
{
   string Name { get; set; }
   bool IsSuperUser { get; set;}
   IEnumerable<AzManOperation> Operations { get; set}
}

In Controllers we need to check if an User is a SuperUser to only provide the SuperUser some extra functionality.

public class BaseController : Controller
{
    private readonly IUserService _userService;

    BaseControler(IUserService userService)
    {
        _userService = userService
    }

    public User ActiveUser
    {
        get { return _userService.GetUser(); }
    }
}

In Views we check Operations to only show an edit or delete button if the user has the right to do so. A view never uses the DependencyResolver, but ViewBag or ViewModel. My idea here is to implementing a custom ViewBasePage and providing an ActiveUser property, so that Views have an easy accesss.

In HtmlHelpers we render controls depending on IsSuperUser and Operations (passing in the User object or using DependencyResolver).

In Service Classes we need those properties too. For instance to decide if a basket is valid or not (check if the User is allowed to buy articles that are not in a standard list). So the Service class depends on IUserService and calling GetUser().

In Action Filters to force the user to change his password (only if it is not a SuperUser and User.ForcePasswordChange is true). Here we use the DependencyResolver.

My wish is to have a more easily way to get the User object, instead of using DependencyResolver.Current.GetService().GetUser() or using things like ViewBag.ActiveUser = User. The User object is an object that is almost everywhere needed to check permissions or the like.

like image 579
Rookian Avatar asked Jun 09 '13 15:06

Rookian


People also ask

Is there a better way to design ambient context in web applications?

I think there is a better way. Meet the Ambient Context pattern, which is actually a commonly occurring concept throughout .NET framework (ie System.Web.HttpContext, System.ActivationContext and etc) that's been significantly less studied in comparison to other design patterns.

What is ambient context in Salesforce?

Ambient Context allows one to setup a context, typically at an entry-point of an operation or a request, which becomes available to the rest of the system via a static property or method.

Why use ambient context for connection and transaction management?

Ambient Context allows one to setup a context, typically at an entry-point of an operation or a request, which becomes available to the rest of the system via a static property or method. This is a great pattern to manage cross-cutting concerns in your code. So why not use it for connection and transaction management, I thought?

How do I create an application in ASP NET?

ASP.NET is a compiled programming environment that uses the .NET framework to create an application. Click on Start and the start menu will be displayed. Select the programs and then select Microsoft Visual Studio.NET. The submenu will be displayed.


2 Answers

In Views we check Operations to only show an edit or delete button if the user has the right to do so.

The view should not do this check. The Controller should return a view model to the view that contains boolean properties that state whether those buttons should be visible. Returning a bool with IsSuperUser already moves to much knownledge into the view. The view shouldn't know that it should show a certain button for a super user: that's up to the controller. The view should only be told what to display.

If almost all views have this code, there are ways to extract repetitive parts out of your views, for instance with partial views. If you're finding yourself repeating those properties over many view models, perhaps you should define an envelope view model (a generic view model that wraps the specific model as T). A controller can create its view model, while you create a service or cross-cutting concern that wraps it in your envelope.

In Service Classes we need those properties too. For instance to decide if a basket is valid or not

In this case you are talking about validation, which is a cross-cutting concern. You should use decorators to add this behavior instead.

like image 184
Steven Avatar answered Oct 05 '22 18:10

Steven


This is MVC, right?

You're reinventing the wheel.

Add this method to your Global.asax.cs:

protected void Application_AuthenticateRequest(Object sender, EventArgs e)
{
    var authCookie = Request.Cookies[FormsAuthentication.FormsCookieName];
    if (authCookie != null)
    {
        var ticket = FormsAuthentication.Decrypt(authCookie.Value);
        var user = ticket.Name;
        var identity = new GenericIdentity(user, "Forms");
        var principal = new GenericPrincipal(identity, null);
        Context.User = principal;
    }
}

This example shows forms authentication which you can strip if you're using another mechanism. The key is these three lines:

    var identity = new GenericIdentity(user, "Forms");
    var principal = new GenericPrincipal(identity, null);
    Context.User = principal;

GenericIdentity and GenericPrincipal can be replaced with anything you want as long as they implement the (trivial) IIdentity and IPrincipal interfaces. You can create your own implementations of these classes with whatever extra properties you need.

You can then access the authenticated user from all the things you listed - controllers, views, etc. - via HttpContext.Current.User (which is static).

If you created your own implementation of IPrincipal you can just cast that reference to your custom type.

You'll note that IPrincipal has a method called IsInRole, so you'd say:

if (HttpContext.Current.User.IsInRole("SuperUser"))

TL;DR - you are overengineering something ASP.NET has already solved, and I'd have an aneurysm if I saw the types you're proposing in a production application.

like image 39
Evan Machusak Avatar answered Oct 05 '22 19:10

Evan Machusak