使用System.Web.Script.Serialization.JavaScriptSerializer
可以以某种方式反序列化为不可变的对象吗?

   public class Item
{
    public Uri ImageUri { get;private set; }
    public string Name { get; private set; }
    public Uri ItemPage { get;private set; }
    public decimal Retail { get;private set; }
    public int? Stock { get; private set; }
    public decimal Price { get; private set; }


    public Item(Uri imageUri, string name, Uri itemPage, decimal retail, int? stock, decimal price)
    {
        ImageUri = imageUri;
        Name = name;
        ItemPage = itemPage;
        Retail = retail;
        Stock = stock;
        Price = price;
    }
}

约束:我不需要公共(public)的空构造函数,我不想将所有内容更改为可变的,也不想使用xml而不是Json。

最佳答案

我必须为此找到答案,并且由于这是google上的第一个结果,但没有给出示例,因此我决定分享自己的想法(基于James Ellis-Jones提供的链接)。

我的情况是我需要一个“Money”对象是不可变的。我的钱对象需要一定数量和货币。需要保持不变,因为我正在使用它,就好像它是我要替换的十进制值(类似货币值支持数学运算),并且我需要传递它而不必担心我是否通过引用传递或事物的副本。

因此,我在这里实现了JavaScriptConverter:

public class MoneyJsonConverter : JavaScriptConverter
{

    public override object Deserialize(IDictionary<string, object> dictionary, Type type, JavaScriptSerializer serializer)
    {
        if (dictionary == null)
            throw new ArgumentNullException("dictionary");

        if (type != typeof(Money))
            return null;

        var amount = Convert.ToDecimal(dictionary.TryGet("Amount"));
        var currency = (string)dictionary.TryGet("Currency");

        return new Money(currency, amount);
    }

    public override IDictionary<string, object> Serialize(object obj, JavaScriptSerializer serializer)
    {
        var moneyAmount = obj as Money;
        if (moneyAmount == null)
            return new Dictionary<string, object>();

        var result = new Dictionary<string, object>
            {
                { "Amount", moneyAmount.Amount },
                { "Currency", moneyAmount.Currency },
            };
        return result;
    }

    public override IEnumerable<Type> SupportedTypes
    {
        get { return new ReadOnlyCollection<Type>(new List<Type>(new[] { typeof(Money) })); }
    }
}

然后,我通过web.config文件向JavaScriptSerializer注册了转换器:
<system.web.extensions>
    <scripting>
        <webServices>
            <jsonSerialization>
                <converters>
                    <add name="MoneyConverter" type="My.Namespace.MoneyJsonConverter, MyAssembly, Version=1.0.0.0, Culture=neutral"/>
                </converters>
            </jsonSerialization>
        </webServices>
    </scripting>
</system.web.extensions>

就是这样!不过,我的确用几个属性修饰了我的类(class):
[Serializable]
[Immutable]
public class Money

10-01 00:34