Click here to Skip to main content
15,879,348 members
Articles / Programming Languages / Visual Basic

Jot - A .NET Library for Managing Application State

Rate me:
Please Sign up or sign in to vote.
4.92/5 (30 votes)
20 Dec 2016CPOL7 min read 28.7K   51   8
A better approach for storing and restoring application state

Project Links

Jot can be found on:

To install it from Nuget Package Manager Console, run install-package jot

Introduction

Almost every application needs to keep track of its own state, regardless of what it otherwise does. This typically includes:

  1. Sizes and locations of movable/resizable elements of the UI
  2. Last entered data (e.g. username)
  3. Settings and user preferences

A common approach is to store this data in a .settings file, and read and update it as needed. This involves writing a lot of boilerplate code to copy that data back and forth. This code is generally tedious, error prone and no fun to write.

Jot takes a different, declarative approach: Instead of writing code that copies data back and forth, you declare which properties of which objects you want to track, and when to persist and apply data. This is a more apropriate abstraction for this requirement, and results in more concise code, as demonstrated by the example.

The library starts off with reasonable defaults for everything but it gives the developer full control over when, how and where each piece of data will be stored and applied.

Example: Persisting the Size and Location of a Window

To illustrate the basic idea, let's compare two ways of dealing with this requirement: .settings file (Scenario A) versus Jot (Scenario B).

Scenario A: Using a .settings File

Step 1: Define settings:

Image 1

Step 2: Apply previously stored data:

C#
public MainWindow()
{
    InitializeComponent();

    this.Left = MySettings.Default.MainWindowLeft;
    this.Top = MySettings.Default.MainWindowTop;
    this.Width = MySettings.Default.MainWindowWidth;
    this.Height = MySettings.Default.MainWindowHeight;
    this.WindowState = MySettings.Default.MainWindowWindowState;
} 

Step 3: Persist updated data before the window is closed:

C#
protected override void OnClosed(EventArgs e)
{
    MySettings.Default.MainWindowLeft = this.Left;
    MySettings.Default.MainWindowTop = this.Top;
    MySettings.Default.MainWindowWidth = this.Width;
    MySettings.Default.MainWindowHeight = this.Height;
    MySettings.Default.MainWindowWindowState = this.WindowState;

    MySettings.Default.Save();

    base.OnClosed(e);
}     

This is quite a bit of work, even for a single window. If we had 10 resizable/movable elements of the UI, the settings file would quickly become a jungle of similarly named properties. This would make writing this code quite tedious and error prone.

Also notice how many times we mention each property - a total of 5 times (e.g. do a Ctrl+F Left, and don't forget to count the one in the settings file image).

Scenario B: Using Jot

Step 1: Create a StateTracker instance and expose it to the rest of the application (for simplicity's sake, let's expose it as a static property).

C#
static class Services
{
    public static StateTracker Tracker = new StateTracker();
}

Step 2: Set up tracking.

C#
public MainWindow()
{
    InitializeComponent();

    Services.Tracker.Configure(this)//the object to track
        .IdenitifyAs("main window")//a string by which to identify the target object
        .AddProperties<Window>(w => w.Height, w => w.Width, 
                       w => w.Top, w => w.Left, w => w.WindowState)//properties to track
        .RegisterPersistTrigger(nameof(SizeChanged))//when to persist data to the store
        .Apply();//apply any previously stored data
}

That's it. It's concise, the intent is clear, and there's no repetition. Notice that we've mentioned each property only once.

Caveat

The above code (both scenarios) would work for most cases, but for real world use, we would need to handle a few more edge cases, and since tracking a Window or Form is so common, Jot already comes with pre-built settings for them, so we can actually track a window with a single line of code:

Step 2 (Revisited)

C#
public MainWindow()
{
    InitializeComponent();

    //Why SourceInitialized?
    //Subtle WPF issue: WPF will always maximize a window to the primary screen 
    //if WindowState is set too early (e.g. in the constructor), even
    //if the Left property says it should be on the 2nd screen. Setting
    //these values in SourceInitialized resolves the issue.
    this.SourceInitialized += (s,e) => Services.Tracker.Configure(this).Apply(); 
}

The pre-built settings for Window objects are defined in WindowConfigurationInitializer. During the Configure method, the WindowConfigurationInitializer object will set up tracking for Hight, Width, Top, Left and WindowState properties of the window, along with some validation for edge cases. We can replace the default way Jot tracks Window objects by supplying our own initializer for the Window type, more on that later.

Where & When Data Gets Stored

The StateTracker class has an empty constructor which uses reasonable defaults, but the main constructor allows you to specify exactly where the data will be stored and when:

C#
StateTracker(IStoreFactory storeFactory, ITriggerPersist persistTrigger)

The two arguments are explained below.

1. Where Data Is Stored

The storeFactory argument controls where data is stored. This factory will be used to create a data store for each tracked object.

You can, of course, provide your own storage mechanism (by implementing IStore and IStoreFactory) and Jot will happily use it.

By default, Jot stores data in .json files in the following folder: %AppData%\[company name]\[application name] (company name and application name are read from the entry assembly's attributes). The default folder is a per-user folder, but you can use a per-machine folder like so:

C#
var tracker = new StateTracker() 
{ StoreFactory = new JsonFileStoreFactory(false) };//true: per-user, false: per-machine

Or you can specify a folder path:

C#
var tracker = new StateTracker() { StoreFactory = new JsonFileStoreFactory(@"c:\example\path\") };

For desktop applications, the per-user default is usually fine.

2. When Data Is Stored

The StateTracker uses an object that implements ITriggerPersist to get notified when it should do a global save of all data. The ITriggerPersist interface has just one memeber: the PersistRequired event.

The only built-in implementation of this interface is the DesktopPersistTrigger class which fires the PersistRequired event when the (desktop) application is about to shut down.

Note: Objects that don't survive until application shutdown should be persisted earlier. This can be done by specifying the persist trigger (RegisterPersistTrigger) or by explicitly calling Persist() on their TrackingConfiguration object when appropriate.

Which Properties of Which Object to Track?

Since Jot doesn't know anything about our objects, we need to introduce them and tell Jot which properties of which object we want to track. For each object we track, a TrackingConfiguration object will be created. This configuration object will control how the target object is tracked.

There are 4 ways of initializing TrackingConfiguration objects, each being advantageous in certain scenarios.

Here they are...

Way 1: Manipulate the Trackingconfiguration Object

The most basic way to manipulate the TrackingConfiguration is directly. For example:

C#
tracker.Configure(target)
    .IdentifyAs("some id")
    .AddProperties(nameof(target.Property1), nameof(target.Property2))
    .RegisterPersistTrigger(nameof(target.PropertyChanged))

Once we've set up the configuration object, we can apply any previously stored data to its tracked properties by calling Apply() on the configuration object.

Way 2: Configuration Initializers

With configuration initializers, we can configure tracking for all instances of a given (base) type, even if we don't own the code of that type.

Say we want to track all TabControl objects in our application in the same way:

  • We want to track the SelectedIndex property
  • We want to persist the data when the SelectedIndexChanged event fires

Here's how to create a default configuration for tracking all TabControl objects:

C#
public class TabControlCfgInitializer : IConfigurationInitializer
{
    public Type ForType
    {
        get
        {
            return typeof(TabControl);
        }
    }

    public void InitializeConfiguration(TrackingConfiguration configuration)
    {
        configuration
            .AddProperties(nameof(TabControl.SelectedIndex))
            .RegisterPersistTrigger(nameof(TabControl.SelectedIndexChanged));
    }
}

We can register it like so:

C#
_tracker.RegisterConfigurationInitializer(new TabControlCfgInitializer());

With our initialier registered, the StateTracker can use it to set up tracking for TabControl objects, without us having to repeat the configuration for every TabControl instance. To track a TabControl object now, all we need to do is:

C#
_tracker.Configure(tabControl1).Apply();

Jot comes with several configuration initializers built-in:

You can access and manipulate them using the stateTracker.ConfigurationInitializers property.

Way 3: Using Tracking Attributes

C#
public class GeneralSettings
{
    [Trackable]
    public int Property1 { get; set; }
    [Trackable]
    public string Property2 { get; set; }
    [Trackable]
    public SomeComplexType Property3 { get; set; }
}

With this approach, the class is self descriptive about tracking. Now all that's needed to start tracking an instance of this class is:

C#
tracker.Configure(settingsObj).Apply();

Way 4: Using the ITrackingAware Interface

C#
public class GeneralSettings : ITrackingAware
    {
        public int Property1 { get; set; }
        public string Property2 { get; set; }
        public SomeComplexType Property3 { get; set; }

        public void InitConfiguration(TrackingConfiguration configuration)
        {
            configuration.AddProperties<GeneralSettings>
                   (s => s.Property1, s => s.Property2, s => s.Property3);
        }
    }

The class is now self-descriptive about tracking, just like with the attributes approach, only in this case it manipulates the tracking configuration directly, which is a bit more flexible.

All that's needed now to start tracking an instance of this class is to call:

C#
tracker.Configure(settingsObj).Apply();

IOC Integration

Now, here's the really cool part.

When using an IOC container, many objects in the application will be created by the container. This gives us an opportunity to automatically track all created objects by hooking into the container.

For example, with SimpleInjector, we can do this quite easily, with a single line of code:

C#
var stateTracker = new Jot.StateTracker();
var container = new SimpleInjector.Container();

//configure tracking and apply previously stored data to all created objects
container.RegisterInitializer(d => { stateTracker.Configure(d.Instance).Apply(); }, cx => true);

Since the container doesn't know how to set up tracking for specific types, we need to specify the configurations in one or more of the following ways:

  • using configuration initializers
  • using [Trackable] and [TrackingKey] attributes
  • implementing ITrackingAware

To summarize what this means: with the above few lines of code in place, we can now track any property of any object just by putting a [Trackable] attribute on it! Pretty neat, huh?

Example of Stored Data

Each tracked object will have its own file where its tracked property values will be saved. Here's an example:

Image 2

The file name includes the type of the tracked object and the identifier:

C#
[targetObjectType]_[identifier].json

We can see, we're tracking three objects: AppSettings (id: not specified), MainWindow (id: myWindow) and a single TabControl (id: tabControl).

Demos

Demo projects are included in the GitHub repository. Playing around with them should be enough to get started.

Contributing

You can contribute to this project on Github in the usual way:

  1. Fork the project
  2. Push your commits to your fork
  3. Make a pull request

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) Recro-Net
Croatia Croatia
I have been an a(tra)ctive software developer since 2005 mostly working on .NET. Currently living and working in Zagreb Croatia. I have earned my masters degree in Computer Science at the Faculty of Electrical Engineering and Computer Science in Zagreb in 2006.

Comments and Discussions

 
QuestionSingle json file with sections Pin
Patrick Blackman11-Jul-18 6:56
professionalPatrick Blackman11-Jul-18 6:56 
Hi thanks for a great library. Instead of creating a json file for each type's settings., e.g. MainWindow.json, appsetting.json etc I would like to have one json file called setting.json with each type's settings stored in the "settings.json" as a "section' that can be retrieved/saved to e.g.

{
MainWind:

AppSettings:

UserSetting:

}

Is there a way I can do something like:
tracker.GetSetting(sectionName,key) to return the value for the key.
tracker.SaveSetting(sectionName,key, value) to set the value of the key

PraiseAwesome, IOC container SimpleInjector Pin
Member 134803018-Nov-17 11:34
Member 134803018-Nov-17 11:34 
GeneralRe: Awesome, IOC container SimpleInjector Pin
Antonio Nakić Alfirević27-Nov-17 1:43
Antonio Nakić Alfirević27-Nov-17 1:43 
QuestionState for web apps Pin
Budsy22-Dec-16 9:05
Budsy22-Dec-16 9:05 
AnswerRe: State for web apps Pin
Antonio Nakić Alfirević23-Dec-16 9:28
Antonio Nakić Alfirević23-Dec-16 9:28 
QuestionInteresting Pin
sosplombierorleans20-Nov-16 9:48
sosplombierorleans20-Nov-16 9:48 
Questionvery good Pin
Southmountain8-Nov-16 5:46
Southmountain8-Nov-16 5:46 
AnswerRe: very good Pin
Antonio Nakić Alfirević8-Nov-16 5:50
Antonio Nakić Alfirević8-Nov-16 5:50 

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.