ConfigurationManager.cs 26 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638
  1. global using static Terminal.Gui.ConfigurationManager;
  2. global using CM = Terminal.Gui.ConfigurationManager;
  3. using System.Collections;
  4. using System.Diagnostics;
  5. using System.Diagnostics.CodeAnalysis;
  6. using System.Reflection;
  7. using System.Runtime.Versioning;
  8. using System.Text.Encodings.Web;
  9. using System.Text.Json;
  10. using System.Text.Json.Serialization;
  11. #nullable enable
  12. namespace Terminal.Gui;
  13. /// <summary>
  14. /// Provides settings and configuration management for Terminal.Gui applications.
  15. /// <para>
  16. /// Users can set Terminal.Gui settings on a global or per-application basis by providing JSON formatted
  17. /// configuration files. The configuration files can be placed in at <c>.tui</c> folder in the user's home
  18. /// directory (e.g. <c>C:/Users/username/.tui</c>, or <c>/usr/username/.tui</c>), the folder where the Terminal.Gui
  19. /// application was launched from (e.g. <c>./.tui</c> ), or as a resource within the Terminal.Gui application's
  20. /// main assembly.
  21. /// </para>
  22. /// <para>
  23. /// Settings are defined in JSON format, according to this schema:
  24. /// https://gui-cs.github.io/Terminal.GuiV2Docs/schemas/tui-config-schema.json
  25. /// </para>
  26. /// <para>
  27. /// Settings that will apply to all applications (global settings) reside in files named <c>config.json</c>.
  28. /// Settings that will apply to a specific Terminal.Gui application reside in files named
  29. /// <c>appname.config.json</c>, where <c>appname</c> is the assembly name of the application (e.g.
  30. /// <c>UICatalog.config.json</c>).
  31. /// </para>
  32. /// Settings are applied using the following precedence (higher precedence settings overwrite lower precedence
  33. /// settings):
  34. /// <para>
  35. /// 1. Application configuration found in the users' home directory (<c>~/.tui/appname.config.json</c>) --
  36. /// Highest precedence
  37. /// </para>
  38. /// <para>
  39. /// 2. Application configuration found in the directory the app was launched from (
  40. /// <c>./.tui/appname.config.json</c>).
  41. /// </para>
  42. /// <para>3. Application configuration found in the applications' resources (<c>Resources/config.json</c>).</para>
  43. /// <para>4. Global configuration found in the user's home directory (<c>~/.tui/config.json</c>).</para>
  44. /// <para>5. Global configuration found in the directory the app was launched from (<c>./.tui/config.json</c>).</para>
  45. /// <para>
  46. /// 6. Global configuration in <c>Terminal.Gui.dll</c>'s resources (<c>Terminal.Gui.Resources.config.json</c>) --
  47. /// Lowest Precedence.
  48. /// </para>
  49. /// </summary>
  50. [ComponentGuarantees (ComponentGuaranteesOptions.None)]
  51. public static class ConfigurationManager
  52. {
  53. /// <summary>
  54. /// Describes the location of the configuration files. The constants can be combined (bitwise) to specify multiple
  55. /// locations.
  56. /// </summary>
  57. [Flags]
  58. public enum ConfigLocations
  59. {
  60. /// <summary>No configuration will be loaded.</summary>
  61. /// <remarks>
  62. /// Used for development and testing only. For Terminal,Gui to function properly, at least
  63. /// <see cref="DefaultOnly"/> should be set.
  64. /// </remarks>
  65. None = 0,
  66. /// <summary>
  67. /// Global configuration in <c>Terminal.Gui.dll</c>'s resources (<c>Terminal.Gui.Resources.config.json</c>) --
  68. /// Lowest Precedence.
  69. /// </summary>
  70. DefaultOnly,
  71. /// <summary>This constant is a combination of all locations</summary>
  72. All = -1
  73. }
  74. /// <summary>
  75. /// A dictionary of all properties in the Terminal.Gui project that are decorated with the
  76. /// <see cref="SerializableConfigurationProperty"/> attribute. The keys are the property names pre-pended with the
  77. /// class that implements the property (e.g. <c>Application.UseSystemConsole</c>). The values are instances of
  78. /// <see cref="ConfigProperty"/> which hold the property's value and the <see cref="PropertyInfo"/> that allows
  79. /// <see cref="ConfigurationManager"/> to get and set the property's value.
  80. /// </summary>
  81. /// <remarks>Is <see langword="null"/> until <see cref="Initialize"/> is called.</remarks>
  82. [SuppressMessage ("Style", "IDE1006:Naming Styles", Justification = "<Pending>")]
  83. internal static Dictionary<string, ConfigProperty>? _allConfigProperties;
  84. [SuppressMessage ("Style", "IDE1006:Naming Styles", Justification = "<Pending>")]
  85. internal static readonly JsonSerializerOptions _serializerOptions = new ()
  86. {
  87. ReadCommentHandling = JsonCommentHandling.Skip,
  88. PropertyNameCaseInsensitive = true,
  89. DefaultIgnoreCondition = JsonIgnoreCondition.WhenWritingNull,
  90. WriteIndented = true,
  91. Converters =
  92. {
  93. // We override the standard Rune converter to support specifying Glyphs in
  94. // a flexible way
  95. new RuneJsonConverter (),
  96. // Override Key to support "Ctrl+Q" format.
  97. new KeyJsonConverter ()
  98. },
  99. // Enables Key to be "Ctrl+Q" vs "Ctrl\u002BQ"
  100. Encoder = JavaScriptEncoder.UnsafeRelaxedJsonEscaping,
  101. TypeInfoResolver = SourceGenerationContext.Default
  102. };
  103. [SuppressMessage ("Style", "IDE1006:Naming Styles", Justification = "<Pending>")]
  104. internal static readonly SourceGenerationContext _serializerContext = new (_serializerOptions);
  105. [SuppressMessage ("Style", "IDE1006:Naming Styles", Justification = "<Pending>")]
  106. internal static StringBuilder _jsonErrors = new ();
  107. [SuppressMessage ("Style", "IDE1006:Naming Styles", Justification = "<Pending>")]
  108. private static readonly string _configFilename = "config.json";
  109. /// <summary>The backing property for <see cref="Settings"/>.</summary>
  110. /// <remarks>
  111. /// Is <see langword="null"/> until <see cref="Reset"/> is called. Gets set to a new instance by deserialization
  112. /// (see <see cref="Load"/>).
  113. /// </remarks>
  114. private static SettingsScope? _settings;
  115. /// <summary>Name of the running application. By default, this property is set to the application's assembly name.</summary>
  116. public static string AppName { get; set; } = Assembly.GetEntryAssembly ()?.FullName?.Split (',') [0]?.Trim ()!;
  117. /// <summary>Application-specific configuration settings scope.</summary>
  118. [SerializableConfigurationProperty (Scope = typeof (SettingsScope), OmitClassName = true)]
  119. [JsonPropertyName ("AppSettings")]
  120. public static AppScope? AppSettings { get; set; }
  121. /// <summary>
  122. /// The set of glyphs used to draw checkboxes, lines, borders, etc...See also
  123. /// <seealso cref="Terminal.Gui.GlyphDefinitions"/>.
  124. /// </summary>
  125. [SerializableConfigurationProperty (Scope = typeof (SettingsScope), OmitClassName = true)]
  126. [JsonPropertyName ("Glyphs")]
  127. public static GlyphDefinitions Glyphs { get; set; } = new ();
  128. /// <summary>
  129. /// Gets and sets the locations where <see cref="ConfigurationManager"/> will look for config files. The value is
  130. /// <see cref="ConfigLocations.All"/>.
  131. /// </summary>
  132. public static ConfigLocations Locations { get; set; } = ConfigLocations.All;
  133. /// <summary>
  134. /// The root object of Terminal.Gui configuration settings / JSON schema. Contains only properties with the
  135. /// <see cref="SettingsScope"/> attribute value.
  136. /// </summary>
  137. public static SettingsScope? Settings
  138. {
  139. [RequiresUnreferencedCode ("AOT")]
  140. [RequiresDynamicCode ("AOT")]
  141. get
  142. {
  143. if (_settings is null)
  144. {
  145. // If Settings is null, we need to initialize it.
  146. Reset ();
  147. }
  148. return _settings;
  149. }
  150. set => _settings = value!;
  151. }
  152. /// <summary>
  153. /// The root object of Terminal.Gui themes manager. Contains only properties with the <see cref="ThemeScope"/>
  154. /// attribute value.
  155. /// </summary>
  156. public static ThemeManager? Themes => ThemeManager.Instance;
  157. /// <summary>
  158. /// Gets or sets whether the <see cref="ConfigurationManager"/> should throw an exception if it encounters an
  159. /// error on deserialization. If <see langword="false"/> (the default), the error is logged and printed to the console
  160. /// when <see cref="Application.Shutdown"/> is called.
  161. /// </summary>
  162. [SerializableConfigurationProperty (Scope = typeof (SettingsScope))]
  163. public static bool? ThrowOnJsonErrors { get; set; } = false;
  164. /// <summary>Event fired when an updated configuration has been applied to the application.</summary>
  165. public static event EventHandler<ConfigurationManagerEventArgs>? Applied;
  166. /// <summary>Applies the configuration settings to the running <see cref="Application"/> instance.</summary>
  167. [RequiresUnreferencedCode ("AOT")]
  168. [RequiresDynamicCode ("AOT")]
  169. public static void Apply ()
  170. {
  171. var settings = false;
  172. var themes = false;
  173. var appSettings = false;
  174. try
  175. {
  176. if (string.IsNullOrEmpty (ThemeManager.SelectedTheme))
  177. {
  178. // First start. Apply settings first. This ensures if a config sets Theme to something other than "Default", it gets used
  179. settings = Settings?.Apply () ?? false;
  180. themes = !string.IsNullOrEmpty (ThemeManager.SelectedTheme)
  181. && (ThemeManager.Themes? [ThemeManager.SelectedTheme]?.Apply () ?? false);
  182. }
  183. else
  184. {
  185. // Subsequently. Apply Themes first using whatever the SelectedTheme is
  186. themes = ThemeManager.Themes? [ThemeManager.SelectedTheme]?.Apply () ?? false;
  187. settings = Settings?.Apply () ?? false;
  188. }
  189. appSettings = AppSettings?.Apply () ?? false;
  190. }
  191. catch (JsonException e)
  192. {
  193. if (ThrowOnJsonErrors ?? false)
  194. {
  195. throw;
  196. }
  197. else
  198. {
  199. AddJsonError ($"Error applying Configuration Change: {e.Message}");
  200. }
  201. }
  202. finally
  203. {
  204. if (settings || themes || appSettings)
  205. {
  206. OnApplied ();
  207. }
  208. }
  209. }
  210. /// <summary>Returns an empty Json document with just the $schema tag.</summary>
  211. /// <returns></returns>
  212. public static string GetEmptyJson ()
  213. {
  214. var emptyScope = new SettingsScope ();
  215. emptyScope.Clear ();
  216. return JsonSerializer.Serialize (emptyScope, typeof (SettingsScope), _serializerContext);
  217. }
  218. /// <summary>
  219. /// Loads all settings found in the various configuration storage locations to the
  220. /// <see cref="ConfigurationManager"/>. Optionally, resets all settings attributed with
  221. /// <see cref="SerializableConfigurationProperty"/> to the defaults.
  222. /// </summary>
  223. /// <remarks>Use <see cref="Apply"/> to cause the loaded settings to be applied to the running application.</remarks>
  224. /// <param name="reset">
  225. /// If <see langword="true"/> the state of <see cref="ConfigurationManager"/> will be reset to the
  226. /// defaults.
  227. /// </param>
  228. [RequiresUnreferencedCode ("AOT")]
  229. [RequiresDynamicCode ("AOT")]
  230. public static void Load (bool reset = false)
  231. {
  232. Debug.WriteLine ("ConfigurationManager.Load()");
  233. if (reset)
  234. {
  235. Reset ();
  236. }
  237. // LibraryResources is always loaded by Reset
  238. if (Locations == ConfigLocations.All)
  239. {
  240. string? embeddedStylesResourceName = Assembly.GetEntryAssembly ()
  241. ?
  242. .GetManifestResourceNames ()
  243. .FirstOrDefault (x => x.EndsWith (_configFilename));
  244. if (string.IsNullOrEmpty (embeddedStylesResourceName))
  245. {
  246. embeddedStylesResourceName = _configFilename;
  247. }
  248. Settings = Settings?
  249. // Global current directory
  250. .Update ($"./.tui/{_configFilename}")
  251. ?
  252. // Global home directory
  253. .Update ($"~/.tui/{_configFilename}")
  254. ?
  255. // App resources
  256. .UpdateFromResource (Assembly.GetEntryAssembly ()!, embeddedStylesResourceName!)
  257. ?
  258. // App current directory
  259. .Update ($"./.tui/{AppName}.{_configFilename}")
  260. ?
  261. // App home directory
  262. .Update ($"~/.tui/{AppName}.{_configFilename}");
  263. }
  264. }
  265. /// <summary>
  266. /// Called when an updated configuration has been applied to the application. Fires the <see cref="Applied"/>
  267. /// event.
  268. /// </summary>
  269. public static void OnApplied ()
  270. {
  271. Debug.WriteLine ("ConfigurationManager.OnApplied()");
  272. Applied?.Invoke (null, new ());
  273. // TODO: Refactor ConfigurationManager to not use an event handler for this.
  274. // Instead, have it call a method on any class appropriately attributed
  275. // to update the cached values. See Issue #2871
  276. }
  277. /// <summary>
  278. /// Called when the configuration has been updated from a configuration file. Invokes the <see cref="Updated"/>
  279. /// event.
  280. /// </summary>
  281. public static void OnUpdated ()
  282. {
  283. Debug.WriteLine (@"ConfigurationManager.OnApplied()");
  284. Updated?.Invoke (null, new ());
  285. }
  286. /// <summary>Prints any Json deserialization errors that occurred during deserialization to the console.</summary>
  287. public static void PrintJsonErrors ()
  288. {
  289. if (_jsonErrors.Length > 0)
  290. {
  291. Console.WriteLine (
  292. @"Terminal.Gui ConfigurationManager encountered the following errors while deserializing configuration files:"
  293. );
  294. Console.WriteLine (_jsonErrors.ToString ());
  295. }
  296. }
  297. /// <summary>
  298. /// Resets the state of <see cref="ConfigurationManager"/>. Should be called whenever a new app session (e.g. in
  299. /// <see cref="Application.Init"/> starts. Called by <see cref="Load"/> if the <c>reset</c> parameter is
  300. /// <see langword="true"/>.
  301. /// </summary>
  302. /// <remarks></remarks>
  303. [RequiresUnreferencedCode ("AOT")]
  304. [RequiresDynamicCode ("AOT")]
  305. public static void Reset ()
  306. {
  307. Debug.WriteLine (@"ConfigurationManager.Reset()");
  308. if (_allConfigProperties is null)
  309. {
  310. Initialize ();
  311. }
  312. ClearJsonErrors ();
  313. Settings = new ();
  314. ThemeManager.Reset ();
  315. AppSettings = new ();
  316. // To enable some unit tests, we only load from resources if the flag is set
  317. if (Locations.HasFlag (ConfigLocations.DefaultOnly))
  318. {
  319. Settings.UpdateFromResource (
  320. typeof (ConfigurationManager).Assembly,
  321. $"Terminal.Gui.Resources.{_configFilename}"
  322. );
  323. }
  324. Apply ();
  325. ThemeManager.Themes? [ThemeManager.SelectedTheme]?.Apply ();
  326. AppSettings?.Apply ();
  327. }
  328. /// <summary>Event fired when the configuration has been updated from a configuration source. application.</summary>
  329. public static event EventHandler<ConfigurationManagerEventArgs>? Updated;
  330. internal static void AddJsonError (string error)
  331. {
  332. Debug.WriteLine ($"ConfigurationManager: {error}");
  333. _jsonErrors.AppendLine (error);
  334. }
  335. /// <summary>
  336. /// System.Text.Json does not support copying a deserialized object to an existing instance. To work around this,
  337. /// we implement a 'deep, member-wise copy' method.
  338. /// </summary>
  339. /// <remarks>TOOD: When System.Text.Json implements `PopulateObject` revisit https://github.com/dotnet/corefx/issues/37627</remarks>
  340. /// <param name="source"></param>
  341. /// <param name="destination"></param>
  342. /// <returns><paramref name="destination"/> updated from <paramref name="source"/></returns>
  343. internal static object? DeepMemberWiseCopy (object? source, object? destination)
  344. {
  345. ArgumentNullException.ThrowIfNull (destination);
  346. if (source is null)
  347. {
  348. return null!;
  349. }
  350. if (source.GetType () == typeof (SettingsScope))
  351. {
  352. return ((SettingsScope)destination).Update ((SettingsScope)source);
  353. }
  354. if (source.GetType () == typeof (ThemeScope))
  355. {
  356. return ((ThemeScope)destination).Update ((ThemeScope)source);
  357. }
  358. if (source.GetType () == typeof (AppScope))
  359. {
  360. return ((AppScope)destination).Update ((AppScope)source);
  361. }
  362. // If value type, just use copy constructor.
  363. if (source.GetType ().IsValueType || source.GetType () == typeof (string))
  364. {
  365. return source;
  366. }
  367. // Dictionary
  368. if (source.GetType ().IsGenericType
  369. && source.GetType ().GetGenericTypeDefinition ().IsAssignableFrom (typeof (Dictionary<,>)))
  370. {
  371. foreach (object? srcKey in ((IDictionary)source).Keys)
  372. {
  373. if (srcKey is string)
  374. { }
  375. if (((IDictionary)destination).Contains (srcKey))
  376. {
  377. ((IDictionary)destination) [srcKey] =
  378. DeepMemberWiseCopy (((IDictionary)source) [srcKey], ((IDictionary)destination) [srcKey]);
  379. }
  380. else
  381. {
  382. ((IDictionary)destination).Add (srcKey, ((IDictionary)source) [srcKey]);
  383. }
  384. }
  385. return destination;
  386. }
  387. // ALl other object types
  388. List<PropertyInfo>? sourceProps = source?.GetType ().GetProperties ().Where (x => x.CanRead).ToList ();
  389. List<PropertyInfo>? destProps = destination?.GetType ().GetProperties ().Where (x => x.CanWrite).ToList ()!;
  390. foreach ((PropertyInfo? sourceProp, PropertyInfo? destProp) in
  391. from sourceProp in sourceProps
  392. where destProps.Any (x => x.Name == sourceProp.Name)
  393. let destProp = destProps.First (x => x.Name == sourceProp.Name)
  394. where destProp.CanWrite
  395. select (sourceProp, destProp))
  396. {
  397. object? sourceVal = sourceProp.GetValue (source);
  398. object? destVal = destProp.GetValue (destination);
  399. if (sourceVal is { })
  400. {
  401. try
  402. {
  403. if (destVal is { })
  404. {
  405. // Recurse
  406. destProp.SetValue (destination, DeepMemberWiseCopy (sourceVal, destVal));
  407. }
  408. else
  409. {
  410. destProp.SetValue (destination, sourceVal);
  411. }
  412. }
  413. catch (ArgumentException e)
  414. {
  415. throw new JsonException ($"Error Applying Configuration Change: {e.Message}", e);
  416. }
  417. }
  418. }
  419. return destination!;
  420. }
  421. /// <summary>
  422. /// Retrieves the hard coded default settings from the Terminal.Gui library implementation. Used in development of
  423. /// the library to generate the default configuration file. Before calling Application.Init, make sure
  424. /// <see cref="Locations"/> is set to <see cref="ConfigLocations.None"/>.
  425. /// </summary>
  426. /// <remarks>
  427. /// <para>
  428. /// This method is only really useful when using ConfigurationManagerTests to generate the JSON doc that is
  429. /// embedded into Terminal.Gui (during development).
  430. /// </para>
  431. /// <para>
  432. /// WARNING: The <c>Terminal.Gui.Resources.config.json</c> resource has setting definitions (Themes) that are NOT
  433. /// generated by this function. If you use this function to regenerate <c>Terminal.Gui.Resources.config.json</c>,
  434. /// make sure you copy the Theme definitions from the existing <c>Terminal.Gui.Resources.config.json</c> file.
  435. /// </para>
  436. /// </remarks>
  437. [RequiresUnreferencedCode ("AOT")]
  438. [RequiresDynamicCode ("AOT")]
  439. internal static void GetHardCodedDefaults ()
  440. {
  441. if (_allConfigProperties is null)
  442. {
  443. throw new InvalidOperationException ("Initialize must be called first.");
  444. }
  445. Settings = new ();
  446. ThemeManager.GetHardCodedDefaults ();
  447. AppSettings?.RetrieveValues ();
  448. foreach (KeyValuePair<string, ConfigProperty> p in Settings!.Where (cp => cp.Value.PropertyInfo is { }))
  449. {
  450. Settings! [p.Key].PropertyValue = p.Value.PropertyInfo?.GetValue (null);
  451. }
  452. }
  453. /// <summary>
  454. /// Initializes the internal state of ConfigurationManager. Nominally called once as part of application startup
  455. /// to initialize global state. Also called from some Unit Tests to ensure correctness (e.g. Reset()).
  456. /// </summary>
  457. [RequiresUnreferencedCode ("AOT")]
  458. internal static void Initialize ()
  459. {
  460. _allConfigProperties = new ();
  461. _settings = null;
  462. Dictionary<string, Type> classesWithConfigProps = new (StringComparer.InvariantCultureIgnoreCase);
  463. // Get Terminal.Gui.dll classes
  464. IEnumerable<Type> types = from assembly in AppDomain.CurrentDomain.GetAssemblies ()
  465. from type in assembly.GetTypes ()
  466. where type.GetProperties ()
  467. .Any (
  468. prop => prop.GetCustomAttribute (
  469. typeof (SerializableConfigurationProperty)
  470. )
  471. != null
  472. )
  473. select type;
  474. foreach (Type? classWithConfig in types)
  475. {
  476. classesWithConfigProps.Add (classWithConfig.Name, classWithConfig);
  477. }
  478. //Debug.WriteLine ($"ConfigManager.getConfigProperties found {classesWithConfigProps.Count} classes:");
  479. classesWithConfigProps.ToList ().ForEach (x => Debug.WriteLine ($" Class: {x.Key}"));
  480. foreach (PropertyInfo? p in from c in classesWithConfigProps
  481. let props = c.Value
  482. .GetProperties (
  483. BindingFlags.Instance
  484. | BindingFlags.Static
  485. | BindingFlags.NonPublic
  486. | BindingFlags.Public
  487. )
  488. .Where (
  489. prop =>
  490. prop.GetCustomAttribute (
  491. typeof (SerializableConfigurationProperty)
  492. ) is
  493. SerializableConfigurationProperty
  494. )
  495. let enumerable = props
  496. from p in enumerable
  497. select p)
  498. {
  499. if (p.GetCustomAttribute (typeof (SerializableConfigurationProperty)) is SerializableConfigurationProperty
  500. scp)
  501. {
  502. if (p.GetGetMethod (true)!.IsStatic)
  503. {
  504. // If the class name is omitted, JsonPropertyName is allowed.
  505. _allConfigProperties!.Add (
  506. scp.OmitClassName
  507. ? ConfigProperty.GetJsonPropertyName (p)
  508. : $"{p.DeclaringType?.Name}.{p.Name}",
  509. new() { PropertyInfo = p, PropertyValue = null }
  510. );
  511. }
  512. else
  513. {
  514. throw new (
  515. $"Property {
  516. p.Name
  517. } in class {
  518. p.DeclaringType?.Name
  519. } is not static. All SerializableConfigurationProperty properties must be static."
  520. );
  521. }
  522. }
  523. }
  524. _allConfigProperties = _allConfigProperties!.OrderBy (x => x.Key)
  525. .ToDictionary (
  526. x => x.Key,
  527. x => x.Value,
  528. StringComparer.InvariantCultureIgnoreCase
  529. );
  530. //Debug.WriteLine ($"ConfigManager.Initialize found {_allConfigProperties.Count} properties:");
  531. //_allConfigProperties.ToList ().ForEach (x => Debug.WriteLine ($" Property: {x.Key}"));
  532. AppSettings = new ();
  533. }
  534. /// <summary>Creates a JSON document with the configuration specified.</summary>
  535. /// <returns></returns>
  536. [RequiresUnreferencedCode ("AOT")]
  537. [RequiresDynamicCode ("AOT")]
  538. internal static string ToJson ()
  539. {
  540. //Debug.WriteLine ("ConfigurationManager.ToJson()");
  541. return JsonSerializer.Serialize (Settings!, typeof (SettingsScope), _serializerContext);
  542. }
  543. [RequiresUnreferencedCode ("AOT")]
  544. [RequiresDynamicCode ("AOT")]
  545. internal static Stream ToStream ()
  546. {
  547. string json = JsonSerializer.Serialize (Settings!, typeof (SettingsScope), _serializerContext);
  548. // turn it into a stream
  549. var stream = new MemoryStream ();
  550. var writer = new StreamWriter (stream);
  551. writer.Write (json);
  552. writer.Flush ();
  553. stream.Position = 0;
  554. return stream;
  555. }
  556. private static void ClearJsonErrors () { _jsonErrors.Clear (); }
  557. }