This library aims to simplify the process of creating configuration for your C# app/service
by utilizing the serialization capabilities of Json.NET
to serialize nested (custom) objects, dictionaries and lists as simply as by creating a POCO and inheriting JsonSettings class.
PM> Install-Package nucs.JsonSettings- Features Overview
- The Basics
- Modules
- Dynamic Settings Bag
- Changing JsonSerializerSettings
- Converters
- Modulation Api
- License
- Initialized in a fluent static API read more
- Cross-platform targeting
netstandard2.0 - Modularity allowing easy extension and high control over behavior on a per-object level read more
- Autosaving on changes read more
- Versioning control read more
- Offers protection mechanisms such as renaming file and loading default
- By changing version, it allows to introduce any kind of changes to the settings class
- Customizable control over recovering from parsing exceptions read more
- AES256 Encryption via a key read more
- Fully extensible with Json.NET 's capabilities, attributes and settings
- It'll be accurate to say that this library is built around Json.NET
SettingsBag, adynamicoption that uses a ConcurrentDictionary<string,object> eliminating the need for hardcoding POCO class read more
Test project: https://github.com/Nucs/JsonSettings/tree/master/tests/JsonSettings.Tests
Serialization Guide: https://www.newtonsoft.com/json/help/html/SerializationGuide.htm
JsonSettings is the base abstract class serving as the base class for all settings objects the user defines.
Creation, loading is done through static API where saving is through the settings object API.
Here is a self explanatory quicky of to how and what:
- Hardcoded settings
//Step 1: create a class and inherit JsonSettings
class MySettings : JsonSettings {
//Step 2: override a default FileName or keep it empty. Just make sure to specify it when calling Load!
//This is used for default saving and loading so you won't have to specify the filename/path every time.
//Putting just a filename without folder will put it inside the executing file's directory.
public override string FileName { get; set; } = "TheDefaultFilename.extension"; //for loading and saving.
#region Settings
public string SomeProperty { get; set; }
public Dictionary<string, object> Dictionary { get; set; } = new Dictionary<string, object>();
public int SomeNumberWithDefaultValue { get; set; } = 1;
[JsonIgnore] public char ImIgnoredAndIWontBeSavedOrLoaded { get; set; }
#endregion
//Step 3: Override parent's constructors
public MySettings() { }
public MySettings(string fileName) : base(fileName) { }
}
//Step 4: Load
public MySettings Settings = JsonSettings.Load<MySettings>("config.json"); //relative path to executing file.
//or create a new empty
public MySettings Settings = JsonSettings.Construct<MySettings>("config.json");
//Step 5: Introduce changes and save.
Settings.SomeProperty = "ok";
Settings.Save();- Dynamic settings
- Dynamic settings will automatically create new keys.
- Can accept any Type that Json.NET can serialize
ValueTypes are returned asNullable<Type>, therefore if a key doesn't exist - a null is returned.
//Step 1: Just load it, it'll be created if doesn't exist.
public SettingsBag Settings = JsonSettings.Load<SettingsBag>("config.json");
//Step 2: use!
Settings["key"] = "dat value tho";
Settings["key2"] = 123;
dynamic dyn = Settings.AsDynamic();
if ((int?)dyn.key2==123)
Console.WriteLine("explode");
dyn.Save(); /* or */ Settings.Save();- Encrypted settings
- Uses AES/Rijndael
- Can be applied to any settings class because it is a module.
MySettings Settings = JsonSettings.Load<MySettings>("config.json", q=>q.WithEncryption("mysecretpassword"));
SettingsBag Settings = JsonSettings.Load<SettingsBag>("config.json", q=>q.WithEncryption("mysecretpassword"));
//or
MySettings Settings = JsonSettings.Configure<MySettings>("config.json")
.WithEncryption("mysecretpassword")
//or: .WithModule<RijndaelModule>("pass");
.LoadNow();
SettingsBag Settings = JsonSettings.Configure<SettingsBag>("config.json")
.WithEncryption("mysecretpassword")
//or: .WithModule<RijndaelModule>("pass");
.LoadNow();- Hardcoded Settings with Autosave
- Automatic save will occur when changes detected on virtual properties
- All properties have to be virtual
- Requires package
nucs.JsonSettings.Autosavethat usesCastle.Core.
Settings x = JsonSettings.Load<Settings>().EnableAutosave(); //call after loading
//or:
ISettings x = JsonSettings.Load<Settings>().EnableIAutosave<ISettings>(); //Settings implements interface ISettings
x.Property = "value"; //Saved!- Dynamic Settings with Autosave
- Automatic save will occur when changes detected
- note: SettingsBag has it's own implementation of EnableAutosave().
//Step 1:
SettingsBag Settings = JsonSettings.Load<SettingsBag>("config.json").EnableAutosave(); //call after loading
//Unavailable for hardcoded settings yet! (ty netstandard2.0 for not being awesome on proxies)
//Step 2:
Settings.AsDynamic().key = "wow"; //Saved!
Settings["key"] = "wow two"; //Saved!RecoveryModule provides handling for JsonException when calling JsonSettings.LoadJson during the loading process.
On a scenario of exception/failure, one of the following actions can take place:
- RecoveryAction.Throw
Will throw JsonSettingsRecoveryException with the real exception as inner exception. - RecoveryAction.LoadDefault
Default settings will be loaded without touching the existing file until next save. - RecoveryAction.LoadDefaultAndSave
Default settings will be loaded and saved to disk immediately. - RecoveryAction.RenameAndLoadDefault
Will append the version to the end of the faulty file's name and load the default settings and save to disk.
i.e.myfile.jsonversioned1.0.0.5will be renamed tomyfile.1.0.0.5.jsonif it fails on parsing and the new default settings will be saved as the original filename.
All recovery properties and methods are suited for inheritance so extending is quite easy.
//TODO: add example
VersioningModule<T> provides the ability to enforce a specific version so when new changes are introduced to your Settings class (scheme),
a user-defined action can take place. Any of the following actions can be taken:
- VersioningResultAction.DoNothing
Will keep the old version if it was parsed by Json.NET successfully. otherwise RecoveryModule will handle the failure of loading. - VersioningResultAction.Throw
Will throw JsonSettingsRecoveryException with the real exception as inner exception. - VersioningResultAction.LoadDefault
Default settings will be loaded without touching the existing file until next save. - VersioningResultAction.LoadDefaultAndSave
Default settings will be loaded and saved to disk immediately. - VersioningResultAction.RenameAndLoadDefault
Will append the version to the end of the faulty file's name and load the default settings and save to disk.
i.e.myfile.jsonversioned1.0.0.5will be renamed tomyfile.1.0.0.5.jsonif it fails on parsing and the new default settings will be saved as the original filename.
There are two ways to specify which version to enforce.
- Pass the version when calling
WithVersioning. - Add
[EnforcedVersion("1.0.0.0")]attribute to yourIVersionable.Versionproperty definition.
When dealing with inheritance/virtual override, the attribute of the lowest inherited class will be used.
//TODO: example
A comparison between versions is done by the Policy which is a Func<Version, Version, bool> passed during the construction of VersioningModule<T> or fallbacks to static VersioningModule.DefaultPolicy which can be changed.
It is possible to change the static default policy by changing VersioningModule.DefaultPolicy although each VersioningModule<T> can be assigned its own policy.
By default the versions must match exactly:
static bool DefaultEqualPolicy(Version version, Version expectedVersion) {
return expectedVersion?.Equals(version) != false;
}The encryption used is AES256, the parsed json is decoded to UTF8 bytes, converted to encrypted bytes and then to base64 string encoding.
The decision to save it as base64 is to make it easily copiable as a string.
//TODO: example
Special thanks to Rijndael256 for their AES encryption implementation.
Autosaving detects changes in all virtual properties by creating a proxy wrapper using Castle.Core.
The requirement for the class to be autosaved is for all public properties have to be virtual and the class to be non-sealed.
Any properties that are not marked virtual will not work properly (not just won't autosave), therefore an JsonSettingsException is thrown if during proxification a non-virtual property is detected.
Properties can be marked with IgnoreAutosaveAttribute (IgnoreJsonAttribute will also work) to be excluded from the monitored properties for changes.
All proxy wrapper classes generated with ProxyGeneratedAttribute.
- All public properties must be virtual
- Install
nucs.JsonSettings.Autosavenuget package - Call
mySettings.EnableAutosave()extension after callingLoad
//TODO: example
In some scenarios, there might be multiple close changes to the configuration object. Normally that would trigger multiple save calls.
To prevent that, the developer can create a SuspendAutosave object which will postpone the save to when SuspendAutosave will be disposed or Resume called.
If there were no changes between the allocation of SuspendAutosave object and disposal/resume then save won't be called.
//TODO: example
Any settings class can turn into a ViewModel with full autosave support making window settings and state persistence much simpler.
When your settings class inherits INotifyPropertyChanged, upon calling EnableAutosave,
a different interceptor with NotificationBinder will be attached to the generated proxy object that'll listen to the settings class's:
event PropertyChangedcalls- All properties that implement
INotifyPropertyChangedwill bind to theirevent PropertyChanged - All properties that implement
INotificationCollectionChangedsuch asObservableCollection<T>will bind to theirevent CollectionChanged - All virtual properties that do not answer to the criteria above.
So evidently, objects inside ObservableCollection or other nested properties that are not in the settings class are not monitored for changes.
Any properties that are not marked virtual will not work properly (not just won't autosave), therefore a JsonSettingsException is thrown if during proxification if a non-virtual property is detected.
- Settings class inherit
INotifyPropertyChanged - All public properties must be virtual
- Install
nucs.JsonSettings.Autosavenuget package - Call
mySettings.EnableAutosave()extension after callingLoad
Upcoming feature...
SettingsBag internally stores a key-value dictionary.
Any type of Value can be passed as long as Json.NET knows how to serialize it.
SettingsBag has built-in feature for autosaving that can be enabled by calling EnableAutosave without WPF binding support.
//TODO: add example
The default settings are defined on static JsonSettings.SerializationSettings.
public static JsonSerializerSettings SerializationSettings { get; set; } = new JsonSerializerSettings {
Formatting = Formatting.Indented,
ReferenceLoopHandling = ReferenceLoopHandling.Ignore,
NullValueHandling = NullValueHandling.Include,
ContractResolver = new FileNameIgnoreResolver(),
TypeNameHandling = TypeNameHandling.Auto
};To alter the JsonSerializerSettings, it's best to understand how the library is resolving which settings to use during serialization/deserialization as follows:
/// <summary>
/// Returns configuration based on the following fallback: <br/>
/// settings ?? this.OverrideSerializerSettings ?? JsonSettings.SerializationSettings ?? JsonConvert.DefaultSettings?.Invoke()
/// ?? throw new JsonSerializationException("Unable to resolve JsonSerializerSettings to serialize this JsonSettings");
/// </summary>
/// <param name="settings">If passed a non-null, This is the settings intended to use, not any of the fallbacks.</param>
/// <exception cref="JsonSerializationException">When no configuration valid was found.</exception>
protected virtual JsonSerializerSettings ResolveConfiguration(JsonSerializerSettings? settings = null) {
return settings
?? this.OverrideSerializerSettings
?? JsonSettings.SerializationSettings
?? JsonConvert.DefaultSettings?.Invoke()
?? throw new JsonSerializationException("Unable to resolve JsonSerializerSettings to serialize this JsonSettings");
}settingsparameter is an internal mechanism when handling defaults. If passed a non-null, This is the settings intended to use, not any of the following fallbacks.this.OverrideSerializerSettingsis a property in every class inheritingJsonSettingsallowing personalized settings per object. TheOverrideSerializerSettingsproperty andResolveConfigurationmethod are bothvirtualand can be overriden to redirect the resolving to where ever you see fit or with what-ever predefined value.static JsonSettings.SerializationSettingsis the default for allJsonSettingsobjects.static JsonConvert.DefaultSettingsis the default settings defined on a Json.NET level.
Defining converters or changing the serialization settings globally can be done by adding a converter to static JsonSettings.SerializationSettings as follows:
//call during app startup
JsonSettings.SerializationSettings.Converters.Add(new Newtonsoft.Json.Converters.VersionConverter());Alternatively per object setting can be done by setting or inheriting JsonSettings.OverrideSerializerSettings property but
it is important to also specify the default configuration so JsonSettings behavior will remain persistent (see more) .
By far the easiest way to specify a converter is by specifying a JsonConverterAttribute on the property and Json.NET will do the rest.
[JsonConverter(typeof(ExchangeConverter))]
public ExchangeType Exchange { get; set; }JsonConverterAttribute can also be specified on an interface property as it is used in IVersionable and will apply to any class inheriting it.
This is the best approach for other libraries because by specifying an attribute, no matter what JsonSerializerSettings will be specified by the developer, Json.NET will always serialize this property with the specified converter.
public interface IVersionable {
[JsonConverter(typeof(Newtonsoft.Json.Converters.VersionConverter))]
public Version Version { get; set; }
}Key points
- All modules are stored inside
JsonSettings.ModuleSocket Modulation { get; }. ModuleSocketstores all modules attached to thisJsonSettingsobject.- Every settings object gets a new module object allocated for every module configured.
- Attaching modules is done via static extensions read more
- All modules provided by the library have properties and methods that are suited for inheritance so extending is easy.
//TODO: example + example with Construct
The events are many to allow as much interception as possible.
The event handlers do not return any data but instead they receive a reference of the object that can be modified and will be used in the next stage.
Loading
event BeforeLoadHandler BeforeLoad(JsonSettings sender, ref string source); //source is the file that will be loaded.
event DecryptHandler Decrypt(JsonSettings sender, ref byte[] data);
event AfterDecryptHandler AfterDecrypt(JsonSettings sender, ref byte[] data);
event BeforeDeserializeHandler BeforeDeserialize(JsonSettings sender, ref string data);
event AfterDeserializeHandler AfterDeserialize(JsonSettings sender);
event AfterLoadHandler AfterLoad(JsonSettings sender);And in a case of JsonException during LoadJson
//recovered marks if a recovery from failure was successful, handled will prevent any further modules from attempting to recover.
//if recovered is returned false, JsonSettingsException will be thrown with the original exception as inner exception
event TryingRecoverHandler TryingRecover(JsonSettings sender, string fileName, JsonException? exception, ref bool recovered, ref bool handled);
event RecoveredHandler Recovered(JsonSettings sender);Saving
event BeforeSaveHandler BeforeSave(JsonSettings sender, ref string destinition);
event BeforeSerializeHandler BeforeSerialize(JsonSettings sender);
event AfterSerializeHandler AfterSerialize(JsonSettings sender, ref string data);
event EncryptHandler Encrypt(JsonSettings sender, ref byte[] data);
event AfterEncryptHandler AfterEncrypt(JsonSettings sender, ref byte[] data);
event AfterSaveHandler AfterSave(JsonSettings sender, string destinition);When attaching to OnEncrypt event, it'll push to the end of the event queue - meaning it will receive the data after all the events/modules that were attached to it before.
When attaching to OnDecrypt, it is pushed to the beginning of the event queue.
Hence encryption/encoding and decryption/decoding is automatically in the right order.