From 691e4c4573ec81febed8c81bfad76ac61d774843 Mon Sep 17 00:00:00 2001 From: clowwindy Date: Sat, 8 Nov 2014 12:52:33 +0800 Subject: [PATCH] better json format --- shadowsocks-csharp/3rd/SimpleJson.cs | 1944 ++++++++++++++++++ shadowsocks-csharp/shadowsocks-csharp.csproj | 2 +- 2 files changed, 1945 insertions(+), 1 deletion(-) create mode 100644 shadowsocks-csharp/3rd/SimpleJson.cs diff --git a/shadowsocks-csharp/3rd/SimpleJson.cs b/shadowsocks-csharp/3rd/SimpleJson.cs new file mode 100644 index 00000000..d8a3397f --- /dev/null +++ b/shadowsocks-csharp/3rd/SimpleJson.cs @@ -0,0 +1,1944 @@ +//----------------------------------------------------------------------- +// +// Copyright (c) 2011, The Outercurve Foundation. +// +// Licensed under the MIT License (the "License"); +// you may not use this file except in compliance with the License. +// You may obtain a copy of the License at +// http://www.opensource.org/licenses/mit-license.php +// +// Unless required by applicable law or agreed to in writing, software +// distributed under the License is distributed on an "AS IS" BASIS, +// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +// See the License for the specific language governing permissions and +// limitations under the License. +// +// Nathan Totten (ntotten.com), Jim Zimmerman (jimzimmerman.com) and Prabir Shrestha (prabir.me) +// https://github.com/facebook-csharp-sdk/simple-json +//----------------------------------------------------------------------- + +// VERSION: + +// NOTE: uncomment the following line to make SimpleJson class internal. +//#define SIMPLE_JSON_INTERNAL + +// NOTE: uncomment the following line to make JsonArray and JsonObject class internal. +//#define SIMPLE_JSON_OBJARRAYINTERNAL + +// NOTE: uncomment the following line to enable dynamic support. +//#define SIMPLE_JSON_DYNAMIC + +// NOTE: uncomment the following line to enable DataContract support. +//#define SIMPLE_JSON_DATACONTRACT + +// NOTE: uncomment the following line to use Reflection.Emit (better performance) instead of method.invoke(). +// don't enable ReflectionEmit for WinRT, Silverlight and WP7. +//#define SIMPLE_JSON_REFLECTIONEMIT + +// NOTE: uncomment the following line if you are compiling under Window Metro style application/library. +// usually already defined in properties +//#define NETFX_CORE; + +// original json parsing code from http://techblog.procurios.nl/k/618/news/view/14605/14863/How-do-I-write-my-own-parser-for-JSON.html + +using System; +using System.Collections; +using System.Collections.Generic; +using System.ComponentModel; +using System.Diagnostics.CodeAnalysis; +#if SIMPLE_JSON_DYNAMIC +using System.Dynamic; +#endif +using System.Globalization; +using System.Reflection; +#if SIMPLE_JSON_REFLECTIONEMIT +using System.Reflection.Emit; +#endif +#if SIMPLE_JSON_DATACONTRACT +using System.Runtime.Serialization; +#endif +using System.Text; +using SimpleJson.Reflection; + +namespace SimpleJson +{ + #region JsonArray + + /// + /// Represents the json array. + /// + [EditorBrowsable(EditorBrowsableState.Never)] + [SuppressMessage("Microsoft.Naming", "CA1710:IdentifiersShouldHaveCorrectSuffix")] +#if SIMPLE_JSON_OBJARRAYINTERNAL + internal +#else + public +#endif + class JsonArray : List + { + /// + /// Initializes a new instance of the class. + /// + public JsonArray() { } + + /// + /// Initializes a new instance of the class. + /// + /// The capacity of the json array. + public JsonArray(int capacity) : base(capacity) { } + + /// + /// The json representation of the array. + /// + /// The json representation of the array. + public override string ToString() + { + return SimpleJson.SerializeObject(this) ?? string.Empty; + } + } + + #endregion + + #region JsonObject + + /// + /// Represents the json object. + /// + [EditorBrowsable(EditorBrowsableState.Never)] + [SuppressMessage("Microsoft.Naming", "CA1710:IdentifiersShouldHaveCorrectSuffix")] +#if SIMPLE_JSON_OBJARRAYINTERNAL + internal +#else + public +#endif + class JsonObject : +#if SIMPLE_JSON_DYNAMIC + DynamicObject, +#endif + IDictionary + { + /// + /// The internal member dictionary. + /// + private readonly Dictionary _members = new Dictionary(); + + /// + /// Gets the at the specified index. + /// + /// + public object this[int index] + { + get { return GetAtIndex(_members, index); } + } + + internal static object GetAtIndex(IDictionary obj, int index) + { + if (obj == null) + throw new ArgumentNullException("obj"); + + if (index >= obj.Count) + throw new ArgumentOutOfRangeException("index"); + + int i = 0; + foreach (KeyValuePair o in obj) + if (i++ == index) return o.Value; + + return null; + } + + /// + /// Adds the specified key. + /// + /// The key. + /// The value. + public void Add(string key, object value) + { + _members.Add(key, value); + } + + /// + /// Determines whether the specified key contains key. + /// + /// The key. + /// + /// true if the specified key contains key; otherwise, false. + /// + public bool ContainsKey(string key) + { + return _members.ContainsKey(key); + } + + /// + /// Gets the keys. + /// + /// The keys. + public ICollection Keys + { + get { return _members.Keys; } + } + + /// + /// Removes the specified key. + /// + /// The key. + /// + public bool Remove(string key) + { + return _members.Remove(key); + } + + /// + /// Tries the get value. + /// + /// The key. + /// The value. + /// + public bool TryGetValue(string key, out object value) + { + return _members.TryGetValue(key, out value); + } + + /// + /// Gets the values. + /// + /// The values. + public ICollection Values + { + get { return _members.Values; } + } + + /// + /// Gets or sets the with the specified key. + /// + /// + public object this[string key] + { + get { return _members[key]; } + set { _members[key] = value; } + } + + /// + /// Adds the specified item. + /// + /// The item. + public void Add(KeyValuePair item) + { + _members.Add(item.Key, item.Value); + } + + /// + /// Clears this instance. + /// + public void Clear() + { + _members.Clear(); + } + + /// + /// Determines whether [contains] [the specified item]. + /// + /// The item. + /// + /// true if [contains] [the specified item]; otherwise, false. + /// + public bool Contains(KeyValuePair item) + { + return _members.ContainsKey(item.Key) && _members[item.Key] == item.Value; + } + + /// + /// Copies to. + /// + /// The array. + /// Index of the array. + public void CopyTo(KeyValuePair[] array, int arrayIndex) + { + int num = Count; + foreach (KeyValuePair kvp in this) + { + array[arrayIndex++] = kvp; + + if (--num <= 0) + return; + } + } + + /// + /// Gets the count. + /// + /// The count. + public int Count + { + get { return _members.Count; } + } + + /// + /// Gets a value indicating whether this instance is read only. + /// + /// + /// true if this instance is read only; otherwise, false. + /// + public bool IsReadOnly + { + get { return false; } + } + + /// + /// Removes the specified item. + /// + /// The item. + /// + public bool Remove(KeyValuePair item) + { + return _members.Remove(item.Key); + } + + /// + /// Gets the enumerator. + /// + /// + public IEnumerator> GetEnumerator() + { + return _members.GetEnumerator(); + } + + /// + /// Returns an enumerator that iterates through a collection. + /// + /// + /// An object that can be used to iterate through the collection. + /// + IEnumerator IEnumerable.GetEnumerator() + { + return _members.GetEnumerator(); + } + + /// + /// Returns a json that represents the current . + /// + /// + /// A json that represents the current . + /// + public override string ToString() + { + return SimpleJson.SerializeObject(this); + } + +#if SIMPLE_JSON_DYNAMIC + /// + /// Provides implementation for type conversion operations. Classes derived from the class can override this method to specify dynamic behavior for operations that convert an object from one type to another. + /// + /// Provides information about the conversion operation. The binder.Type property provides the type to which the object must be converted. For example, for the statement (String)sampleObject in C# (CType(sampleObject, Type) in Visual Basic), where sampleObject is an instance of the class derived from the class, binder.Type returns the type. The binder.Explicit property provides information about the kind of conversion that occurs. It returns true for explicit conversion and false for implicit conversion. + /// The result of the type conversion operation. + /// + /// Alwasy returns true. + /// + public override bool TryConvert(ConvertBinder binder, out object result) + { + // + if (binder == (ConvertBinder)null) + throw new ArgumentNullException("binder"); + // + Type targetType = binder.Type; + + if ((targetType == typeof(IEnumerable)) || + (targetType == typeof(IEnumerable>)) || + (targetType == typeof(IDictionary)) || +#if NETFX_CORE + (targetType == typeof(IDictionary<,>)) +#else + (targetType == typeof(IDictionary)) +#endif +) + { + result = this; + return true; + } + + return base.TryConvert(binder, out result); + } + + /// + /// Provides the implementation for operations that delete an object member. This method is not intended for use in C# or Visual Basic. + /// + /// Provides information about the deletion. + /// + /// Alwasy returns true. + /// + public override bool TryDeleteMember(DeleteMemberBinder binder) + { + // + if (binder == (DeleteMemberBinder)null) + throw new ArgumentNullException("binder"); + // + return _members.Remove(binder.Name); + } + + /// + /// Provides the implementation for operations that get a value by index. Classes derived from the class can override this method to specify dynamic behavior for indexing operations. + /// + /// Provides information about the operation. + /// The indexes that are used in the operation. For example, for the sampleObject[3] operation in C# (sampleObject(3) in Visual Basic), where sampleObject is derived from the DynamicObject class, is equal to 3. + /// The result of the index operation. + /// + /// Alwasy returns true. + /// + public override bool TryGetIndex(GetIndexBinder binder, object[] indexes, out object result) + { + if (indexes.Length == 1) + { + result = ((IDictionary)this)[(string)indexes[0]]; + return true; + } + result = (object)null; + return true; + } + + /// + /// Provides the implementation for operations that get member values. Classes derived from the class can override this method to specify dynamic behavior for operations such as getting a value for a property. + /// + /// Provides information about the object that called the dynamic operation. The binder.Name property provides the name of the member on which the dynamic operation is performed. For example, for the Console.WriteLine(sampleObject.SampleProperty) statement, where sampleObject is an instance of the class derived from the class, binder.Name returns "SampleProperty". The binder.IgnoreCase property specifies whether the member name is case-sensitive. + /// The result of the get operation. For example, if the method is called for a property, you can assign the property value to . + /// + /// Alwasy returns true. + /// + public override bool TryGetMember(GetMemberBinder binder, out object result) + { + object value; + if (_members.TryGetValue(binder.Name, out value)) + { + result = value; + return true; + } + result = (object)null; + return true; + } + + /// + /// Provides the implementation for operations that set a value by index. Classes derived from the class can override this method to specify dynamic behavior for operations that access objects by a specified index. + /// + /// Provides information about the operation. + /// The indexes that are used in the operation. For example, for the sampleObject[3] = 10 operation in C# (sampleObject(3) = 10 in Visual Basic), where sampleObject is derived from the class, is equal to 3. + /// The value to set to the object that has the specified index. For example, for the sampleObject[3] = 10 operation in C# (sampleObject(3) = 10 in Visual Basic), where sampleObject is derived from the class, is equal to 10. + /// + /// true if the operation is successful; otherwise, false. If this method returns false, the run-time binder of the language determines the behavior. (In most cases, a language-specific run-time exception is thrown. + /// + public override bool TrySetIndex(SetIndexBinder binder, object[] indexes, object value) + { + if (indexes.Length == 1) + { + ((IDictionary)this)[(string)indexes[0]] = value; + return true; + } + + return base.TrySetIndex(binder, indexes, value); + } + + /// + /// Provides the implementation for operations that set member values. Classes derived from the class can override this method to specify dynamic behavior for operations such as setting a value for a property. + /// + /// Provides information about the object that called the dynamic operation. The binder.Name property provides the name of the member to which the value is being assigned. For example, for the statement sampleObject.SampleProperty = "Test", where sampleObject is an instance of the class derived from the class, binder.Name returns "SampleProperty". The binder.IgnoreCase property specifies whether the member name is case-sensitive. + /// The value to set to the member. For example, for sampleObject.SampleProperty = "Test", where sampleObject is an instance of the class derived from the class, the is "Test". + /// + /// true if the operation is successful; otherwise, false. If this method returns false, the run-time binder of the language determines the behavior. (In most cases, a language-specific run-time exception is thrown.) + /// + public override bool TrySetMember(SetMemberBinder binder, object value) + { + // + if (binder == (SetMemberBinder)null) + throw new ArgumentNullException("binder"); + // + _members[binder.Name] = value; + return true; + } + + /// + /// Returns the enumeration of all dynamic member names. + /// + /// + /// A sequence that contains dynamic member names. + /// + public override IEnumerable GetDynamicMemberNames() + { + foreach (var key in Keys) + yield return key; + } +#endif + } + + #endregion +} + +namespace SimpleJson +{ + #region JsonParser + + /// + /// This class encodes and decodes JSON strings. + /// Spec. details, see http://www.json.org/ + /// + /// JSON uses Arrays and Objects. These correspond here to the datatypes JsonArray(IList<object>) and JsonObject(IDictionary<string,object>). + /// All numbers are parsed to doubles. + /// +#if SIMPLE_JSON_INTERNAL + internal +#else + public +#endif + class SimpleJson + { + private const int TOKEN_NONE = 0; + private const int TOKEN_CURLY_OPEN = 1; + private const int TOKEN_CURLY_CLOSE = 2; + private const int TOKEN_SQUARED_OPEN = 3; + private const int TOKEN_SQUARED_CLOSE = 4; + private const int TOKEN_COLON = 5; + private const int TOKEN_COMMA = 6; + private const int TOKEN_STRING = 7; + private const int TOKEN_NUMBER = 8; + private const int TOKEN_TRUE = 9; + private const int TOKEN_FALSE = 10; + private const int TOKEN_NULL = 11; + + private const int BUILDER_CAPACITY = 2000; + + /// + /// Parses the string json into a value + /// + /// A JSON string. + /// An IList<object>, a IDictionary<string,object>, a double, a string, null, true, or false + public static object DeserializeObject(string json) + { + object @object; + if (TryDeserializeObject(json, out @object)) + return @object; + throw new System.Runtime.Serialization.SerializationException("Invalid JSON string"); + } + + /// + /// Try parsing the json string into a value. + /// + /// + /// A JSON string. + /// + /// + /// The object. + /// + /// + /// Returns true if successfull otherwise false. + /// + public static bool TryDeserializeObject(string json, out object @object) + { + bool success = true; + if (json != null) + { + char[] charArray = json.ToCharArray(); + int index = 0; + @object = ParseValue(charArray, ref index, ref success); + } + else + @object = null; + + return success; + } + + public static object DeserializeObject(string json, Type type, IJsonSerializerStrategy jsonSerializerStrategy) + { + object jsonObject = DeserializeObject(json); + + return type == null || jsonObject != null && +#if NETFX_CORE + jsonObject.GetType().GetTypeInfo().IsAssignableFrom(type.GetTypeInfo()) +#else + jsonObject.GetType().IsAssignableFrom(type) +#endif + ? jsonObject + : (jsonSerializerStrategy ?? CurrentJsonSerializerStrategy).DeserializeObject(jsonObject, type); + } + + public static object DeserializeObject(string json, Type type) + { + return DeserializeObject(json, type, null); + } + + public static T DeserializeObject(string json, IJsonSerializerStrategy jsonSerializerStrategy) + { + return (T)DeserializeObject(json, typeof(T), jsonSerializerStrategy); + } + + public static T DeserializeObject(string json) + { + return (T)DeserializeObject(json, typeof(T), null); + } + + /// + /// Converts a IDictionary<string,object> / IList<object> object into a JSON string + /// + /// A IDictionary<string,object> / IList<object> + /// Serializer strategy to use + /// A JSON encoded string, or null if object 'json' is not serializable + public static string SerializeObject(object json, IJsonSerializerStrategy jsonSerializerStrategy) + { + StringBuilder builder = new StringBuilder(BUILDER_CAPACITY); + bool success = SerializeValue(jsonSerializerStrategy, json, builder); + return (success ? builder.ToString() : null); + } + + public static string SerializeObject(object json) + { + return SerializeObject(json, CurrentJsonSerializerStrategy); + } + + public static string EscapeToJavascriptString(string jsonString) + { + if (string.IsNullOrEmpty(jsonString)) + { + return jsonString; + } + + StringBuilder sb = new StringBuilder(); + char c; + + for (int i = 0; i < jsonString.Length; ) + { + c = jsonString[i++]; + + if (c == '\\') + { + int remainingLength = jsonString.Length - i; + if (remainingLength >= 2) + { + char lookahead = jsonString[i]; + if (lookahead == '\\') + { + sb.Append('\\'); + ++i; + } + else if (lookahead == '"') + { + sb.Append("\""); + ++i; + } + else if (lookahead == 't') + { + sb.Append('\t'); + ++i; + } + else if (lookahead == 'b') + { + sb.Append('\b'); + ++i; + } + else if (lookahead == 'n') + { + sb.Append('\n'); + ++i; + } + else if (lookahead == 'r') + { + sb.Append('\r'); + ++i; + } + } + } + else + { + sb.Append(c); + } + } + + return sb.ToString(); + } + + protected static IDictionary ParseObject(char[] json, ref int index, ref bool success) + { + IDictionary table = new JsonObject(); + int token; + + // { + NextToken(json, ref index); + + bool done = false; + while (!done) + { + token = LookAhead(json, index); + if (token == TOKEN_NONE) + { + success = false; + return null; + } + else if (token == TOKEN_COMMA) + NextToken(json, ref index); + else if (token == TOKEN_CURLY_CLOSE) + { + NextToken(json, ref index); + return table; + } + else + { + // name + string name = ParseString(json, ref index, ref success); + if (!success) + { + success = false; + return null; + } + + // : + token = NextToken(json, ref index); + if (token != TOKEN_COLON) + { + success = false; + return null; + } + + // value + object value = ParseValue(json, ref index, ref success); + if (!success) + { + success = false; + return null; + } + + table[name] = value; + } + } + + return table; + } + + protected static JsonArray ParseArray(char[] json, ref int index, ref bool success) + { + JsonArray array = new JsonArray(); + + // [ + NextToken(json, ref index); + + bool done = false; + while (!done) + { + int token = LookAhead(json, index); + if (token == TOKEN_NONE) + { + success = false; + return null; + } + else if (token == TOKEN_COMMA) + NextToken(json, ref index); + else if (token == TOKEN_SQUARED_CLOSE) + { + NextToken(json, ref index); + break; + } + else + { + object value = ParseValue(json, ref index, ref success); + if (!success) + return null; + array.Add(value); + } + } + + return array; + } + + protected static object ParseValue(char[] json, ref int index, ref bool success) + { + switch (LookAhead(json, index)) + { + case TOKEN_STRING: + return ParseString(json, ref index, ref success); + case TOKEN_NUMBER: + return ParseNumber(json, ref index, ref success); + case TOKEN_CURLY_OPEN: + return ParseObject(json, ref index, ref success); + case TOKEN_SQUARED_OPEN: + return ParseArray(json, ref index, ref success); + case TOKEN_TRUE: + NextToken(json, ref index); + return true; + case TOKEN_FALSE: + NextToken(json, ref index); + return false; + case TOKEN_NULL: + NextToken(json, ref index); + return null; + case TOKEN_NONE: + break; + } + + success = false; + return null; + } + + protected static string ParseString(char[] json, ref int index, ref bool success) + { + StringBuilder s = new StringBuilder(BUILDER_CAPACITY); + char c; + + EatWhitespace(json, ref index); + + // " + c = json[index++]; + + bool complete = false; + while (!complete) + { + if (index == json.Length) + { + break; + } + + c = json[index++]; + if (c == '"') + { + complete = true; + break; + } + else if (c == '\\') + { + if (index == json.Length) + break; + c = json[index++]; + if (c == '"') + s.Append('"'); + else if (c == '\\') + s.Append('\\'); + else if (c == '/') + s.Append('/'); + else if (c == 'b') + s.Append('\b'); + else if (c == 'f') + s.Append('\f'); + else if (c == 'n') + s.Append('\n'); + else if (c == 'r') + s.Append('\r'); + else if (c == 't') + s.Append('\t'); + else if (c == 'u') + { + int remainingLength = json.Length - index; + if (remainingLength >= 4) + { + // parse the 32 bit hex into an integer codepoint + uint codePoint; + if ( + !(success = + UInt32.TryParse(new string(json, index, 4), NumberStyles.HexNumber, + CultureInfo.InvariantCulture, out codePoint))) + return ""; + + // convert the integer codepoint to a unicode char and add to string + + if (0xD800 <= codePoint && codePoint <= 0xDBFF) // if high surrogate + { + index += 4; // skip 4 chars + remainingLength = json.Length - index; + if (remainingLength >= 6) + { + uint lowCodePoint; + if (new string(json, index, 2) == "\\u" && + UInt32.TryParse(new string(json, index + 2, 4), NumberStyles.HexNumber, + CultureInfo.InvariantCulture, out lowCodePoint)) + { + if (0xDC00 <= lowCodePoint && lowCodePoint <= 0xDFFF) // if low surrogate + { + s.Append((char)codePoint); + s.Append((char)lowCodePoint); + index += 6; // skip 6 chars + continue; + } + } + } + success = false; // invalid surrogate pair + return ""; + } +#if SILVERLIGHT + s.Append(ConvertFromUtf32((int)codePoint)); +#else + s.Append(Char.ConvertFromUtf32((int)codePoint)); +#endif + // skip 4 chars + index += 4; + } + else + break; + } + } + else + s.Append(c); + } + + if (!complete) + { + success = false; + return null; + } + + return s.ToString(); + } + +#if SILVERLIGHT + private static string ConvertFromUtf32(int utf32) + { + // http://www.java2s.com/Open-Source/CSharp/2.6.4-mono-.net-core/System/System/Char.cs.htm + if (utf32 < 0 || utf32 > 0x10FFFF) + throw new ArgumentOutOfRangeException("utf32", "The argument must be from 0 to 0x10FFFF."); + if (0xD800 <= utf32 && utf32 <= 0xDFFF) + throw new ArgumentOutOfRangeException("utf32", "The argument must not be in surrogate pair range."); + if (utf32 < 0x10000) + return new string((char)utf32, 1); + utf32 -= 0x10000; + return new string(new char[] {(char) ((utf32 >> 10) + 0xD800),(char) (utf32 % 0x0400 + 0xDC00)}); + } +#endif + + protected static object ParseNumber(char[] json, ref int index, ref bool success) + { + EatWhitespace(json, ref index); + + int lastIndex = GetLastIndexOfNumber(json, index); + int charLength = (lastIndex - index) + 1; + + object returnNumber; + string str = new string(json, index, charLength); + if (str.IndexOf(".", StringComparison.OrdinalIgnoreCase) != -1 || str.IndexOf("e", StringComparison.OrdinalIgnoreCase) != -1) + { + double number; + success = double.TryParse(new string(json, index, charLength), NumberStyles.Any, CultureInfo.InvariantCulture, out number); + returnNumber = number; + } + else + { + long number; + success = long.TryParse(new string(json, index, charLength), NumberStyles.Any, CultureInfo.InvariantCulture, out number); + returnNumber = number; + } + + index = lastIndex + 1; + return returnNumber; + } + + protected static int GetLastIndexOfNumber(char[] json, int index) + { + int lastIndex; + + for (lastIndex = index; lastIndex < json.Length; lastIndex++) + if ("0123456789+-.eE".IndexOf(json[lastIndex]) == -1) break; + return lastIndex - 1; + } + + protected static void EatWhitespace(char[] json, ref int index) + { + for (; index < json.Length; index++) + if (" \t\n\r\b\f".IndexOf(json[index]) == -1) break; + } + + protected static int LookAhead(char[] json, int index) + { + int saveIndex = index; + return NextToken(json, ref saveIndex); + } + + [SuppressMessage("Microsoft.Maintainability", "CA1502:AvoidExcessiveComplexity")] + protected static int NextToken(char[] json, ref int index) + { + EatWhitespace(json, ref index); + + if (index == json.Length) + return TOKEN_NONE; + + char c = json[index]; + index++; + switch (c) + { + case '{': + return TOKEN_CURLY_OPEN; + case '}': + return TOKEN_CURLY_CLOSE; + case '[': + return TOKEN_SQUARED_OPEN; + case ']': + return TOKEN_SQUARED_CLOSE; + case ',': + return TOKEN_COMMA; + case '"': + return TOKEN_STRING; + case '0': + case '1': + case '2': + case '3': + case '4': + case '5': + case '6': + case '7': + case '8': + case '9': + case '-': + return TOKEN_NUMBER; + case ':': + return TOKEN_COLON; + } + index--; + + int remainingLength = json.Length - index; + + // false + if (remainingLength >= 5) + { + if (json[index] == 'f' && + json[index + 1] == 'a' && + json[index + 2] == 'l' && + json[index + 3] == 's' && + json[index + 4] == 'e') + { + index += 5; + return TOKEN_FALSE; + } + } + + // true + if (remainingLength >= 4) + { + if (json[index] == 't' && + json[index + 1] == 'r' && + json[index + 2] == 'u' && + json[index + 3] == 'e') + { + index += 4; + return TOKEN_TRUE; + } + } + + // null + if (remainingLength >= 4) + { + if (json[index] == 'n' && + json[index + 1] == 'u' && + json[index + 2] == 'l' && + json[index + 3] == 'l') + { + index += 4; + return TOKEN_NULL; + } + } + + return TOKEN_NONE; + } + + protected static bool SerializeValue(IJsonSerializerStrategy jsonSerializerStrategy, object value, StringBuilder builder) + { + bool success = true; + + if (value is string) + success = SerializeString((string)value, builder); + else if (value is IDictionary) + { + IDictionary dict = (IDictionary)value; + success = SerializeObject(jsonSerializerStrategy, dict.Keys, dict.Values, builder); + } + else if (value is IDictionary) + { + IDictionary dict = (IDictionary)value; + success = SerializeObject(jsonSerializerStrategy, dict.Keys, dict.Values, builder); + } + else if (value is IEnumerable) + success = SerializeArray(jsonSerializerStrategy, (IEnumerable)value, builder); + else if (IsNumeric(value)) + success = SerializeNumber(value, builder); + else if (value is Boolean) + builder.Append((bool)value ? "true" : "false"); + else if (value == null) + builder.Append("null"); + else + { + object serializedObject; + success = jsonSerializerStrategy.SerializeNonPrimitiveObject(value, out serializedObject); + if (success) + SerializeValue(jsonSerializerStrategy, serializedObject, builder); + } + + return success; + } + + protected static bool SerializeObject(IJsonSerializerStrategy jsonSerializerStrategy, IEnumerable keys, IEnumerable values, StringBuilder builder) + { + builder.Append("{\r\n"); + + IEnumerator ke = keys.GetEnumerator(); + IEnumerator ve = values.GetEnumerator(); + + bool first = true; + while (ke.MoveNext() && ve.MoveNext()) + { + object key = ke.Current; + object value = ve.Current; + + if (!first) + builder.Append(",\r\n"); + + if (key is string) + SerializeString((string)key, builder); + else + if (!SerializeValue(jsonSerializerStrategy, value, builder)) return false; + + builder.Append(" : "); + if (!SerializeValue(jsonSerializerStrategy, value, builder)) + return false; + + first = false; + } + + builder.Append("}\r\n"); + return true; + } + + protected static bool SerializeArray(IJsonSerializerStrategy jsonSerializerStrategy, IEnumerable anArray, StringBuilder builder) + { + builder.Append("["); + + bool first = true; + foreach (object value in anArray) + { + if (!first) + builder.Append(","); + + if (!SerializeValue(jsonSerializerStrategy, value, builder)) + return false; + + first = false; + } + + builder.Append("]"); + return true; + } + + protected static bool SerializeString(string aString, StringBuilder builder) + { + builder.Append("\""); + + char[] charArray = aString.ToCharArray(); + for (int i = 0; i < charArray.Length; i++) + { + char c = charArray[i]; + if (c == '"') + builder.Append("\\\""); + else if (c == '\\') + builder.Append("\\\\"); + else if (c == '\b') + builder.Append("\\b"); + else if (c == '\f') + builder.Append("\\f"); + else if (c == '\n') + builder.Append("\\n"); + else if (c == '\r') + builder.Append("\\r"); + else if (c == '\t') + builder.Append("\\t"); + else + builder.Append(c); + } + + builder.Append("\""); + return true; + } + + protected static bool SerializeNumber(object number, StringBuilder builder) + { + if (number is long) + { + builder.Append(((long)number).ToString(CultureInfo.InvariantCulture)); + } + else if (number is ulong) + { + builder.Append(((ulong)number).ToString(CultureInfo.InvariantCulture)); + } + else if (number is int) + { + builder.Append(((int)number).ToString(CultureInfo.InvariantCulture)); + } + else if (number is uint) + { + builder.Append(((uint)number).ToString(CultureInfo.InvariantCulture)); + } + else if (number is decimal) + { + builder.Append(((decimal)number).ToString(CultureInfo.InvariantCulture)); + } + else if (number is float) + { + builder.Append(((float)number).ToString(CultureInfo.InvariantCulture)); + } + else + { + builder.Append(Convert.ToDouble(number, CultureInfo.InvariantCulture).ToString("r", CultureInfo.InvariantCulture)); + } + + return true; + } + + /// + /// Determines if a given object is numeric in any way + /// (can be integer, double, null, etc). + /// + protected static bool IsNumeric(object value) + { + if (value is sbyte) return true; + if (value is byte) return true; + if (value is short) return true; + if (value is ushort) return true; + if (value is int) return true; + if (value is uint) return true; + if (value is long) return true; + if (value is ulong) return true; + if (value is float) return true; + if (value is double) return true; + if (value is decimal) return true; + return false; + } + + private static IJsonSerializerStrategy currentJsonSerializerStrategy; + public static IJsonSerializerStrategy CurrentJsonSerializerStrategy + { + get + { + // todo: implement locking mechanism. + return currentJsonSerializerStrategy ?? + (currentJsonSerializerStrategy = +#if SIMPLE_JSON_DATACONTRACT + DataContractJsonSerializerStrategy +#else + PocoJsonSerializerStrategy +#endif +); + } + + set + { + currentJsonSerializerStrategy = value; + } + } + + private static PocoJsonSerializerStrategy pocoJsonSerializerStrategy; + [System.ComponentModel.EditorBrowsable(System.ComponentModel.EditorBrowsableState.Advanced)] + public static PocoJsonSerializerStrategy PocoJsonSerializerStrategy + { + get + { + // todo: implement locking mechanism. + return pocoJsonSerializerStrategy ?? (pocoJsonSerializerStrategy = new PocoJsonSerializerStrategy()); + } + } + +#if SIMPLE_JSON_DATACONTRACT + + private static DataContractJsonSerializerStrategy dataContractJsonSerializerStrategy; + [System.ComponentModel.EditorBrowsable(System.ComponentModel.EditorBrowsableState.Advanced)] + public static DataContractJsonSerializerStrategy DataContractJsonSerializerStrategy + { + get + { + // todo: implement locking mechanism. + return dataContractJsonSerializerStrategy ?? (dataContractJsonSerializerStrategy = new DataContractJsonSerializerStrategy()); + } + } + +#endif + } + + #endregion + + #region Simple Json Serializer Strategies + +#if SIMPLE_JSON_INTERNAL + internal +#else + public +#endif + interface IJsonSerializerStrategy + { + bool SerializeNonPrimitiveObject(object input, out object output); + + object DeserializeObject(object value, Type type); + } + +#if SIMPLE_JSON_INTERNAL + internal +#else + public +#endif + class PocoJsonSerializerStrategy : IJsonSerializerStrategy + { + internal CacheResolver CacheResolver; + + private static readonly string[] Iso8601Format = new string[] + { + @"yyyy-MM-dd\THH:mm:ss.FFFFFFF\Z", + @"yyyy-MM-dd\THH:mm:ss\Z", + @"yyyy-MM-dd\THH:mm:ssK" + }; + + public PocoJsonSerializerStrategy() + { + CacheResolver = new CacheResolver(BuildMap); + } + + protected virtual void BuildMap(Type type, SafeDictionary memberMaps) + { +#if NETFX_CORE + foreach (PropertyInfo info in type.GetTypeInfo().DeclaredProperties) { + var getMethod = info.GetMethod; + if(getMethod==null || !getMethod.IsPublic || getMethod.IsStatic) continue; +#else + foreach (PropertyInfo info in type.GetProperties(BindingFlags.Instance | BindingFlags.Public)) + { +#endif + memberMaps.Add(info.Name, new CacheResolver.MemberMap(info)); + } +#if NETFX_CORE + foreach (FieldInfo info in type.GetTypeInfo().DeclaredFields) { + if(!info.IsPublic || info.IsStatic) continue; +#else + foreach (FieldInfo info in type.GetFields(BindingFlags.Public | BindingFlags.Instance)) + { +#endif + memberMaps.Add(info.Name, new CacheResolver.MemberMap(info)); + } + } + + public virtual bool SerializeNonPrimitiveObject(object input, out object output) + { + return TrySerializeKnownTypes(input, out output) || TrySerializeUnknownTypes(input, out output); + } + + [SuppressMessage("Microsoft.Maintainability", "CA1502:AvoidExcessiveComplexity")] + public virtual object DeserializeObject(object value, Type type) + { + object obj = null; + if (value is string) + { + string str = value as string; + + if (!string.IsNullOrEmpty(str)) + { + if (type == typeof(DateTime) || (ReflectionUtils.IsNullableType(type) && Nullable.GetUnderlyingType(type) == typeof(DateTime))) + obj = DateTime.ParseExact(str, Iso8601Format, CultureInfo.InvariantCulture, DateTimeStyles.AssumeUniversal | DateTimeStyles.AdjustToUniversal); + else if (type == typeof(Guid) || (ReflectionUtils.IsNullableType(type) && Nullable.GetUnderlyingType(type) == typeof(Guid))) + obj = new Guid(str); + else + obj = str; + } + else + { + if (type == typeof(Guid)) + obj= default(Guid); + else if(ReflectionUtils.IsNullableType(type) && Nullable.GetUnderlyingType(type) == typeof(Guid)) + obj = null; + else + obj = str; + } + } + else if (value is bool) + obj = value; + else if (value == null) + obj = null; + else if ((value is long && type == typeof(long)) || (value is double && type == typeof(double))) + obj = value; + else if ((value is double && type != typeof(double)) || (value is long && type != typeof(long))) + { + obj = +#if NETFX_CORE + type == typeof(int) || type == typeof(long) || type == typeof(double) ||type == typeof(float) || type == typeof(bool) || type == typeof(decimal) ||type == typeof(byte) || type == typeof(short) +#else + typeof(IConvertible).IsAssignableFrom(type) +#endif + ? Convert.ChangeType(value, type, CultureInfo.InvariantCulture) : value; + } + else + { + if (value is IDictionary) + { + IDictionary jsonObject = (IDictionary)value; + + if (ReflectionUtils.IsTypeDictionary(type)) + { + // if dictionary then +#if NETFX_CORE + Type keyType = type.GetTypeInfo().GenericTypeArguments[0]; + Type valueType = type.GetTypeInfo().GenericTypeArguments[1]; +#else + Type keyType = type.GetGenericArguments()[0]; + Type valueType = type.GetGenericArguments()[1]; +#endif + + Type genericType = typeof(Dictionary<,>).MakeGenericType(keyType, valueType); + +#if NETFX_CORE + dynamic dict = CacheResolver.GetNewInstance(genericType); +#else + IDictionary dict = (IDictionary)CacheResolver.GetNewInstance(genericType); +#endif + foreach (KeyValuePair kvp in jsonObject) + { + dict.Add(kvp.Key, DeserializeObject(kvp.Value, valueType)); + } + + obj = dict; + } + else + { + obj = CacheResolver.GetNewInstance(type); + SafeDictionary maps = CacheResolver.LoadMaps(type); + + if (maps == null) + { + obj = value; + } + else + { + foreach (KeyValuePair keyValuePair in maps) + { + CacheResolver.MemberMap v = keyValuePair.Value; + if (v.Setter == null) + continue; + + string jsonKey = keyValuePair.Key; + if (jsonObject.ContainsKey(jsonKey)) + { + object jsonValue = DeserializeObject(jsonObject[jsonKey], v.Type); + v.Setter(obj, jsonValue); + } + } + } + } + } + else if (value is IList) + { + IList jsonObject = (IList)value; + IList list = null; + + if (type.IsArray) + { + list = (IList)Activator.CreateInstance(type, jsonObject.Count); + int i = 0; + foreach (object o in jsonObject) + list[i++] = DeserializeObject(o, type.GetElementType()); + } + else if (ReflectionUtils.IsTypeGenericeCollectionInterface(type) || +#if NETFX_CORE + typeof(IList).GetTypeInfo().IsAssignableFrom(type.GetTypeInfo()) +#else + typeof(IList).IsAssignableFrom(type) +#endif +) + { +#if NETFX_CORE + Type innerType = type.GetTypeInfo().GenericTypeArguments[0]; +#else + Type innerType = type.GetGenericArguments()[0]; +#endif + Type genericType = typeof(List<>).MakeGenericType(innerType); + list = (IList)CacheResolver.GetNewInstance(genericType); + foreach (object o in jsonObject) + list.Add(DeserializeObject(o, innerType)); + } + + obj = list; + } + + return obj; + } + + if (ReflectionUtils.IsNullableType(type)) + return ReflectionUtils.ToNullableType(obj, type); + + if (obj == null) + { + if (type == typeof(Guid)) + return default(Guid); + } + + return obj; + } + + protected virtual object SerializeEnum(Enum p) + { + return Convert.ToDouble(p, CultureInfo.InvariantCulture); + } + + protected virtual bool TrySerializeKnownTypes(object input, out object output) + { + bool returnValue = true; + if (input is DateTime) + output = ((DateTime)input).ToUniversalTime().ToString(Iso8601Format[0], CultureInfo.InvariantCulture); + else if (input is Guid) + output = ((Guid)input).ToString("D"); + else if (input is Uri) + output = input.ToString(); + else if (input is Enum) + output = SerializeEnum((Enum)input); + else + { + returnValue = false; + output = null; + } + + return returnValue; + } + + protected virtual bool TrySerializeUnknownTypes(object input, out object output) + { + output = null; + + // todo: implement caching for types + Type type = input.GetType(); + + if (type.FullName == null) + return false; + + IDictionary obj = new JsonObject(); + + SafeDictionary maps = CacheResolver.LoadMaps(type); + + foreach (KeyValuePair keyValuePair in maps) + { + if (keyValuePair.Value.Getter != null) + obj.Add(keyValuePair.Key, keyValuePair.Value.Getter(input)); + } + + output = obj; + return true; + } + } + +#if SIMPLE_JSON_DATACONTRACT +#if SIMPLE_JSON_INTERNAL + internal +#else + public +#endif + class DataContractJsonSerializerStrategy : PocoJsonSerializerStrategy + { + public DataContractJsonSerializerStrategy() + { + CacheResolver = new CacheResolver(BuildMap); + } + + protected override void BuildMap(Type type, SafeDictionary map) + { + bool hasDataContract = ReflectionUtils.GetAttribute(type, typeof(DataContractAttribute)) != null; + if (!hasDataContract) + { + base.BuildMap(type, map); + return; + } + + string jsonKey; +#if NETFX_CORE + foreach (PropertyInfo info in type.GetTypeInfo().DeclaredProperties) +#else + foreach (PropertyInfo info in type.GetProperties(BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance)) +#endif + { + if (CanAdd(info, out jsonKey)) + map.Add(jsonKey, new CacheResolver.MemberMap(info)); + } + +#if NETFX_CORE + foreach (FieldInfo info in type.GetTypeInfo().DeclaredFields) +#else + foreach (FieldInfo info in type.GetFields(BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance)) +#endif + { + if (CanAdd(info, out jsonKey)) + map.Add(jsonKey, new CacheResolver.MemberMap(info)); + } + + // todo implement sorting for DATACONTRACT. + } + + private static bool CanAdd(MemberInfo info, out string jsonKey) + { + jsonKey = null; + + if (ReflectionUtils.GetAttribute(info, typeof(IgnoreDataMemberAttribute)) != null) + return false; + + DataMemberAttribute dataMemberAttribute = (DataMemberAttribute)ReflectionUtils.GetAttribute(info, typeof(DataMemberAttribute)); + + if (dataMemberAttribute == null) + return false; + + jsonKey = string.IsNullOrEmpty(dataMemberAttribute.Name) ? info.Name : dataMemberAttribute.Name; + return true; + } + } +#endif + + #endregion + + #region Reflection helpers + + namespace Reflection + { +#if SIMPLE_JSON_INTERNAL + internal +#else + public +#endif + class ReflectionUtils + { + public static Attribute GetAttribute(MemberInfo info, Type type) + { +#if NETFX_CORE + if (info == null || type == null || !info.IsDefined(type)) + return null; + return info.GetCustomAttribute(type); +#else + if (info == null || type == null || !Attribute.IsDefined(info, type)) + return null; + return Attribute.GetCustomAttribute(info, type); +#endif + } + + public static Attribute GetAttribute(Type objectType, Type attributeType) + { + +#if NETFX_CORE + if (objectType == null || attributeType == null || !objectType.GetTypeInfo().IsDefined(attributeType)) + return null; + return objectType.GetTypeInfo().GetCustomAttribute(attributeType); +#else + if (objectType == null || attributeType == null || !Attribute.IsDefined(objectType, attributeType)) + return null; + return Attribute.GetCustomAttribute(objectType, attributeType); +#endif + } + + public static bool IsTypeGenericeCollectionInterface(Type type) + { +#if NETFX_CORE + if (!type.GetTypeInfo().IsGenericType) +#else + if (!type.IsGenericType) +#endif + return false; + + Type genericDefinition = type.GetGenericTypeDefinition(); + + return (genericDefinition == typeof(IList<>) || genericDefinition == typeof(ICollection<>) || genericDefinition == typeof(IEnumerable<>)); + } + + public static bool IsTypeDictionary(Type type) + { +#if NETFX_CORE + if (typeof(IDictionary<,>).GetTypeInfo().IsAssignableFrom(type.GetTypeInfo())) + return true; + + if (!type.GetTypeInfo().IsGenericType) + return false; +#else + if (typeof(IDictionary).IsAssignableFrom(type)) + return true; + + if (!type.IsGenericType) + return false; +#endif + Type genericDefinition = type.GetGenericTypeDefinition(); + return genericDefinition == typeof(IDictionary<,>); + } + + public static bool IsNullableType(Type type) + { + return +#if NETFX_CORE + type.GetTypeInfo().IsGenericType +#else + type.IsGenericType +#endif + && type.GetGenericTypeDefinition() == typeof(Nullable<>); + } + + public static object ToNullableType(object obj, Type nullableType) + { + return obj == null ? null : Convert.ChangeType(obj, Nullable.GetUnderlyingType(nullableType), CultureInfo.InvariantCulture); + } + } + +#if SIMPLE_JSON_INTERNAL + internal +#else + public +#endif + delegate object GetHandler(object source); + +#if SIMPLE_JSON_INTERNAL + internal +#else + public +#endif + delegate void SetHandler(object source, object value); + +#if SIMPLE_JSON_INTERNAL + internal +#else + public +#endif + delegate void MemberMapLoader(Type type, SafeDictionary memberMaps); + +#if SIMPLE_JSON_INTERNAL + internal +#else + public +#endif + class CacheResolver + { + private readonly MemberMapLoader _memberMapLoader; + private readonly SafeDictionary> _memberMapsCache = new SafeDictionary>(); + + delegate object CtorDelegate(); + readonly static SafeDictionary ConstructorCache = new SafeDictionary(); + + public CacheResolver(MemberMapLoader memberMapLoader) + { + _memberMapLoader = memberMapLoader; + } + + [SuppressMessage("Microsoft.Usage", "CA2201:DoNotRaiseReservedExceptionTypes")] + public static object GetNewInstance(Type type) + { + CtorDelegate c; + if (ConstructorCache.TryGetValue(type, out c)) + return c(); +#if SIMPLE_JSON_REFLECTIONEMIT + DynamicMethod dynamicMethod = new DynamicMethod("Create" + type.FullName, typeof(object), Type.EmptyTypes, type, true); + dynamicMethod.InitLocals = true; + ILGenerator generator = dynamicMethod.GetILGenerator(); + if (type.IsValueType) + { + generator.DeclareLocal(type); + generator.Emit(OpCodes.Ldloc_0); + generator.Emit(OpCodes.Box, type); + } + else + { + ConstructorInfo constructorInfo = type.GetConstructor(BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance, null, Type.EmptyTypes, null); + if (constructorInfo == null) + throw new Exception(string.Format(CultureInfo.InvariantCulture, "Could not get constructor for {0}.", type)); + generator.Emit(OpCodes.Newobj, constructorInfo); + } + generator.Emit(OpCodes.Ret); + c = (CtorDelegate)dynamicMethod.CreateDelegate(typeof(CtorDelegate)); + ConstructorCache.Add(type, c); + return c(); +#else +#if NETFX_CORE + IEnumerable constructorInfos = type.GetTypeInfo().DeclaredConstructors; + ConstructorInfo constructorInfo = null; + foreach (ConstructorInfo item in constructorInfos) // FirstOrDefault() + { + if (item.GetParameters().Length == 0) // Default ctor - make sure it doesn't contain any parameters + { + constructorInfo = item; + break; + } + } +#else + ConstructorInfo constructorInfo = type.GetConstructor(BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance, null, Type.EmptyTypes, null); +#endif + c = delegate { return constructorInfo.Invoke(null); }; + ConstructorCache.Add(type, c); + return c(); +#endif + } + + public SafeDictionary LoadMaps(Type type) + { + if (type == null || type == typeof(object)) + return null; + SafeDictionary maps; + if (_memberMapsCache.TryGetValue(type, out maps)) + return maps; + maps = new SafeDictionary(); + _memberMapLoader(type, maps); + _memberMapsCache.Add(type, maps); + return maps; + } + +#if SIMPLE_JSON_REFLECTIONEMIT + static DynamicMethod CreateDynamicMethod(string name, Type returnType, Type[] parameterTypes, Type owner) + { + DynamicMethod dynamicMethod = !owner.IsInterface + ? new DynamicMethod(name, returnType, parameterTypes, owner, true) + : new DynamicMethod(name, returnType, parameterTypes, (Module)null, true); + + return dynamicMethod; + } +#endif + + static GetHandler CreateGetHandler(FieldInfo fieldInfo) + { +#if SIMPLE_JSON_REFLECTIONEMIT + Type type = fieldInfo.FieldType; + DynamicMethod dynamicGet = CreateDynamicMethod("Get" + fieldInfo.Name, fieldInfo.DeclaringType, new Type[] { typeof(object) }, fieldInfo.DeclaringType); + ILGenerator getGenerator = dynamicGet.GetILGenerator(); + + getGenerator.Emit(OpCodes.Ldarg_0); + getGenerator.Emit(OpCodes.Ldfld, fieldInfo); + if (type.IsValueType) + getGenerator.Emit(OpCodes.Box, type); + getGenerator.Emit(OpCodes.Ret); + + return (GetHandler)dynamicGet.CreateDelegate(typeof(GetHandler)); +#else + return delegate(object instance) { return fieldInfo.GetValue(instance); }; +#endif + } + + static SetHandler CreateSetHandler(FieldInfo fieldInfo) + { + if (fieldInfo.IsInitOnly || fieldInfo.IsLiteral) + return null; +#if SIMPLE_JSON_REFLECTIONEMIT + Type type = fieldInfo.FieldType; + DynamicMethod dynamicSet = CreateDynamicMethod("Set" + fieldInfo.Name, null, new Type[] { typeof(object), typeof(object) }, fieldInfo.DeclaringType); + ILGenerator setGenerator = dynamicSet.GetILGenerator(); + + setGenerator.Emit(OpCodes.Ldarg_0); + setGenerator.Emit(OpCodes.Ldarg_1); + if (type.IsValueType) + setGenerator.Emit(OpCodes.Unbox_Any, type); + setGenerator.Emit(OpCodes.Stfld, fieldInfo); + setGenerator.Emit(OpCodes.Ret); + + return (SetHandler)dynamicSet.CreateDelegate(typeof(SetHandler)); +#else + return delegate(object instance, object value) { fieldInfo.SetValue(instance, value); }; +#endif + } + + static GetHandler CreateGetHandler(PropertyInfo propertyInfo) + { +#if NETFX_CORE + MethodInfo getMethodInfo = propertyInfo.GetMethod; +#else + MethodInfo getMethodInfo = propertyInfo.GetGetMethod(true); +#endif + if (getMethodInfo == null) + return null; +#if SIMPLE_JSON_REFLECTIONEMIT + Type type = propertyInfo.PropertyType; + DynamicMethod dynamicGet = CreateDynamicMethod("Get" + propertyInfo.Name, propertyInfo.DeclaringType, new Type[] { typeof(object) }, propertyInfo.DeclaringType); + ILGenerator getGenerator = dynamicGet.GetILGenerator(); + + getGenerator.Emit(OpCodes.Ldarg_0); + getGenerator.Emit(OpCodes.Call, getMethodInfo); + if (type.IsValueType) + getGenerator.Emit(OpCodes.Box, type); + getGenerator.Emit(OpCodes.Ret); + + return (GetHandler)dynamicGet.CreateDelegate(typeof(GetHandler)); +#else +#if NETFX_CORE + return delegate(object instance) { return getMethodInfo.Invoke(instance, new Type[] { }); }; +#else + return delegate(object instance) { return getMethodInfo.Invoke(instance, Type.EmptyTypes); }; +#endif +#endif + } + + static SetHandler CreateSetHandler(PropertyInfo propertyInfo) + { +#if NETFX_CORE + MethodInfo setMethodInfo = propertyInfo.SetMethod; +#else + MethodInfo setMethodInfo = propertyInfo.GetSetMethod(true); +#endif + if (setMethodInfo == null) + return null; +#if SIMPLE_JSON_REFLECTIONEMIT + Type type = propertyInfo.PropertyType; + DynamicMethod dynamicSet = CreateDynamicMethod("Set" + propertyInfo.Name, null, new Type[] { typeof(object), typeof(object) }, propertyInfo.DeclaringType); + ILGenerator setGenerator = dynamicSet.GetILGenerator(); + + setGenerator.Emit(OpCodes.Ldarg_0); + setGenerator.Emit(OpCodes.Ldarg_1); + if (type.IsValueType) + setGenerator.Emit(OpCodes.Unbox_Any, type); + setGenerator.Emit(OpCodes.Call, setMethodInfo); + setGenerator.Emit(OpCodes.Ret); + return (SetHandler)dynamicSet.CreateDelegate(typeof(SetHandler)); +#else + return delegate(object instance, object value) { setMethodInfo.Invoke(instance, new[] { value }); }; +#endif + } + +#if SIMPLE_JSON_INTERNAL + internal +#else + public +#endif + sealed class MemberMap + { + public readonly MemberInfo MemberInfo; + public readonly Type Type; + public readonly GetHandler Getter; + public readonly SetHandler Setter; + + public MemberMap(PropertyInfo propertyInfo) + { + MemberInfo = propertyInfo; + Type = propertyInfo.PropertyType; + Getter = CreateGetHandler(propertyInfo); + Setter = CreateSetHandler(propertyInfo); + } + + public MemberMap(FieldInfo fieldInfo) + { + MemberInfo = fieldInfo; + Type = fieldInfo.FieldType; + Getter = CreateGetHandler(fieldInfo); + Setter = CreateSetHandler(fieldInfo); + } + } + } + +#if SIMPLE_JSON_INTERNAL + internal +#else + public +#endif + class SafeDictionary + { + private readonly object _padlock = new object(); + private readonly Dictionary _dictionary = new Dictionary(); + + public bool TryGetValue(TKey key, out TValue value) + { + return _dictionary.TryGetValue(key, out value); + } + + public TValue this[TKey key] + { + get { return _dictionary[key]; } + } + + public IEnumerator> GetEnumerator() + { + return ((ICollection>)_dictionary).GetEnumerator(); + } + + public void Add(TKey key, TValue value) + { + lock (_padlock) + { + if (_dictionary.ContainsKey(key) == false) + _dictionary.Add(key, value); + } + } + } + } + + #endregion +} \ No newline at end of file diff --git a/shadowsocks-csharp/shadowsocks-csharp.csproj b/shadowsocks-csharp/shadowsocks-csharp.csproj index 0f19cb30..bc811330 100755 --- a/shadowsocks-csharp/shadowsocks-csharp.csproj +++ b/shadowsocks-csharp/shadowsocks-csharp.csproj @@ -83,6 +83,7 @@ + @@ -131,7 +132,6 @@ Settings.settings True -