主頁 >  其他 > 在我們的ASP.NETMVC5Web應用程式中,以標準方式撰寫我們的API端點以涵蓋所有業務場景

在我們的ASP.NETMVC5Web應用程式中,以標準方式撰寫我們的API端點以涵蓋所有業務場景

2022-10-26 17:50:50 其他

我在 ASP.NET MVC 5 中有這個 Action 方法:

namespace LDAPMVCProject.Controllers
{
    public class HomeController : Controller
    {
        public ActionResult UsersInfo(string username, string password)
        {
            DomainContext result = new DomainContext();

            try
            {
                // create LDAP connection object  
                DirectoryEntry myLdapConnection = createDirectoryEntry();
                string ADServerName = System.Web.Configuration.WebConfigurationManager.AppSettings["ADServerName"];
                string ADusername = System.Web.Configuration.WebConfigurationManager.AppSettings["ADUserName"];
                string ADpassword = System.Web.Configuration.WebConfigurationManager.AppSettings["ADPassword"];

                using (var context = new DirectoryEntry("LDAP://mydomain.com:389/DC=mydomain,DC=com", ADusername, ADpassword))
                using (var search = new DirectorySearcher(context))
                {
                    // validate username & password
                    using (var context2 = new PrincipalContext(ContextType.Domain, "mydomain.com", ADusername, ADpassword))
                    {
                        bool isvalid = context2.ValidateCredentials(username, password);
                        
                        if !(isvalid)
                            return **** // authentication error
                    }

                    // create search object which operates on LDAP connection object  
                    // and set search object to only find the user specified  

                    //    DirectorySearcher search = new DirectorySearcher(myLdapConnection);
                    //  search.PropertiesToLoad.Add("telephoneNumber");
                    search.Filter = "(&(objectClass=user)(sAMAccountName=test.test))";

                    // create results objects from search object  

                    // user exists, cycle through LDAP fields (cn, telephonenumber etc.)  
                    SearchResult r = search.FindOne();

                    ResultPropertyCollection fields = r.Properties;

                    foreach (String ldapField in fields.PropertyNames)
                    {
                        if (ldapField.ToLower() == "telephonenumber")
                        {
                            foreach (Object myCollection in fields[ldapField])
                            {
                                result.Telephone = myCollection.ToString();
                            }
                        }
                        else if (ldapField.ToLower() == "department")
                        {
                            foreach (Object myCollection in fields[ldapField])
                            {
                                result.Department = myCollection.ToString();
                            }
                        }
                       // }
                    }
                    
                    if (result.Telephone == null)
                        return ***** //Telephone is empty

                    if (result.Department)
                        return **** // department is empty

                    string output = JsonConvert.SerializeObject(result);

                    return Content(output, "application/json");//success
                }
            }
            catch (Exception e)
            {
                Console.WriteLine("Exception caught:\n\n"   e.ToString());
            }

            return View(result);
        }
    }
}

action 方法充當我們 Web 應用程式的 API 端點,其中 API 接受用戶名和密碼,并執行以下操作:

  1. 根據 Active Directory 驗證用戶名/密碼

  2. 如果有效;檢查電話號碼是否為空 >> 如果是則回傳錯誤

  3. 如果有效;檢查部門是否為空 >> 如果是則回傳錯誤

  4. 如果有效并找到資訊;為用戶回傳部門和電話

現在我對如何回傳前 3 點的 JSON 有點困惑?我是否應該始終回傳帶有狀態訊息的 http 200(狀態:“成功”或狀態:“失敗”)?或者如果用戶名/密碼驗證失敗,那么我應該回傳 http 401 而不必回傳任何 JSON 內容?

誰能幫我這個?

我需要以標準方式撰寫操作方法,以供 3rd 方應用程式使用。

第二個問題:如果代碼引發例外,我需要回傳什么?

謝謝

uj5u.com熱心網友回復:

這是一種 API 錯誤處理和日志記錄設計,以下型別的方法效果很好,可以分離關注點并保持主邏輯干凈:

設計錯誤回應

這些應該對客戶有用,例如,如果他們需要顯示錯誤或基于特定原因做某事。4xx 錯誤可能包含此有效負載以及 HTTP 狀態:

{
  "code": "authentication_failed",
  "message": "Invalid credentials were provided"
}

根據在這種情況下 UI 將顯示的內容以及您在日志中查找錯誤的方式,通常會為 500 錯誤提供不同的有效負載:

{
  "code": "authentication_error",
  "message": "A problem was encountered during a backend authentication operation",
  "area": "LDAP",
  "id": 12745,
  "utcTime": "2022-07-24T10:27:33.468Z"
}

設計 API 日志

在第一種情況下,服務器日志可能包含以下欄位:

{
  "id": "7af62b06-8c04-41b0-c428-de332436d52a",
  "utcTime": "2022-07-24T10:27:33.468Z",
  "apiName": "MyApi",
  "operationName": "getUserInfo",
  "hostName": "server101",
  "method": "POST",
  "path": "/userInfo",
  "errorData": {
    "statusCode": 401,
    "clientError": {
      "code": "authentication_failed",
      "message": "Invalid credentials were provided",
      "context": "The account is locked out"
    }
  }
}

在第二種情況下,服務器日志可能包含以下欄位:

{
  "id": "7af62b06-8c04-41b0-c428-de332436d52a",
  "utcTime": "2022-07-24T10:27:33.468Z",
  "apiName": "MyApi",
  "operationName": "getUserInfo",
  "hostName": "server101",
  "method": "POST",
  "path": "/userInfo",
  "errorData": {
    "statusCode": 500,
    "clientError": {
      "code": "authentication_error",
      "message": "A problem was encountered during a backend authentication operation",
      "area": "LDAP",
      "id": 12745,
      "utcTime": "2022-07-24T10:27:33.468Z"
    },
    "serviceError": {
      "details": "Host not found: error MS78245",
      "stack": [
        "Error: An unexpected exception occurred in the API",
        "at DirectorySearcher: 871 ... "
      ]
  }
}

代碼

也許旨在使用與此類似的代碼來表示您想要的錯誤和日志記錄行為。ClientError和類啟用上述ServiceError回應和日志。當拋出錯誤時,這應該使您能夠添加有用的背景關系資訊:

public class HomeController : Controller
{
    public ActionResult UsersInfo(string username, string password)
    {
        DomainContext result = new DomainContext();

        try
        {
            DirectoryEntry myLdapConnection = createDirectoryEntry();
            string ADServerName = System.Web.Configuration.WebConfigurationManager.AppSettings["ADServerName"];
            string ADusername = System.Web.Configuration.WebConfigurationManager.AppSettings["ADUserName"];
            string ADpassword = System.Web.Configuration.WebConfigurationManager.AppSettings["ADPassword"];

            using (var context = new DirectoryEntry("LDAP://mydomain.com:389/DC=mydomain,DC=com", ADusername, ADpassword))
            using (var search = new DirectorySearcher(context))
            {
                using (var context2 = new PrincipalContext(ContextType.Domain, "mydomain.com", ADusername, ADpassword))
                {
                    bool isvalid = context2.ValidateCredentials(username, password);
                    if !(isvalid)
                        throw new ClientError(401, "authentication_failed", "Invalid credentials were provided", "optional context goes here");
                }

                DirectorySearcher search = new DirectorySearcher(myLdapConnection);
                search.Filter = "(&(objectClass=user)(sAMAccountName=test.test))";

                SearchResult r = search.FindOne();
                ResultPropertyCollection fields = r.Properties;
                foreach (String ldapField in fields.PropertyNames)
                {
                    if (ldapField.ToLower() == "telephonenumber")
                    {
                        foreach (Object myCollection in fields[ldapField])
                        {
                            result.Telephone = myCollection.ToString();
                        }
                    }
                    else if (ldapField.ToLower() == "department")
                    {
                        foreach (Object myCollection in fields[ldapField])
                        {
                            result.Department = myCollection.ToString();
                        }
                    }
                }
                
                if (result.Telephone == null)
                    throw new ClientError(400, "invalid_user_data", "User data is invalid", "Telephone is missing");

                if (result.Department)
                    throw new ClientError(400, "invalid_user_data", "User data is invalid", "Department is missing");

                string output = JsonConvert.SerializeObject(result);
                return Content(output, "application/json");
            }
        }
        catch (Exception e)
        {
            throw new ServiceError("authentication_error", "A problem was encountered during a backend authentication operation", "LDAP", e);
        }

        return View(result);
    }
}

中間件

通常的模式是使用小型中間件類來處理例外處理、回傳錯誤回應和寫入錯誤日志:

  • 日志過濾器
  • 例外過濾器

此處撰寫的邏輯型別在一定程度上取決于您的偏好,但可能類似于以下內容:

public class ErrorFilterAttribute : HandleErrorAttribute
{
    public override void OnException(ExceptionContext filterContext)
    {
        var logEntry = new ErrorLogEntry();
        var jsonResponse = ""
        var statusCode = 500;

        if (filterContext.Exception is ClientError)
        {
            var clientError = filterContext.Exception as ClientError;
            logEntry.AddClientErrorDetails(clientError);
            statusCode = clientError.StatusCode;
            jsonResponse = clientError.toResponseFormat();
        }
        if (filterContext.Exception is ServiceError)
        {
            var serviceError = filterContext.Exception as ServiceError;
            logEntry.AddServiceErrorDetails(serviceError);
            statusCode = serviceError.StatusCode;
            jsonResponse = serviceError.toResponseFormat();
        }
        logEntry.Write();

        filterContext.Result = new JsonResult(jsonResponse);
        filterContext.HttpContext.Response.Clear();
        filterContext.HttpContext.Response.StatusCode = statusCode;
        filterContext.ExceptionHandled = true;
    }
}

uj5u.com熱心網友回復:

有很多方法可以解決這個問題,最終您希望您的端點以任何使用您的端點的人所期望的方式運行。

我偶然發現這是一種有趣的方式來處理對您的端點的請求中的細微差別。即使這用于 Graph API,您也可以根據需要使用該概念。https://developers.facebook.com/docs/graph-api/guides/error-handlingTL;DR 將具有標準化的 json 回應,例如:

{
  "error": {
    "message": "Message describing the error", 
    "type": "OAuthException", 
    "code": 190,
    "error_subcode": 460,
    "error_user_title": "A title",
    "error_user_msg": "A message",
    "fbtrace_id": "EJplcsCHuLu"
  }
}

uj5u.com熱心網友回復:

HTTP 狀態代碼非常靈活,可能會混淆何時使用什么。我的建議:

  1. 識別 Http 狀態族(X00)
  • 100s:資訊代碼:服務器確認瀏覽器發起的請求并且正在處理(100-199)。
  • 200s:成功代碼:請求接收、理解、處理和預期的資訊中繼到瀏覽器(200-299)。
  • 300s:重定向代碼:不同的目的地已被請求的資源替代;可能需要瀏覽器采取進一步行動 (300–399)。
  • 400s:客戶端錯誤代碼:未訪問網站或頁面;頁面不可用或請求存在技術問題 (400–499)。
  • 500s:服務器錯誤代碼
  1. 在此處搜索您的回應(2XX) 的特定 Http 狀態代碼,這里有一些 200 系列的示例:
  • 201:已創建。請求已完成;創建了新資源。POST 請求后的典型回應。
  • 202:接受。瀏覽器請求已接受,仍在處理中。可能成功,也可能不成功。

對于您的示例,我將回傳:

  • 403:禁止 - 如果用戶憑據錯誤。
  • 200:好的 - 如果一切正常(所有資訊都回傳)。

當用戶通過身份驗證但沒有有效資料時,另一個選項有點棘手。你可以回傳:

  • 204: No content - 因為用戶是auth但沒有資料
  • 500: internal server error - 因為服務器不能回傳請求的物件
  • 404:未找到 - (不是我個人的選擇,但它是一個選項)

它還取決于您的客戶和您的偏好。

快樂的科丁 :)

轉載請註明出處,本文鏈接:https://www.uj5u.com/qita/519791.html

標籤:网asp.net-mvc休息网页服务

上一篇:如何使用pandasapply()有效地呼叫Web服務

下一篇:SEI和WSDL有什么區別

標籤雲
其他(157675) Python(38076) JavaScript(25376) Java(17977) C(15215) 區塊鏈(8255) C#(7972) AI(7469) 爪哇(7425) MySQL(7132) html(6777) 基礎類(6313) sql(6102) 熊猫(6058) PHP(5869) 数组(5741) R(5409) Linux(5327) 反应(5209) 腳本語言(PerlPython)(5129) 非技術區(4971) Android(4554) 数据框(4311) css(4259) 节点.js(4032) C語言(3288) json(3245) 列表(3129) 扑(3119) C++語言(3117) 安卓(2998) 打字稿(2995) VBA(2789) Java相關(2746) 疑難問題(2699) 细绳(2522) 單片機工控(2479) iOS(2429) ASP.NET(2402) MongoDB(2323) 麻木的(2285) 正则表达式(2254) 字典(2211) 循环(2198) 迅速(2185) 擅长(2169) 镖(2155) 功能(1967) .NET技术(1958) Web開發(1951) python-3.x(1918) HtmlCss(1915) 弹簧靴(1913) C++(1909) xml(1889) PostgreSQL(1872) .NETCore(1853) 谷歌表格(1846) Unity3D(1843) for循环(1842)

熱門瀏覽
  • 網閘典型架構簡述

    網閘架構一般分為兩種:三主機的三系統架構網閘和雙主機的2+1架構網閘。 三主機架構分別為內端機、外端機和仲裁機。三機無論從軟體和硬體上均各自獨立。首先從硬體上來看,三機都用各自獨立的主板、記憶體及存盤設備。從軟體上來看,三機有各自獨立的作業系統。這樣能達到完全的三機獨立。對于“2+1”系統,“2”分為 ......

    uj5u.com 2020-09-10 02:00:44 more
  • 如何從xshell上傳檔案到centos linux虛擬機里

    如何從xshell上傳檔案到centos linux虛擬機里及:虛擬機CentOs下執行 yum -y install lrzsz命令,出現錯誤:鏡像無法找到軟體包 前言 一、安裝lrzsz步驟 二、上傳檔案 三、遇到的問題及解決方案 總結 前言 提示:其實很簡單,往虛擬機上安裝一個上傳檔案的工具 ......

    uj5u.com 2020-09-10 02:00:47 more
  • 一、SQLMAP入門

    一、SQLMAP入門 1、判斷是否存在注入 sqlmap.py -u 網址/id=1 id=1不可缺少。當注入點后面的引數大于兩個時。需要加雙引號, sqlmap.py -u "網址/id=1&uid=1" 2、判斷文本中的請求是否存在注入 從文本中加載http請求,SQLMAP可以從一個文本檔案中 ......

    uj5u.com 2020-09-10 02:00:50 more
  • Metasploit 簡單使用教程

    metasploit 簡單使用教程 浩先生, 2020-08-28 16:18:25 分類專欄: kail 網路安全 linux 文章標簽: linux資訊安全 編輯 著作權 metasploit 使用教程 前言 一、Metasploit是什么? 二、準備作業 三、具體步驟 前言 Msfconsole ......

    uj5u.com 2020-09-10 02:00:53 more
  • 游戲逆向之驅動層與用戶層通訊

    驅動層代碼: #pragma once #include <ntifs.h> #define add_code CTL_CODE(FILE_DEVICE_UNKNOWN,0x800,METHOD_BUFFERED,FILE_ANY_ACCESS) /* 更多游戲逆向視頻www.yxfzedu.com ......

    uj5u.com 2020-09-10 02:00:56 more
  • 北斗電力時鐘(北斗授時服務器)讓網路資料更精準

    北斗電力時鐘(北斗授時服務器)讓網路資料更精準 北斗電力時鐘(北斗授時服務器)讓網路資料更精準 京準電子科技官微——ahjzsz 近幾年,資訊技術的得了快速發展,互聯網在逐漸普及,其在人們生活和生產中都得到了廣泛應用,并且取得了不錯的應用效果。計算機網路資訊在電力系統中的應用,一方面使電力系統的運行 ......

    uj5u.com 2020-09-10 02:01:03 more
  • 【CTF】CTFHub 技能樹 彩蛋 writeup

    ?碎碎念 CTFHub:https://www.ctfhub.com/ 筆者入門CTF時時剛開始刷的是bugku的舊平臺,后來才有了CTFHub。 感覺不論是網頁UI設計,還是題目質量,賽事跟蹤,工具軟體都做得很不錯。 而且因為獨到的金幣制度的確讓人有一種想去刷題賺金幣的感覺。 個人還是非常喜歡這個 ......

    uj5u.com 2020-09-10 02:04:05 more
  • 02windows基礎操作

    我學到了一下幾點 Windows系統目錄結構與滲透的作用 常見Windows的服務詳解 Windows埠詳解 常用的Windows注冊表詳解 hacker DOS命令詳解(net user / type /md /rd/ dir /cd /net use copy、批處理 等) 利用dos命令制作 ......

    uj5u.com 2020-09-10 02:04:18 more
  • 03.Linux基礎操作

    我學到了以下幾點 01Linux系統介紹02系統安裝,密碼啊破解03Linux常用命令04LAMP 01LINUX windows: win03 8 12 16 19 配置不繁瑣 Linux:redhat,centos(紅帽社區版),Ubuntu server,suse unix:金融機構,證券,銀 ......

    uj5u.com 2020-09-10 02:04:30 more
  • 05HTML

    01HTML介紹 02頭部標簽講解03基礎標簽講解04表單標簽講解 HTML前段語言 js1.了解代碼2.根據代碼 懂得挖掘漏洞 (POST注入/XSS漏洞上傳)3.黑帽seo 白帽seo 客戶網站被黑帽植入劫持代碼如何處理4.熟悉html表單 <html><head><title>TDK標題,描述 ......

    uj5u.com 2020-09-10 02:04:36 more
最新发布
  • 2023年最新微信小程式抓包教程

    01 開門見山 隔一個月發一篇文章,不過分。 首先回顧一下《微信系結手機號資料庫被脫庫事件》,我也是第一時間得知了這個訊息,然后跟蹤了整件事情的經過。下面是這起事件的相關截圖以及近日流出的一萬條資料樣本: 個人認為這件事也沒什么,還不如關注一下之前45億快遞資料查詢渠道疑似在近日復活的訊息。 訊息是 ......

    uj5u.com 2023-04-20 08:48:24 more
  • web3 產品介紹:metamask 錢包 使用最多的瀏覽器插件錢包

    Metamask錢包是一種基于區塊鏈技術的數字貨幣錢包,它允許用戶在安全、便捷的環境下管理自己的加密資產。Metamask錢包是以太坊生態系統中最流行的錢包之一,它具有易于使用、安全性高和功能強大等優點。 本文將詳細介紹Metamask錢包的功能和使用方法。 一、 Metamask錢包的功能 數字資 ......

    uj5u.com 2023-04-20 08:47:46 more
  • vulnhub_Earth

    前言 靶機地址->>>vulnhub_Earth 攻擊機ip:192.168.20.121 靶機ip:192.168.20.122 參考文章 https://www.cnblogs.com/Jing-X/archive/2022/04/03/16097695.html https://www.cnb ......

    uj5u.com 2023-04-20 07:46:20 more
  • 從4k到42k,軟體測驗工程師的漲薪史,給我看哭了

    清明節一過,盲猜大家已經無心上班,在數著日子準備過五一,但一想到銀行卡里的余額……瞬間心情就不美麗了。最近,2023年高校畢業生就業調查顯示,本科畢業月平均起薪為5825元。調查一出,便有很多同學表示自己又被平均了。看著這一資料,不免讓人想到前不久中國青年報的一項調查:近六成大學生認為畢業10年內會 ......

    uj5u.com 2023-04-20 07:44:00 more
  • 最新版本 Stable Diffusion 開源 AI 繪畫工具之中文自動提詞篇

    🎈 標簽生成器 由于輸入正向提示詞 prompt 和反向提示詞 negative prompt 都是使用英文,所以對學習母語的我們非常不友好 使用網址:https://tinygeeker.github.io/p/ai-prompt-generator 這個網址是為了讓大家在使用 AI 繪畫的時候 ......

    uj5u.com 2023-04-20 07:43:36 more
  • 漫談前端自動化測驗演進之路及測驗工具分析

    隨著前端技術的不斷發展和應用程式的日益復雜,前端自動化測驗也在不斷演進。隨著 Web 應用程式變得越來越復雜,自動化測驗的需求也越來越高。如今,自動化測驗已經成為 Web 應用程式開發程序中不可或缺的一部分,它們可以幫助開發人員更快地發現和修復錯誤,提高應用程式的性能和可靠性。 ......

    uj5u.com 2023-04-20 07:43:16 more
  • CANN開發實踐:4個DVPP記憶體問題的典型案例解讀

    摘要:由于DVPP媒體資料處理功能對存放輸入、輸出資料的記憶體有更高的要求(例如,記憶體首地址128位元組對齊),因此需呼叫專用的記憶體申請介面,那么本期就分享幾個關于DVPP記憶體問題的典型案例,并給出原因分析及解決方法。 本文分享自華為云社區《FAQ_DVPP記憶體問題案例》,作者:昇騰CANN。 DVPP ......

    uj5u.com 2023-04-20 07:43:03 more
  • msf學習

    msf學習 以kali自帶的msf為例 一、msf核心模塊與功能 msf模塊都放在/usr/share/metasploit-framework/modules目錄下 1、auxiliary 輔助模塊,輔助滲透(埠掃描、登錄密碼爆破、漏洞驗證等) 2、encoders 編碼器模塊,主要包含各種編碼 ......

    uj5u.com 2023-04-20 07:42:59 more
  • Halcon軟體安裝與界面簡介

    1. 下載Halcon17版本到到本地 2. 雙擊安裝包后 3. 步驟如下 1.2 Halcon軟體安裝 界面分為四大塊 1. Halcon的五個助手 1) 影像采集助手:與相機連接,設定相機引數,采集影像 2) 標定助手:九點標定或是其它的標定,生成標定檔案及內參外參,可以將像素單位轉換為長度單位 ......

    uj5u.com 2023-04-20 07:42:17 more
  • 在MacOS下使用Unity3D開發游戲

    第一次發博客,先發一下我的游戲開發環境吧。 去年2月份買了一臺MacBookPro2021 M1pro(以下簡稱mbp),這一年來一直在用mbp開發游戲。我大致分享一下我的開發工具以及使用體驗。 1、Unity 官網鏈接: https://unity.cn/releases 我一般使用的Apple ......

    uj5u.com 2023-04-20 07:40:19 more