Understanding Managing Sessions in .NET

In the world of web development, maintaining state across multiple requests is a critical aspect. The stateless nature of HTTP requires developers to implement mechanisms to persist user data. This is where sessions come into play. In this article, we’ll explore what sessions are, how they work in .NET, and provide practical examples to illustrate their usage.

What is a Session?

A session is server-side storage of information that can be used to persist data across multiple requests from the same user. Sessions are essential for maintaining the state of web applications, such as user authentication status, user preferences, shopping cart contents, and more. Each session is identified by a unique session ID, which is sent to the client and returned with subsequent requests.

How Sessions Work in .NET

  1. Session Initialization: When a user accesses a web application for the first time, a new session is created, and a unique session ID is generated. This ID is stored in a cookie on the client side.
  2. Data Storage: The session object is used to store data on the server side, tied to the session ID.
  3. Subsequent Requests: The client sends the session ID back to the server with each request. The server retrieves the session data using this ID.
  4. Session Termination: Sessions can be terminated explicitly by the application, or they can expire after a period of inactivity.

Enabling and Using Sessions in ASP.NET Core

To use sessions in an ASP.NET Core application, you need to configure the session middleware. Here’s a step-by-step guide:

Step 1. Configure session state

Middleware for managing session state is included in the framework. To enable the session middleware, Program.cs must contain:

The following code shows how to set up the in-memory session provider with a default in-memory implementation of IDistributedCache:

builder.Services.AddDistributedMemoryCache();
builder.Services.AddSession(options =>
{
    options.IdleTimeout = TimeSpan.FromSeconds(10);
    options.Cookie.HttpOnly = true;
    options.Cookie.IsEssential = true;
});
app.UseSession();

The preceding code sets a short timeout to simplify testing.

The order of middleware is important. Call UseSession after UseRouting and before MapRazorPages and MapDefaultControllerRoute. See Middleware Ordering.

HttpContext.Session is available after the session state is configured.

HttpContext.The session can't be accessed before UseSession has been called.

A new session with a new session cookie can't be created after the app has begun writing to the response stream. The exception is recorded in the web server log and not displayed in the browser.

Step 2. Set and Get Session Data

The following example shows how to set and get an integer and a string:

public class IndexModel : PageModel
{
    public const string SessionKeyName = "_Name";
    public const string SessionKeyAge = "_Age";
    private readonly ILogger<IndexModel> _logger;
    public IndexModel(ILogger<IndexModel> logger)
    {
        _logger = logger;
    }
    public void OnGet()
    {
        if (string.IsNullOrEmpty(HttpContext.Session.GetString(SessionKeyName)))
        {
            HttpContext.Session.SetString(SessionKeyName, "The Doctor");
            HttpContext.Session.SetInt32(SessionKeyAge, 73);
        }   
        var name = HttpContext.Session.GetString(SessionKeyName);
        var age = HttpContext.Session.GetInt32(SessionKeyAge).ToString();
        _logger.LogInformation("Session Name: {Name}", name);
        _logger.LogInformation("Session Age: {Age}", age);
    }
}

The following example retrieves the session value for the IndexModel.SessionKeyName key (_Name in the sample app) in a Razor Pages page:

@page
@using Microsoft.AspNetCore.Http
@model IndexModel
...
Name: @HttpContext.Session.GetString(IndexModel.SessionKeyName)

Serialize objects data

All session data must be serialized to enable a distributed cache scenario, even when using the in-memory cache. String and integer serializers are provided by the extension methods of ISession. Complex types must be serialized by the user using another mechanism, such as JSON.

Use the following sample code to serialize objects:

public static class SessionExtensions
{
    public static void Set<T>(this ISession session, string key, T value)
    {
        session.SetString(key, JsonSerializer.Serialize(value));
    }

    public static T? Get<T>(this ISession session, string key)
    {
        var value = session.GetString(key);
        return value == null ? default : JsonSerializer.Deserialize<T>(value);
    }
}

Benefits of Using Sessions

  • State Management: Sessions help maintain the state across multiple requests, which is essential for features like user authentication and shopping carts.
  • Security: Data stored in sessions is kept on the server, reducing the risk of client-side manipulation.
  • Convenience: Sessions simplify the development of stateful web applications by providing an easy way to store and retrieve user-specific data.

Conclusion

Sessions are a powerful feature in .NET for managing state in web applications. They provide a secure and convenient way to store user-specific data across multiple requests. By properly implementing sessions, you can enhance the user experience and maintain a seamless interaction throughout the user’s visit to your web application.

Understanding and leveraging sessions effectively will help you build robust, stateful web applications that provide a better user experience. Whether using in-memory storage for simplicity or distributed cache storage for scalability, sessions are a vital tool in any web developer's arsenal.


Similar Articles