Update doc for Preview 5 (dotnet/corefx#37433)
authorSteve Harter <steveharter@users.noreply.github.com>
Fri, 3 May 2019 23:03:07 +0000 (16:03 -0700)
committerGitHub <noreply@github.com>
Fri, 3 May 2019 23:03:07 +0000 (16:03 -0700)
Commit migrated from https://github.com/dotnet/corefx/commit/214f424c1821c4b8979b37762098defe17ac0db6

src/libraries/System.Text.Json/docs/SerializerProgrammingModel.md

index e1fe82e..59633a1 100644 (file)
@@ -1,8 +1,6 @@
 This document describes the current serializer API (both committed and forward-looking) and provides information on associated features.
 
-Related API issues:
-- [Main API](https://github.com/dotnet/corefx/issues/34372)
-- [Property Name Policy](https://github.com/dotnet/corefx/issues/36351)
+The APIs shown here reflection Preview 5.
 
 Design points:
 - Due to time constraints, and to gather feedback, the feature set is intended to a minimum viable product for 3.0.
@@ -28,19 +26,19 @@ Using a simple POCO class:
     }
 ```
 
-To deserialize JSON bytes into a POCO instance:
+To deserialize a JSON string into a POCO instance:
 ```cs
-    ReadOnlySpan<byte> utf8= ...
-    Person person = JsonSerializer.Parse<Person>(utf8);
+    string json = ...
+    Person person = JsonSerializer.Parse<Person>(json);
 ```
 
-To serialize an object to JSON bytes:
+To serialize an object to a JSON string:
 ```cs
     Person person = ...
-    byte[] utf8 = JsonSerializer.ToBytes(person);
+    string json = JsonSerializer.ToString(person);
 ```
 
-The string-based `Parse()` and `ToString()` are convenience methods for strings, but slower than using the `<byte>` flavors because UTF8 must be converted to\from UTF16.
+Note there are also byte[]-based methods of these which are faster than using the string-based methods because the bytes (as UTF8) do not need to be converted to\from string (UTF16).
 
 ```cs
 namespace System.Text.Json.Serialization
@@ -69,15 +67,9 @@ namespace System.Text.Json.Serialization
 }
 ```
 ## JsonSerializerOptions
-This class contains the options that are used during (de)serialization.
-
-The design-time attributes applied to either a class or property can be specified or overridden at runtime here through the use of `AddAttribute()` methods or by setting the appropriate property on the options class.
+This class contains the options that are used during (de)serialization and optionally passed as the last argument into methods in `JsonSerializer`. If not specified, a global version is used (which is not accessible).
 
-If an instance of `JsonSerializerOptions` is not specified when calling read\write then a default instance is used which is immutable and private. Having a global\static instance is not a viable feature because of unintended side effects when more than one area of code changes the same settings. Having a instance specified per thread\context mechanism is possible, but will only be added pending feedback. It is expected that ASP.NET and other consumers that have non-default settings maintain their own global, thread or stack variable and pass that in on every call. ASP.NET and others may also want to read a .config file at startup in order to initialize the options instance.
-
-An instance of this class and exposed objects will be immutable once (de)serialization has occurred. This allows the instance to be shared globally with the same settings without the worry of side effects. The immutability is also desired with a future code-generation feature. Due to the immutable nature and fine-grain control over options through Attributes, it is expected that the instance is shared across users and applications. We may provide a Clone() method pending feedback.
-
-For performance, when a `JsonSerializerOptions` instance is used, it should be cached or re-used especially when run-time attributes are added because when that occurs, caches are held by the instance instead of being global.
+For performance, when a `JsonSerializerOptions` instance is created, it should be cached or re-used because caches are held by it.
 
 ```cs
 namespace System.Text.Json.Serialization
@@ -86,475 +78,144 @@ namespace System.Text.Json.Serialization
     {
         public JsonSerializerOptions();
 
-        // All bool? properties assume default 'false' semantics
-
-        // Once deserialization occurs, these properties can no longer be
-        // set (an InvalidOperationException will be thrown).
-
-        public int DefaultBufferSize { get; set; } // Default value is 16K
-        public Func<string, string>? DictionaryKeyConverter { get; set; }
-        public bool? IgnoreNullValue { get; set; }
-        public bool? IgnoreReadOnly { get; set; }
-        public int? MaxReadDepth { get; set; }
-        public Func<string, string>? PropertyNameConverter { get; set; }
-        public JsonCommentHandling? ReadCommentHandling { get; set; }
-        public bool? CamelCasePropertyNames { get; set; }
-        public bool? WriteIndented { get; set; }
-
-        // Add a attribute at run-time.
-        // These methods can be called until (de)serialization occurs for the given type.
-        public void AddAttribute(JsonAttribute value, Type type);
-        public void AddAttribute(JsonAttribute value, Type type, string propertyName);
-    }
-
-    public abstract class JsonAttribute : Attribute
-    {
-    }
-}
-```
-## JsonIgnoreAttribute
-This attribute specifies that the property is not serialized.
-
-```cs
-    [JsonIgnore] public DateTime? BirthDay { get; set; }
-```
-
-### API
-```cs
-namespace System.Text.Json.Serialization
-{
-    [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)]
-    public sealed class JsonIgnoreAttribute : JsonAttribute
-    {
-        public JsonIgnoreAttribute();
-    }
-}
-```
-## JsonIgnoreReadOnlyAttribute
-This attribute specifies that readonly properties are not serialized. Only applies to a class.
-
-```cs
-    // Properties that do not have a setter will not be written to JSON
-    [JsonIgnoreReadOnly]
-    public class Person
-```
+        // Note that all bool-based properties are false by default.
 
-### API
-```cs
-namespace System.Text.Json.Serialization
-{
-    [AttributeUsage(AttributeTargets.Class, AllowMultiple = false)]
-    public sealed class JsonIgnoreReadOnlyAttribute : JsonAttribute
-    {
-        public JsonIgnoreReadOnlyAttribute();
-    }
-
-    public class JsonSerializerOptions
-    {
-...
-        public bool IgnoreReadOnly {get; set;}
-...
+        public bool AllowTrailingCommas { get; set; }
+        public int DefaultBufferSize { get; set; }
+        public JsonNamingPolicy DictionaryKeyPolicy { get; set; }
+        public bool IgnoreNullValues { get; set; }
+        public bool IgnoreReadOnlyProperties { get; set; }
+        public int MaxDepth { get; set; }
+        public bool PropertyNameCaseInsensitive { get; set; }
+        public JsonNamingPolicy PropertyNamingPolicy { get; set; }
+        public JsonCommentHandling ReadCommentHandling { get; set; }
+        public bool WriteIndented { get; set; }
     }
 }
-```
-
-## JsonIgnoreNullValueAttribute
-This attribute specifies that properties with a null value are not (de)serialized. Applies to a property but can be defaulted by applying to a class.
-
-```cs
-    [JsonIgnoreNullValue]
-    public class Person
-```
-
-or to a property:
-
-```cs
-    public class Person
-    {
-...
-        [JsonIgnoreNullValue] public DateTime? BirthDay { get; set; }
-...
-    }
-```
-
-### API
-```cs
-namespace System.Text.Json.Serialization
-{
-    [AttributeUsage(AttributeTargets.Class | AttributeTargets.Property, AllowMultiple = false)]
-    public sealed class JsonIgnoreNullValueAttribute : JsonAttribute
-    {
-        public JsonIgnoreNullValueAttribute();
-    }
 
-    public class JsonSerializerOptions
-    {
-...
-        public bool IgnoreNullValue {get; set;}
-...
-    }
-}
 ```
-
 ## Property Name feature
-These attributes determine how a property name is (de)serialized. Functionality includes:
-- An attribute used to specify an explicit name (`JsonNameAttribute`).
-- An attribute used to specify camel casing (`JsonCamelCasingAttribute`).
-    - An abstract base attribute (`JsonNameConverterAttribute`) that is an extension point used to create additional attributes, such as one to support snake-casing.
-- A base attribute for the ones above (`JsonPropertyNamePolicyAttribute`) that specifies whether to use case-insensitive property name comparisons (by default case-sensitive).
+This feature determine how a property name is (de)serialized. Functionality includes:
+- An attribute used to specify an explicit name (`JsonPropertyNameAttribute`).
+- The `JsonSerializerOptions.PropertyNamingPolicy` property specifies a name converter for properties, such as a converter for camel-casing.
+- A similar `DictionaryKeyPolicy` property is used to specify a name converter for dictionary keys.
 
-To change a property name explicitly (JSON will contain "birthdate" instead of "BirthDay")
+To change a property name using the attribute (JSON will contain "birthdate" instead of "BirthDay")
 ```cs
     public class Person
     {
 ...
-        [JsonName("birthdate")] public DateTime BirthDay { get; set; }
+        [JsonPropertyName("birthdate")] public DateTime BirthDay { get; set; }
 ...
     }
 ```
 
-To use case-insensitivity:
+To specify camel-casing:
 ```cs
-        [JsonPropertyNamePolicy(CaseInsensitive = true)] public DateTime? BirthDay { get; set; }
-```
+    var options = new JsonSerializerOptions();
+    options.PropertyNamingPolicy = JsonNamingPolicy.CamelCase;
 
-To use camel-casing (JSON will contain "birthDay" instead of "BirthDay")
-```cs
-        [JsonCamelCasing] public DateTime BirthDay { get; set; }
+    // Be sure to specify the options class on calls to the serializer:
+    string json = JsonSerializer.ToString(person, options);
 ```
 
-To use camel-casing and case-insensitivity:
-```cs
-        [JsonCamelCasing(CaseInsensitive = true)] public DateTime BirthDay { get; set; }
-```
+It is possible to author a new converter by deriving from `JsonNamingPolicy` and overriding `ConvertName`.
+
 ### API
 ```cs
 namespace System.Text.Json.Serialization
 {
     [AttributeUsage(AttributeTargets.Class | AttributeTargets.Property, AllowMultiple = false)]
-    public sealed class JsonCamelCasingAttribute : JsonNameConverterAttribute
+    public sealed class JsonPropertyNameAttribute : System.Text.Json.Serialization.JsonAttribute
     {
-        public JsonCamelCasingAttribute();
-        public override Func<string, string> ResolveName;
-    }
-
-    [AttributeUsage(AttributeTargets.Class | AttributeTargets.Property, AllowMultiple = false)]
-    public abstract class JsonNameConverterAttribute : JsonPropertyNamePolicyAttribute
-    {
-        public JsonNameConverterAttribute();
-        public abstract Func<string, string> ResolveName;
-    }
-
-    [AttributeUsage(AttributeTargets.Property, AllowMultiple = false)]
-    public sealed class JsonNameAttribute : JsonPropertyNamePolicyAttribute
-    {
-        public JsonPropertyNameAttribute();
-        public JsonPropertyNameAttribute(string name);
-
+        public JsonPropertyNameAttribute(string propertyName) { }
         public string Name { get; set; }
     }
 
-    [AttributeUsage(AttributeTargets.Class | AttributeTargets.Property, AllowMultiple = false)]
-    public class JsonPropertyNamePolicyAttribute : JsonAttribute
+    public abstract partial class JsonNamingPolicy
     {
-        public bool CaseInsensitive { get; set; }
-    }
+        public static System.Text.Json.Serialization.JsonNamingPolicy CamelCase { get; }
 
-    public class JsonSerializerOptions
-    {
-...
-        public Func<string, string>? PropertyNameConverter { get; set; }
-...
-    }
+        protected JsonNamingPolicy() { }
+        public abstract string ConvertName(string name);
+    }    
 }
 ```
-_Note that these attributes are not used to change the naming policy for Dictionary keys, Enum item names or other cases. Dictionary and Enum support is TBD but may have their own attribute for this and\or a callback approach may be used._
-
-## Date Converter feature
-Dates are not part of JSON, so we need a converter. Dates are typically JSON strings. Currently there is an internal `DateTime` and `DateTimeOffset` converter that currently supports ISO 8601 format of `"yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK"`. See https://github.com/dotnet/corefx/issues/34690 for more information.
-
-If the internal converter is not sufficient, such as when the format has a custom format or is not ISO 8601 compatible, then a developer can add a new type that derives from `JsonDataTypeConverterAttribute` and specifies `PropertyType=typeof(DateTime)` or `PropertyType=typeof(DateTimeConverter)` on that attribute.
-
-## Enum Converter feature
-By default, Enums are treated as longs in the JSON. This is most efficient and supports bit-wise attributes without any extra work.
 
-This attribute, through `TreatAsString=true` allows Enums to be written with their string-based literal value. If this is not sufficient, a developer can derive from `JsonDataTypeConverterAttribute` and have that attribute specify `PropertyType=typeof(Enum)` or the specific Type of enum to define behavior for. Currently bit-wise string-based attributes are not supported (Json.Net supports this through a comma-separated list).
+## Ignore feature
+The `JsonIgnore` attribute specifies that the property is not serialized or deserialized.
 
 ```cs
-namespace System.Text.Json.Serialization
-{
-    [AttributeUsage(AttributeTargets.Class | AttributeTargets.Property, AllowMultiple = true)]
-    public sealed class JsonEnumConverterAttribute: JsonDataTypeConverterAttribute
-    {
-        public JsonEnumConverterAttribute();
-        public JsonEnumConverterAttribute(bool treatAsString = default);
-
-        public bool TreatAsString { get; set; }
-
-        public override System.Text.Json.Serialization.Policies.JsonDataTypeConverter<object> GetConverter();
-        public override System.Text.Json.Serialization.Policies.JsonDataTypeConverter<TValue> GetConverter<TValue>();
-    }
-}
+    [JsonIgnore] public DateTime? BirthDay { get; set; }
 ```
 
-## ICollection and Array Converter feature
-By default there is an internal ICollection converter that supports any concrete class that implements IList and an Array converter that supports jagged arrays (`foo[][]`) but not multidimensional (`foo[,]`).
-
-## Enumerable Converter extensibility feature
-The abstract `JsonEnumerableConverterAttribute` attribute is derived from to determine how an IEnumerable is converted by default during deserialization. This policy can be used when the collection type does not implement IList, the property returns an abstract type or interface, or for immutable collection types or similar collections which require all values passed into the constructor.
-
-This attribute is used internally by the default Array converter since Arrays do not implement IList and because the size must be known while creating the Array.
-
-## Policy namespace
-This namespace contains classes that are not normally used or seen by the consumer. Instead, they are used by an author when deriving\extending existing attributes. Having them in a separate namespace reduces the class count of the main namespace.
-
+### API
 ```cs
-namespace System.Text.Json.Serialization.Policies
-{
-    [AttributeUsage(AttributeTargets.Class | AttributeTargets.Property, AllowMultiple = true)]
-    public abstract class JsonEnumerableConverterAttribute: Attribute
-    {
-        public EnumerableConverterAttribute();
-        public Type EnumerableType { get; protected set; }
-        public JsonEnumerableConverter CreateConverter();
-    }
-
-    public abstract class JsonEnumerableConverter
-    {
-        protected JsonEnumerableConverter();
-        public abstract IEnumerable CreateFromList(Type elementType, IList sourceList);
-    }
-
-    // Base Attribute class for data type converters.
-    [AttributeUsage(AttributeTargets.Class | AttributeTargets.Property, AllowMultiple = true)]
-    public abstract class JsonDataTypeConverterAttribute : Attribute
-    {
-        public Type PropertyType {get; protected set;}
-        public abstract JsonDataTypeConverter<TValue> GetConverter<TValue>;
-    }
-
-    // Base data type converter class.
-    // Review note: this may be refactored to add an abstraction on top of the reader and writer.
-    //  This would allow for a single Write() method instead of two (it will handle property name or lack of)
-    //  and prevent potential misuses of exposing the Utf8JsonReader and Utf8JsonWriter directly.
-    public abstract class JsonDataTypeConverter<TValue>
-    {
-        // Returning false here will case a JsonReaderException to be thrown.
-        public abstract bool TryRead(Type valueType, ref Utf8JsonReader reader, out TValue value);
-
-        // An implementation of this calls the lower-level reader\writer `WriteXXXValue()` methods.
-        public abstract void Write(TValue value, ref Utf8JsonWriter writer);
-
-        // An implementation of this calls the lower-level reader\writer `WriteXXX()` methods.
-        // Review note: ideally this `Write()` which takes the property name doesn't need to exist; doing that required the lower-level reader\writer to add functionality.
-        public abstract void Write(Span<byte> escapedPropertyName, TValue value, ref Utf8JsonWriter writer);
-    }
-}
+   [System.AttributeUsage(AttributeTargets.Property, AllowMultiple=false)]
+   public sealed partial class JsonIgnoreAttribute : System.Text.Json.Serialization.JsonAttribute
+   {
+       public JsonIgnoreAttribute() { }
+   }
 ```
 
-## Extensibility and manual (de)serialization
-There are several scenarios where lower-level callbacks are necessary. Here are some examples:
-- OnDeserializing: initialize collections and other properties before serialization occurs.
-- OnDeserialized: handle "underflow" scenarios by defaulting unassigned properties; set calculated properties.
-- OnSerializing: assign default values as appropriate and write any properties not present in public properties.
-- OnSerialized: write any additional properties that occur after the normal properties are serialized.
-- OnPropertyRead: manually deserialize the property.
-- OnPropertyWrite: manually serialize the property.
-- OnMissingPropertyRead: manually deserialize a missing property.
-- OnMissingPropertyWrite: manually serialize missing properties.
-- OnMissingPropertyDeserialized: apply "overflow" json data and assign to the poco object, or remember it for later for serialization.
-
-From a design standpoint, these callbacks could occur in several locations:
-1) On the actual POCO instance.
-2) On a converter type for the POCO.
-3) As an event raised from the options class or elsewhere.
-
-The current design and prototype supports (1) and (2) through the use of interfaces either applied to a POCO or to a Converter.
-
-These extensibility interfaces exist in the `System.Text.Json.Serialization.Converters` namespace which is used by those that need to author code to perform manual deserialization. This namespace is not used by normal consumers. In the future it will also contain several simple static methods to help with per-property converters such as Enums and DateTime.
-
-```cs
-namespace System.Text.Json.Serialization.Converters
-{
-    public interface IJsonTypeConverterOnDeserialized
-    {
-        void OnDeserialized(object obj, JsonClassInfo jsonClassInfo, JsonSerializerOptions options);
-    }
+## Case insensitivity feature
+The `JsonSerializerOptions.PropertyNameCaseInsensitive` property specifies that property names in JSON should be treated as being case-insensitive when finding the corresponding property name on an object. The default is case-sensitive.
 
-    public interface IJsonTypeConverterOnDeserializing
-    {
-        void OnDeserializing(object obj, JsonClassInfo jsonClassInfo, JsonSerializerOptions options);
-    }
+Note that Json.NET is case-insensitive by default.
 
-    public interface IJsonTypeConverterOnSerialized
-    {
-        void OnSerialized(object obj, JsonClassInfo jsonClassInfo, in Utf8JsonWriter writer, JsonSerializerOptions options);
-    }
-
-    public interface IJsonTypeConverterOnSerializing
-    {
-        void OnSerializing(object obj, JsonClassInfo jsonClassInfo, in Utf8JsonWriter writer, JsonSerializerOptions options);
-    }
+## Date Support
+Dates are not part of JSON, so an internal converter is supplied. Dates are typically JSON strings. Currently there is an internal `DateTime` and `DateTimeOffset` converter that currently supports ISO 8601 formats. See https://github.com/dotnet/corefx/issues/34690 for more information.
 
-   // TBD: the other interfaces mentioned earlier to support OnPropertyRead etc...
-}
-```
-
-A converter is specified through an attribute:
-```cs
-namespace System.Text.Json.Serialization
-{
-    [AttributeUsage(AttributeTargets.Class, AllowMultiple = false)]
-    public class JsonClassAttribute : System.Attribute
-    {
-        public JsonClassAttribute() { }
-        public Type ConverterType { get; set; }
-    }
-}
-```
-The `JsonClassInfo` type passed into the callbacks support exposing metadata on the object including its System.Type and exposes the type's properties and their converters, escaped name, etc:
-```cs
-namespace System.Text.Json.Serialization
-{
-    public sealed class JsonClassInfo
-    {
-        public System.Type Type { get; }
+If the internal converter is not sufficient, such as when the format has a custom format or is not ISO 8601 compatible, then a developer will be able to add a new value converter.
 
-        public JsonPropertyInfo GetProperty(ReadOnlySpan<byte> propertyName);
-        public JsonPropertyInfo GetProperty(string propertyName);
+## Enum Supprt
+By default, Enums are treated as longs in the JSON. This is most efficient. There will be future support to be based on strings; likely through an attribute to change the default for a given property and an option on `JsonSerializerOptions` to change the default globally.
 
-        public void AddDataTypeConverter(JsonDataTypeConverterAttribute attribute);
-        public JsonPropertyValueAttribute PropertyPolicyDefault { get; set; }
-        public JsonPropertyNamePolicyAttribute PropertyNamePolicyDefault { get; set; }
-    }
+## ICollection and Array Converter feature
+By default there is an internal converter that supports any concrete class that implements IList<T> and an Array converter that supports jagged arrays (`foo[][]`) but not multidimensional (`foo[,]`).
 
-    public abstract class JsonPropertyInfo
-    {
-        public string EscapedName { get; }
-        public string Name { get; }
-        public PropertyInfo PropertyInfo { get; }
+Work is underway to support collections in the System.Collections.Immutable namespace and others automatically.
 
-        public JsonDataTypeConverterAttribute DataTypeConverter { get; set; }
-        public JsonPropertyValueAttribute PropertyPolicyDefault { get; set; }
-        public JsonPropertyNamePolicyAttribute PropertyNamePolicyDefault { get; set; }
-    }
-
-    // Each JsonPropertyInfo is an instance of this (to avoid boxing)
-    public class JsonPropertyInfo<TValue> : JsonPropertyInfo
-    {
-        // This is the effective data type converter that will be used.
-        public JsonDataTypeConverter<TValue> DataTypeConverter { get; }
-    }
-}
-```
-
-Note that `JsonClassInfo`, `JsonPropertyInfo`, and `JsonPropertyInfo<TValue>` are all used internally by the (de)serializer for its core implementation and thus are not created just for extensibility.
+## Extensibility and manual (de)serialization
+This is a pending feature and design work and requirement gathering is underway. There will likely be two types of converters: a "value" converter for primitive types that have a single value in JSON (such as a number or string) and an "object" converter that allows access to the reader and writer and will have before- and after- callbacks. These converters will be registered with `JsonSerializerOptions`.
 
 # API comparison to Json.NET
 ## Simple scenario
 Json.NET:
 ```cs
     Person person = ...;
-    string result = JsonConvert.SerializeObject(person);
-    person = JsonConvert.DeserializeObject(person);
+    string json = JsonConvert.SerializeObject(person);
+    person = JsonConvert.DeserializeObject(json);
 ```
 
 JsonSerializer:
 ```cs
     Person person = ...;
-    byte[] result = JsonSerializer.ToBytes(person);
-    person = JsonSerializer.Parse(result);
+    string json = JsonSerializer.ToBytes(person);
+    person = JsonSerializer.Parse(json);
 ```
 ## Simple scenario with run-time settings
 Json.NET:
 ```cs
     var settings = new JsonSerializerSettings();
     settings.NullValueHandling = NullValueHandling.Ignore;
-    string result = JsonConvert.SerializeObject(person, settings);
+    string json = JsonConvert.SerializeObject(person, settings);
 ```
 
 JsonSerializer:
 ```cs
     var options = new JsonSerializerOptions();
-    options.JsonPropertyValueAttribute = new JsonPropertyValueAttribute
-    {
-        IgnoreNullValueOnRead = true,
-        IgnoreNullValueOnWrite = true
-    };
-    byte[] result = JsonSerializer.ToBytes(person, options);
+    options.IgnoreNullValues = true;
+    string json = JsonSerializer.ToString(person, options);
 ```
 
 Note that Json.NET also has a `JsonSerializer` class with instance methods for advanced scenarios. See also Json.NET [code samples](https://www.newtonsoft.com/json/help/html/Samples.htm) and [documentation](https://www.newtonsoft.com/json/help/html/R_Project_Documentation.htm).
 
-## Callbacks
-Json.NET:
-```cs
-    public class Person
-    {
-        private string _foo;
-
-        [OnDeserializing()]
-        internal void OnDeserializing(StreamingContext context)
-        {
-            _foo = "custom value";
-        }
-    }
-```
-
-JsonSerializer
-```cs
-    public class Person : IJsonTypeConverterOnDeserializing
-    {
-        private string _foo;
-
-        void IJsonTypeConverterOnDeserializing.OnDeserializing(object obj, JsonClassInfo jsonClassInfo, JsonSerializerOptions options)
-        {
-            _foo = "Hello";
-        }
-    }
-```
-or using a POCO converter type (so the POCO class itself doesn't need to be modified)
-```cs
-    // Attribute can also be specified at run-time.
-    [JsonClass(ConverterType = typeof(MyPersonConverter))]
-    public class Person
-    {
-        private string _foo;
-
-        public void SetFoo(string value)
-        {
-            _foo = value;
-        }
-    }
-
-    internal struct MyPersonConverter : IJsonTypeConverterOnDeserializing
-    {
-        void IJsonTypeConverterOnDeserializing.OnDeserializing(object obj, JsonClassInfo jsonClassInfo, JsonSerializerOptions options)
-        {
-            ((MyPerson)obj).SetFoo("Hello");
-        }
-    }
-```
-
-A converter instance is created during deserialization and again during serialization. However since the same instance is used for the entire deserialization (and similarly for serialization), the instance of the converter can maintain state across callbacks, which is useful for logic such as remembering "overflow" property values as they are deserialized in order to use them later during OnDeserialized.
-
-If the converter cannot assign "overflow" state to the POCO for later serialization, then we will need a feature to support the converter adding that state to an user-defined object that will be returned from the `JsonSerializer` "read" methods and then manually passed back to the "write" methods, or adding an attribute that can be applied to a property on the POCO type that represents an overflow property bag.
-
 # Design notes
-## Attribute Usage
-All supported attributes are located in the `System.Text.Json.Serialization` namespace, although new ones can be added by the community through inheritance as previously discussed (for example for Enums, DateTime, PhoneNumber).
-
-Having all attributes in a single namespace makes it intuitive to find the appropriate functionality. However it is different from some other serializers which re-use attributes from:
-- [DataContract] from System.Runtime.Serialization.
-- [DataMember] from System.Runtime.Serialization. Typically just the "Name" property is supported.
-- [EnumMember] from System.Runtime.Serialization.
-- [IgnoreDataMember] from System.Runtime.Serialization.
-- [Serializable] and [NonSerializable] from System (for fields).
-- ShouldSerializeXXX pattern.
-
-Json.NET for example supports both their own `JsonPropertyAttribute` and `DataMemberAttribute` to specify the name override of a property.
+## JsonSerializerOptions
+If an instance of `JsonSerializerOptions` is not specified when calling read\write then a default instance is used which is immutable and private. Having a global\static instance is not a viable feature because of unintended side effects when more than one area of code changes the same settings. Having a instance specified per thread\context mechanism is possible, but will only be added pending feedback. It is expected that ASP.NET and other consumers that have non-default settings maintain their own global, thread or stack variable and pass that in on every call. ASP.NET and others may also want to read a .config file at startup in order to initialize the options instance.
 
-Pending feedback, we may elect to support some of these other attributes to help with compatibility with existing POCOs types.
+An instance of this class and exposed objects will be immutable once (de)serialization has occurred. This allows the instance to be shared globally with the same settings without the worry of side effects. The immutability is also desired with a future code-generation feature. Due to the immutable nature and fine-grain control over options through Attributes, it is expected that the instance is shared across users and applications. We may provide a Clone() method pending feedback.
 
 ## Static typing \ polymorphic behavior
 The Read\Write methods specify statically (at compile time) the POCO type through `<TValue>` which below is `<Person>`:
@@ -582,30 +243,12 @@ In this case, if `person` is actually a Customer object, the Customer will be se
 When POCO objects are returned from other properties or collection, they follow the same static typing based on the property's type or the collection's generic type. There is not a mechanism to support polymorphic behavior here, although that could be added in the future as an opt-in model.
 
 ## Async support for Stream and Pipe (Pipe support pending active discussions)
-The design supports async methods that can stream with a buffer size around the size of the largest property value which means the capability to asynchronously (de)serialize a very large object tree with a minimal memory footprint.
+The design supports async methods that can stream with a buffer size around the size of the largest property value which means the capability to asynchronously (de)serialize a very large object tree with a minimal memory footprint. This is unlike other serializers which may "drain" the Stream upfront during deserialization and pass around a potentially very large buffer which can cause the allocations to be placed on the Large Object Heap and cause other performance issues or simply run out of memory.
 
 Currently the async `await` calls on Stream and Pipe is based on a byte threshold determined by the current buffer size.
 
 For the Stream-based async methods, the Stream's `ReadAsync()` \ `WriteAsync()` are awaited. There is no call to `FlushAsync()` - it is expected the consumer does this or uses a Stream or an adapter that can auto-flush.
 
-## Layering of Attributes
-Currently the information below applies to `JsonPropertyValueAttribute` and `JsonPropertyNameAttribute`, but the same rules would apply to any similar future property.
-
-Using design-time attributes means that consumers of POCO types should not to apply any run-time options for common scenarios, making it easier for various consumers to properly use these types.
-
-A given Attribute class can typically be applied to a Property or Class either at run-time or design-time. In addition at run-time a global attribute to the current JsonSerializerOptions instance can be specified. The lower-level (e.g. property) having precedence of the higher-level (e.g. class). This allows for global options with override capability.
-
-Note: we could add design-time support for applying an attribute to an Assembly if that feature is desired.
-
-For Attribute classes with several properties\options, a `null` value for a given setting indicates no setting, and a lower-level setting should be used.
-
-The rules listed:
-- Attributes added at run-time override design-time attributes when both applied to the same level (global, class or property).
-- Attributes at a lower-level (e.g. property) have precedence over high-level (e.g. class).
-- A null value of a property on an Attribute (if allowed) means there is no setting. This allows a given Attribute to contain more than one "independent" option and allows assigning that value somewhere else.
-
-The attributes specified at run-time on `JsonSerializerOptions` instance have the least precedence and thus are the "default" values if no design-time attributes exist for them or other run-time attributes specify those same option(s) on a class or property.
-
 ## Performance
 The goal is to have a super fast (de)serializer given the feature set with minimal overhead on top of the reader and writer.
 
@@ -621,7 +264,7 @@ Design notes:
 ## Pending features that will affect the public API
 
 ### Loosely-typed arrays and objects
-Support for the equivalent of `JArray.Load(serializer)` and `JObject.Load(serializer)` to process out-of-order properties or loosely-typed objects that have to be manually (de)serialized.
+Support for the equivalent of `JArray.Load(serializer)` and `JObject.Load(serializer)` to process out-of-order properties or loosely-typed objects that have to be manually (de)serialized. This is being done
 ### Underflow \ overflow feature
 These are important for version resiliency as they can be used to be backwards- or forward- compatible with changes to JSON schemas. It also allows the POCO object to have minimal deserialized properties for the local logic but enables preserving the other loosely-typed properties for later serialization \ round-trip support.
 #### Default values \ underflow
@@ -643,13 +286,15 @@ Ability to specify which fields are required.
 - Char (as a JSON string of length 1)
 - DateTime (see the feature notes)
 - DateTimeOffset (see the feature notes)
+- Dictionary<string, TValue> (currently just primitives in Preview 5)
 - Double
-- Enum (see the feature notes)
+- Enum (as integer for now)
 - Int16
 - Int32
 - Int64
 - IEnumerable (see the feature notes)
 - IList (see the feature notes)
+- Object (polymorhic mode for serialization only)
 - Nullable < T >
 - SByte
 - Single