views:

120

answers:

2

I'm looking for a way to store application or machine level settings that can be written to at runtime using Application Settings. User settings allow read/write but application settings do not. I have been using user settings for saving settings like this at runtime but this has really proven to be impractical for the following reasons:

  • All users of the machine need to share settings.
  • In support calls (especially in crisis situations) it is difficult to explain to users/employees where to find and modify these settings manually (appdata is a hidden folder among other things).
  • New versions of the app need to use previous settings (user settings seem to get blown away with new versions).
  • It is common for our employees to copy the application to a new folder which also resets the user settings.

Our company machines are only used by one user anyway so user specific settings are not generally needed.

Otherwise I really like using application settings and would like to continue to use them if possible. It would be ideal if the settings could reside in the same folder as the EXE (like good ol' ini files once did).

NOTE: This is a WPF application and not an ASP.net web app so no web.config.

A: 

Well, I haven't yet wanted to change application settings at runtime (that's what I use user settings for), but what I have been able to do is write application settings at install time. I imagine that a similar approach might work at runtime. You could try it out since there don't seem to be any other propsed solutions ATM.

    exePath = Path.Combine( exePath, "MyApp.exe" );
    Configuration config = ConfigurationManager.OpenExeConfiguration( exePath );
    var setting = config.AppSettings.Settings[SettingKey];
    if (setting != null)
    {
        setting.Value = newValue;
    }
    else
    {
        config.AppSettings.Settings.Add( SettingKey, newValue);
    }

    config.Save();

Hope that helps!

Task
A: 

WPF applications are able to access the app.config file just like WinForms apps through the

ConfigurationManager.OpenExeConfiguration()

method. The trick is to have the values you want to access in the AppSettings tag of your App.config file (also available in WPF applications).

The trick to all of this is to make sure to call the following methods when you're done modifying your properties:

MyConfig.Save(ConfigurationSaveMode.Modified)
ConfigurationManager.RefreshSection("appSettings")

I wrote a complete "how to" on this a little while back that explains it all here.

Dillie-O