Asp.Net Core 輕鬆學-實現跨平臺的自定義Json數據包

来源:https://www.cnblogs.com/viter/archive/2018/12/03/10056003.html
-Advertisement-
Play Games

在前後端分離的業務開發中,我們總是需要返回各種各樣的數據包格式,一個良好的 json 格式數據包是我們一貫奉行的原則,下麵就利用 Json.Net 來做一個簡單具有跨平臺的序列化數據包實現類 ...


前言

    在前後端分離的業務開發中,我們總是需要返回各種各樣的數據包格式,一個良好的 json 格式數據包是我們一貫奉行的原則,下麵就利用 Json.Net 來做一個簡單具有跨平臺的序列化數據包實現類。

1. 應用 Json.Net

  • 1.1 首先在項目中引用 NuGet 包

  • 1.2 編寫一個 JsonReturn 結果包裝類,繼承自 ContentResult ,並重寫 ContentResult 方法 ExecuteResult(ActionContext context)
   public partial class JsonReturn : ContentResult
    {
        public int Code { get; protected set; }
        public string Message { get; protected set; }
        public Hashtable Data { get; protected set; } = new Hashtable();
        public bool Success { get { return this.Code == 0; } }

        public JsonReturn(int code, string message) { this.Code = code; this.SetMessage(message); }

        public JsonReturn SetMessage(string value) { this.Message = value; return this; }

        public JsonReturn SetData(params object[] value)
        {
            this.Data.Clear();
            return this.AppendData(value);
        }

        public JsonReturn AppendData(params object[] value)
        {
            if (value?.Length < 2)
                return this;

            for (int a = 0; a < value.Length; a += 2)
            {
                if (value[a] == null) continue;
                this.Data[value[a]] = a + 1 < value.Length ? value[a + 1] : null;
            }
            return this;
        }

        private void ToJson(ActionContext context)
        {
            this.ContentType = "text/json;charset=utf-8;";
            this.Content = JsonConvert.SerializeObject(this);
        }

        public override Task ExecuteResultAsync(ActionContext context)
        {
            ToJson(context);
            return base.ExecuteResultAsync(context);
        }

        public override void ExecuteResult(ActionContext context)
        {
            ToJson(context);
            base.ExecuteResult(context);
        }

        /// <summary>
        /// 成功 0
        /// </summary>
        public static JsonReturn 成功 { get { return new JsonReturn(0, "成功"); } }

        /// <summary>
        ///  失敗 500
        /// </summary>
        public static JsonReturn 失敗 { get { return new JsonReturn(500, "失敗"); } }
    }
  • 在 JsonReturn 類中,定義了一個存儲業務數據對象的 Hashtable 對象,在介面中可以往該對象中寫入需要序列化的數據,並重寫了 ContentResult 的 ExecuteResultAsync 和 ExecuteResult 方法,在方法內實現 JsonResult 對象的序列化,最後提供了兩個靜態屬性方便調用;在 JsonReutrn 類中,最重要的是定義了成功和失敗的 Code ,預設 0 =成功,500=失敗,這樣就約定了所有客戶端都強制使用該協議,完成了標準的統一。

  • 1.3 在控制器中將此對象返回

        [HttpGet]
        public ActionResult Get()
        {
            UserInfo info = new UserInfo()
            {
                Age = 22,
                Gender = true,
                Name = "Ron.lang",
                RegTime = DateTime.Now
            };
            return JsonReturn.成功.SetData("detail", info);
        }
  • 1.4 運行程式,得到如下內容
{
  "Code": 0,
  "Message": "成功",
  "Data": {
    "detail": {
      "Name": "Ron.lang",
      "Gender": true,
      "Age": 22,
      "RegTime": "2018-12-02T16:27:17.3289028+08:00"
    }
  }
}

2. 改造

  • 2.1 上面的結果還可以接受,只是有一點小瑕疵,比如 bool 類型和欄位名稱大小寫的問題,以及時間格式,都不是太友好,對於跨平臺來說,會存在一些問題,下麵我們改造一下,使得輸出的欄位名稱全部消息,bool 類型轉換為數字 0/1,時間轉換為 Unix 格式;首先創建 3 個自定義 json 序列化類

  • 2.2 LowercaseContractResolver.cs 轉換欄位名稱為小寫,該類非常簡單,僅有一行核心代碼

public class LowercaseContractResolver : DefaultContractResolver
{
    protected override string ResolvePropertyName(string propertyName)
    {
        return propertyName.ToLower();
    }
}
  • 2.3 BooleanConverter.cs 將 bool 類型轉換為數字 0/1
public class BooleanConverter : JsonConverter
{
    public override bool CanConvert(Type objectType)
    {
        return objectType == typeof(bool) || objectType == typeof(Nullable<bool>);
    }

    public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
    {
        if (reader.Value == null)
            return null;

        return Convert.ToBoolean(reader.Value);
    }

    public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
    {
        if (value == null)
            writer.WriteNull();
        else
        {
            UInt32 val = Convert.ToUInt32(Convert.ToBoolean(value));
            writer.WriteValue(val);
        }
    }
}
  • 2.4 DateTimeConverter.cs Unix 時間格式轉換類
public class DateTimeConverter : DateTimeConverterBase
{
    public static DateTime Greenwich_Mean_Time = TimeZoneInfo.ConvertTime(new DateTime(1970, 1, 1), TimeZoneInfo.Local);
    public override bool CanConvert(Type objectType)
    {
        return objectType == typeof(DateTime) || objectType == typeof(Nullable<DateTime>);
    }

    public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
    {
        if (reader.Value == null)
            return null;

        if (CanConvert(objectType))
        {
            if (string.IsNullOrEmpty(reader.Value.ToNullOrString()))
                return reader.Value;

            if (reader.Value is string)
            {
                if (DateTime.TryParse(reader.Value.ToString(), out DateTime dt))
                    return dt;
                else
                    return reader.Value;
            }
            else
                return new DateTime(Greenwich_Mean_Time.Ticks + Convert.ToInt64(reader.Value) * 10000).ToLocalTime();
        }
        else
            return reader.Value;
    }

    public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
    {
        if (value == null)
            writer.WriteNull();
        else
        {
            long val = 0;
            if (value.GetType() == typeof(DateTime))
            {
                DateTime dt = Convert.ToDateTime(value);
                val = (dt.ToUniversalTime().Ticks - Greenwich_Mean_Time.Ticks) / 10000;
            }
            else
                val = Convert.ToInt64(value);

            writer.WriteValue(val);
        }
    }
}
  • 2.5 最後一步,全局註冊 JsonSettings 到系統中,打開 Startup.cs 文件,在 Startup 方法中寫入以下內容
        public Startup(IConfiguration configuration, IHostingEnvironment env)
        {
            JsonConvert.DefaultSettings = () =>
            {
                var st = new JsonSerializerSettings
                {
                    Formatting = Formatting.Indented
                };

                st.Converters.Add(new BooleanConverter());
                st.Converters.Add(new DateTimeConverter());
                st.ContractResolver = new LowercaseContractResolver();

                return st;
            };
        }
  • 2.6 運行程式,介面輸出以下內容,完成
{
  "code": 0,
  "message": "成功",
  "data": {
    "detail": {
      "name": "Ron.lang",
      "gender": 1,
      "age": 22,
      "regtime": 1543739815980
    }
  }
}

結語

通過繼承 ContentResult 實現自定義的序列化數據包,這是剛需;為了實現跨平臺的要求,我們還自定義 JsonSettings 實現各種類型的自定義轉換,在實際項目開發中,這是非常有用的。

代碼下載

https://files.cnblogs.com/files/viter/Ron.JsonTest.zip


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • " 【.NET Core項目實戰 統一認證平臺】開篇及目錄索引 " 上篇文章介紹了 的源碼分析的內容,讓我們知道了 的一些運行原理,這篇將介紹如何使用dapper來持久化 ,讓我們對 理解更透徹,並優化下數據請求,減少不必要的開銷。 .netcore項目實戰交流群(637326624),有興趣的朋友 ...
  • 小程式使用微信支付包括:電腦管理控制台導入證書->修改代碼為搜索證書->授權IIS使用證書->設置TSL加密級別為1.2 描述: 1、通常調用微信生成訂單介面的時候,使用的證書都是直接路徑指向就行了,但是這種方法在IIS是不適用的 2、IIS網站綁定SSL證書之後,證書加密級別預設為1.0,而小程式 ...
  • 這次無論如何也要記錄下,原因是今天在一臺Windows2008R2的電腦上安裝.NET Core SDK後再命令行執行 居然爆出了“Failed to load the hostfxr.dll”的問題,之前也遇到過,但是解決了,卻沒有做記錄,害的這裡又google了一把!所以寫篇文章記錄下。額外說一 ...
  • 前言 .net core mvc和 .net mvc開發很相似,比如 視圖-模型-控制器結構。所以.net mvc開發員很容易入手.net core mvc 。但是兩個又有細微的區別,比如配置.net mvc中Web.config和Global.asax消失,而在.net core mvc中則是St ...
  • "原文" 原文很簡單,以下為機翻 WIRER ON THE WIRE SIGNALR協議的非正式描述 我已經看到詢問有關SignalR協議的描述的問題出現了很多。哎呀,當我開始關註SignalR時,我也在尋找類似的東西。現在,差不多一年之後,在我從架構上重新設計了SignalR C#客戶端並從頭開始 ...
  • IocPerformance "IocPerformance" 基本功能、高級功能、啟動預熱三方面比較各IOC,可以用作選型參考。 Lamar: StructureMap的替代品 "Lamar" "文檔" 相容StructureMap操作,針對.Net Core DI抽象進行設計 功能較全 性能較好 ...
  • 1 處理程式“ExtensionlessUrlHandler-Integrated-4.0”在其模塊列表中有一個錯誤模塊“ManagedPipelineHandler” 以管理員運行下麵的命令註冊: 32位機器: C:\Windows\Microsoft.NET\Framework\v4.0.303 ...
  • C# -- 結構、訪問修飾符 1. 結構: struct 類型 對於結構,不像類那樣存在繼承。 一個結構不能從另一個結構或類繼承,而且不能作為一個類的基。 但是,結構從基類 Object 繼承。 結構可實現介面,其方式同類完全一樣。無法使用 struct 關鍵字聲明類。 在 C# 中,類與結構在語義 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...