gpt4 book ai didi

c# - 如何更改数字反序列化中的默认类型

转载 作者:太空宇宙 更新时间:2023-11-03 12:06:33 25 4
gpt4 key购买 nike

当我将一些 JSON 数据反序列化为 DataSet 时,生成的数据集可能会丢失其列架构。这意味着,当我反序列化某些 JSON 时,它会使用 Int64 对象而不是 Int32 填充数据集。我希望它选择 Int32。

我知道,Json.NET 默认情况下将整数值读取为 Int64,因为无法知道该值应该是 Int32 还是 Int64。

JsonSerializerSettings settings = new JsonSerializerSettings()
{
Converters = { new PrimitiveJsonConverter() },
};
DataSet myDataSet = JsonConvert.DeserializeObject<DataSet>(jsonString, settings);

所以我创建了自定义 JsonConverter,以覆盖默认功能。

using DevExpress.XtraPrinting.Native.WebClientUIControl;
using Newtonsoft.Json;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Runtime.Serialization.Formatters;
using System.Text;
using System.Threading.Tasks;
using JsonConverter = Newtonsoft.Json.JsonConverter;

namespace CashlessAdmin.API.Handler
{
public sealed class PrimitiveJsonConverter : JsonConverter
{
readonly JsonSerializer defaultSerializer = new JsonSerializer();

public override bool CanConvert(Type objectType)
{
return objectType.IsIntegerTypes();

}

public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
{
switch (reader.TokenType)
{
case JsonToken.Integer:
if(Convert.ToInt64(reader.Value) < System.Int32.MaxValue)
{
return Convert.ToInt32(reader.Value);
}
return reader.Value;
case JsonToken.Float: // Accepts numbers like 4.00
case JsonToken.Null:
return defaultSerializer.Deserialize(reader, objectType);
default:
throw new JsonSerializationException(string.Format("Token \"{0}\" of type {1} was not a JSON integer", reader.Value, reader.TokenType));
}
}

public override bool CanWrite { get { return false; } }

public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
{
throw new NotImplementedException();
}
}

public static class JsonExtensions
{
public static bool IsIntegerTypes(this Type type)
{
type = Nullable.GetUnderlyingType(type) ?? type;
if (type == typeof(long)
|| type == typeof(ulong)
|| type == typeof(int)
|| type == typeof(uint)
|| type == typeof(short)
|| type == typeof(ushort)
|| type == typeof(byte)
|| type == typeof(sbyte)
|| type == typeof(System.Numerics.BigInteger))
return true;
return false;
}
}
}

但是结果会和之前的情况一样。

最佳答案

您的代码不起作用的原因是,在最初推断列类型时,DataTableConverter不会尝试反序列化列遇到的第一个值。相反,它只是使用 JsonReader.Read() 简单地读取它。然后在 DataTableConverter.GetColumnDataType() 中将列类型设置为等于观察到的标记类型.您的方法 PrimitiveJsonConverter.Read() 此时未被调用。而且,由于 JsonReader.Read() 旨在为整数值返回 long 而不是 int,因此数据表列类型最终为作为 long

您有几个选项可以覆盖 Newtonsoft 的默认行为并获得 Int32 列类型:

  1. 你可以使用 typed DataSet .在这种情况下,列类型将被预定义。

  2. 您可以使用 PreferInt32JsonTextReader 阅读 this answer Overriding Default Primitive Type Handling in Json.Net (Json.NET 10.0.1 或更高版本)。

  3. 您可以在反序列化后将列转换为 Int32。首先介绍一下扩展方法:

    public static class DataTableExtensions
    {
    public static DataTable RemapInt64ColumnsToInt32(this DataTable table)
    {
    if (table == null)
    throw new ArgumentNullException();
    for (int iCol = 0; iCol < table.Columns.Count; iCol++)
    {
    var col = table.Columns[iCol];
    if (col.DataType == typeof(Int64)
    && table.AsEnumerable().Where(r => !r.IsNull(col)).Select(r => (Int64)r[col]).All(i => i >= int.MinValue && i <= int.MaxValue))
    {
    ReplaceColumn(table, col, typeof(Int32), (o, t) => o == null ? null : Convert.ChangeType(o, t, NumberFormatInfo.InvariantInfo));
    }
    }
    return table;
    }

    private static DataColumn ReplaceColumn(DataTable table, DataColumn column, Type newColumnType, Func<object, Type, object> map)
    {
    var newValues = table.AsEnumerable()
    .Select(r => r.IsNull(column) ? (object)DBNull.Value : map(r[column], newColumnType))
    .ToList();

    var ordinal = column.Ordinal;
    var name = column.ColumnName;
    var @namespace = column.Namespace;

    var newColumn = new DataColumn(name, newColumnType);
    newColumn.Namespace = @namespace;
    table.Columns.Remove(column);
    table.Columns.Add(newColumn);
    newColumn.SetOrdinal(ordinal);

    for (int i = 0; i < table.Rows.Count; i++)
    if (!(newValues[i] is DBNull))
    table.Rows[i][newColumn] = newValues[i];

    return newColumn;
    }
    }

    然后做:

    var myDataSet = JsonConvert.DeserializeObject<DataSet>(json);
    myDataSet.Tables.Cast<DataTable>().Aggregate((object)null, (o, dt) => dt.RemapInt64ColumnsToInt32());

    相关: How To Change DataType of a DataColumn in a DataTable?

  4. 你可以 fork 你自己的 DataTableConverter 版本并修改DataTableConverter.GetColumnDataType()的逻辑为 JsonToken.Integer 标记返回 typeof(Int32)

    有关所涉及内容的示例,请参阅 this answer deserialize a datatable with a missing first column

    因为您的根对象是一个DataSet,您还需要创建您自己的DataSetConverter 版本。并使其使用您自定义的 DataTableConverter,如 this answer 所示给 DateTime column type becomes String type after deserializing DataTable property on Custom Class

OP asks它的性能如何...?

您必须对其进行测试并查看,参见https://ericlippert.com/2012/12/17/performance-rant/ .

也就是说,一般来说,对于庞大的数据集,您希望避免以某种中间表示形式(例如 JToken 层次结构或单个大型 string< 将整个数据集加载到内存中) 在最终反序列化之前。选项#1、#2 和#4 避免这样做。 #3 确实将一部分数据加载到中间表示中;一些但不是所有 DataTable 列最终被加载然后被替换。因此性能可能还行,但也可能不行——您需要检查一下。

关于c# - 如何更改数字反序列化中的默认类型,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/54571165/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com