asp.net core讀取request.body的正確方法
前言
相信大家在使用asp.net core進行開發(fā)的時候,肯定會涉及到讀取request.body的場景,畢竟我們大部分的post請求都是將數(shù)據(jù)存放到http的body當中。因為筆者日常開發(fā)所使用的主要也是asp.net core所以筆者也遇到這這種場景,關于本篇文章所套路的內(nèi)容,來自于在開發(fā)過程中我遇到的關于request.body的讀取問題。在之前的使用的時候,基本上都是借助搜索引擎搜索的答案,并沒有太關注這個,發(fā)現(xiàn)自己理解的和正確的使用之間存在很大的誤區(qū)。故有感而發(fā),便寫下此文,以作記錄。學無止境,愿與君共勉。
常用讀取方式
當我們要讀取request body的時候,相信大家第一直覺和筆者是一樣的,這有啥難的,直接幾行代碼寫完,這里我們模擬在filter中讀取request body,在action或middleware或其他地方讀取類似,有request的地方就有body,如下所示
public override void onactionexecuting(actionexecutingcontext context) { //在asp.net core中request body是stream的形式 streamreader stream = new streamreader(context.httpcontext.request.body); string body = stream.readtoend(); _logger.logdebug("body content:" + body); base.onactionexecuting(context); }
寫完之后,也沒多想,畢竟這么常規(guī)的操作,信心滿滿,運行起來調(diào)試一把,發(fā)現(xiàn)直接報一個這個錯system.invalidoperationexception: synchronous operations are disallowed. call readasync or set allowsynchronousio to true instead.
大致的意思就是同步操作不被允許,請使用readasync的方式或設置allowsynchronousio為true。雖然沒說怎么設置allowsynchronousio,不過我們借助搜索引擎是我們最大的強項。
同步讀取
首先我們來看設置allowsynchronousio
為true
的方式,看名字也知道是允許同步io,設置方式大致有兩種,待會我們會通過源碼來探究一下它們直接有何不同,我們先來看一下如何設置allowsynchronousio
的值。第一種方式是在configureservices
中配置,操作如下
services.configure<kestrelserveroptions>(options => { options.allowsynchronousio = true; });
這種方式和在配置文件中配置kestrel選項配置是一樣的只是方式不同,設置完之后即可,運行不在報錯。還有一種方式,可以不用在configureservices
中設置,通過ihttpbodycontrolfeature
的方式設置,具體如下
public override void onactionexecuting(actionexecutingcontext context) { var synciofeature = context.httpcontext.features.get<ihttpbodycontrolfeature>(); if (synciofeature != null) { synciofeature.allowsynchronousio = true; } streamreader stream = new streamreader(context.httpcontext.request.body); string body = stream.readtoend(); _logger.logdebug("body content:" + body); base.onactionexecuting(context); }
這種方式同樣有效,通過這種方式操作,不需要每次讀取body的時候都去設置,只要在準備讀取body之前設置一次即可。這兩種方式都是去設置allowsynchronousio
為true
,但是我們需要思考一點,微軟為何設置allowsynchronousio
默認為false
,說明微軟并不希望我們?nèi)ネ阶x取body。通過查找資料得出了這么一個結論
kestrel:默認情況下禁用 allowsynchronousio(同步io),線程不足會導致應用崩潰,而同步i/o api(例如httprequest.body.read)是導致線程不足的常見原因。
由此可以知道,這種方式雖然能解決問題,但是性能并不是不好,微軟也不建議這么操作,當程序流量比較大的時候,很容易導致程序不穩(wěn)定甚至崩潰。
異步讀取
通過上面我們了解到微軟并不希望我們通過設置allowsynchronousio
的方式去操作,因為會影響性能。那我們可以使用異步的方式去讀取,這里所說的異步方式其實就是使用stream自帶的異步方法去讀取,如下所示
public override void onactionexecuting(actionexecutingcontext context) { streamreader stream = new streamreader(context.httpcontext.request.body); string body = stream.readtoendasync().getawaiter().getresult(); _logger.logdebug("body content:" + body); base.onactionexecuting(context); }
就這么簡單,不需要額外設置其他的東西,僅僅通過readtoendasync
的異步方法去操作。asp.net core中許多操作都是異步操作,甚至是過濾器或中間件都可以直接返回task類型的方法,因此我們可以直接使用異步操作
public override async task onactionexecutionasync(actionexecutingcontext context, actionexecutiondelegate next) { streamreader stream = new streamreader(context.httpcontext.request.body); string body = await stream.readtoendasync(); _logger.logdebug("body content:" + body); await next(); }
這兩種方式的操作優(yōu)點是不需要額外設置別的,只是通過異步方法讀取即可,也是我們比較推薦的做法。比較神奇的是我們只是將streamreader
的readtoend
替換成readtoendasync
方法就皆大歡喜了,有沒有感覺到比較神奇。當我們感到神奇的時候,是因為我們對它還不夠了解,接下來我們就通過源碼的方式,一步一步的揭開它神秘的面紗。
重復讀取
上面我們演示了使用同步方式和異步方式讀取requestbody,但是這樣真的就可以了嗎?其實并不行,這種方式每次請求只能讀取一次正確的body結果,如果繼續(xù)對requestbody這個stream進行讀取,將讀取不到任何內(nèi)容,首先來舉個例子
public override async task onactionexecutionasync(actionexecutingcontext context, actionexecutiondelegate next) { streamreader stream = new streamreader(context.httpcontext.request.body); string body = await stream.readtoendasync(); _logger.logdebug("body content:" + body); streamreader stream2 = new streamreader(context.httpcontext.request.body); string body2 = await stream2.readtoendasync(); _logger.logdebug("body2 content:" + body2); await next(); }
上面的例子中body里有正確的requestbody的結果,但是body2中是空字符串。這個情況是比較糟糕的,為啥這么說呢?如果你是在middleware中讀取的requestbody,而這個中間件的執(zhí)行是在模型綁定之前,那么將會導致模型綁定失敗,因為模型綁定有的時候也需要讀取requestbody獲取http請求內(nèi)容。至于為什么會這樣相信大家也有了一定的了解,因為我們在讀取完stream之后,此時的stream指針位置已經(jīng)在stream的結尾處,即position此時不為0,而stream讀取正是依賴position來標記外部讀取stream到啥位置,所以我們再次讀取的時候會從結尾開始讀,也就讀取不到任何信息了。所以我們要想重復讀取requestbody那么就要再次讀取之前重置requestbody的position為0,如下所示
public override async task onactionexecutionasync(actionexecutingcontext context, actionexecutiondelegate next) { streamreader stream = new streamreader(context.httpcontext.request.body); string body = await stream.readtoendasync(); _logger.logdebug("body content:" + body); //或者使用重置position的方式 context.httpcontext.request.body.position = 0; //如果你確定上次讀取完之后已經(jīng)重置了position那么這一句可以省略 context.httpcontext.request.body.seek(0, seekorigin.begin); streamreader stream2 = new streamreader(context.httpcontext.request.body); string body2 = await stream2.readtoendasync(); //用完了我們盡量也重置一下,自己的坑自己填 context.httpcontext.request.body.seek(0, seekorigin.begin); _logger.logdebug("body2 content:" + body2); await next(); }
寫完之后,開開心心的運行起來看一下效果,發(fā)現(xiàn)報了一個錯system.notsupportedexception: specified method is not supported.at microsoft.aspnetcore.server.kestrel.core.internal.http.httprequeststream.seek(int64 offset, seekorigin origin)
大致可以理解起來不支持這個操作,至于為啥,一會解析源碼的時候咱們一起看一下。說了這么多,那到底該如何解決呢?也很簡單,微軟知道自己刨下了坑,自然給我們提供了解決辦法,用起來也很簡單就是加enablebuffering
public override async task onactionexecutionasync(actionexecutingcontext context, actionexecutiondelegate next) { //操作request.body之前加上enablebuffering即可 context.httpcontext.request.enablebuffering(); streamreader stream = new streamreader(context.httpcontext.request.body); string body = await stream.readtoendasync(); _logger.logdebug("body content:" + body); context.httpcontext.request.body.seek(0, seekorigin.begin); streamreader stream2 = new streamreader(context.httpcontext.request.body); //注意這里!!!我已經(jīng)使用了同步讀取的方式 string body2 = stream2.readtoend(); context.httpcontext.request.body.seek(0, seekorigin.begin); _logger.logdebug("body2 content:" + body2); await next(); }
通過添加request.enablebuffering()
我們就可以重復的讀取requestbody了,看名字我們可以大概的猜出來,他是和緩存requestbody有關,需要注意的是request.enablebuffering()
要加在準備讀取requestbody之前才有效果,否則將無效,而且每次請求只需要添加一次即可
。而且大家看到了我第二次讀取body的時候使用了同步的方式去讀取的requestbody,是不是很神奇,待會的時候我們會從源碼的角度分析這個問題。
源碼探究
上面我們看到了通過streamreader
的readtoend
同步讀取request.body需要設置allowsynchronousio
為true
才能操作,但是使用streamreader
的readtoendasync
方法卻可以直接操作。
streamreader和stream的關系
我們看到了都是通過操作streamreader
的方法即可,那關我request.body啥事,別急咱們先看一看這里的操作,首先來大致看下readtoend
的實現(xiàn)了解一下streamreader
到底和stream有啥關聯(lián),找到readtoend方法[點擊查看源碼👈]
public override string readtoend() { throwifdisposed(); checkasynctaskinprogress(); // 調(diào)用readbuffer,然后從charbuffer中提取數(shù)據(jù)。 stringbuilder sb = new stringbuilder(_charlen - _charpos); do { //循環(huán)拼接讀取內(nèi)容 sb.append(_charbuffer, _charpos, _charlen - _charpos); _charpos = _charlen; //讀取buffer,這是核心操作 readbuffer(); } while (_charlen > 0); //返回讀取內(nèi)容 return sb.tostring(); }
通過這段源碼我們了解到了這么個信息,一個是streamreader
的readtoend
其實本質是通過循環(huán)讀取readbuffer然后通過stringbuilder去拼接讀取的內(nèi)容,核心是讀取readbuffer方法,由于代碼比較多,我們找到大致呈現(xiàn)一下核心操作[點擊查看源碼👈]
if (_checkpreamble) { //通過這里我們可以知道本質就是使用要讀取的stream里的read方法 int len = _stream.read(_bytebuffer, _bytepos, _bytebuffer.length - _bytepos); if (len == 0) { if (_bytelen > 0) { _charlen += _decoder.getchars(_bytebuffer, 0, _bytelen, _charbuffer, _charlen); _bytepos = _bytelen = 0; } return _charlen; } _bytelen += len; } else { //通過這里我們可以知道本質就是使用要讀取的stream里的read方法 _bytelen = _stream.read(_bytebuffer, 0, _bytebuffer.length); if (_bytelen == 0) { return _charlen; } }
通過上面的代碼我們可以了解到streamreader
其實是工具類,只是封裝了對stream的原始操作,簡化我們的代碼readtoend
方法本質是讀取stream的read
方法。接下來我們看一下readtoendasync
方法的具體實現(xiàn)[點擊查看源碼👈]
public override task<string> readtoendasync() { if (gettype() != typeof(streamreader)) { return base.readtoendasync(); } throwifdisposed(); checkasynctaskinprogress(); //本質是readtoendasyncinternal方法 task<string> task = readtoendasyncinternal(); _asyncreadtask = task; return task; } private async task<string> readtoendasyncinternal() { //也是循環(huán)拼接讀取的內(nèi)容 stringbuilder sb = new stringbuilder(_charlen - _charpos); do { int tmpcharpos = _charpos; sb.append(_charbuffer, tmpcharpos, _charlen - tmpcharpos); _charpos = _charlen; //核心操作是readbufferasync方法 await readbufferasync(cancellationtoken.none).configureawait(false); } while (_charlen > 0); return sb.tostring(); }
通過這個我們可以看到核心操作是readbufferasync
方法,代碼比較多我們同樣看一下核心實現(xiàn)[點擊查看源碼👈]
byte[] tmpbytebuffer = _bytebuffer; //stream賦值給tmpstream stream tmpstream = _stream; if (_checkpreamble) { int tmpbytepos = _bytepos; //本質是調(diào)用stream的readasync方法 int len = await tmpstream.readasync(new memory<byte>(tmpbytebuffer, tmpbytepos, tmpbytebuffer.length - tmpbytepos), cancellationtoken).configureawait(false); if (len == 0) { if (_bytelen > 0) { _charlen += _decoder.getchars(tmpbytebuffer, 0, _bytelen, _charbuffer, _charlen); _bytepos = 0; _bytelen = 0; } return _charlen; } _bytelen += len; } else { //本質是調(diào)用stream的readasync方法 _bytelen = await tmpstream.readasync(new memory<byte>(tmpbytebuffer), cancellationtoken).configureawait(false); if (_bytelen == 0) { return _charlen; } }
通過上面代碼我可以了解到streamreader的本質就是讀取stream的包裝,核心方法還是來自stream本身。我們之所以大致介紹了streamreader類,就是為了給大家呈現(xiàn)出streamreader和stream的關系,否則怕大家誤解這波操作是streamreader的里的實現(xiàn),而不是request.body的問題,其實并不是這樣的所有的一切都是指向stream的request的body就是stream
這個大家可以自己查看一下,了解到這一步我們就可以繼續(xù)了。
httprequest的body
上面我們說到了request的body本質就是stream,stream本身是抽象類,所以request.body是stream的實現(xiàn)類。默認情況下request.body的是httprequeststream的實例[點擊查看源碼👈],我們這里說了是默認,因為它是可以改變的,我們一會再說。我們從上面streamreader的結論中得到readtoend本質還是調(diào)用的stream的read方法,即這里的httprequeststream的read方法,我們來看一下具體實現(xiàn)[點擊查看源碼👈]
public override int read(byte[] buffer, int offset, int count) { //知道同步讀取body為啥報錯了吧 if (!_bodycontrol.allowsynchronousio) { throw new invalidoperationexception(corestrings.synchronousreadsdisallowed); } //本質是調(diào)用readasync return readasync(buffer, offset, count).getawaiter().getresult(); }
通過這段代碼我們就可以知道了為啥在不設置allowsynchronousio為true的情下讀取body會拋出異常了吧,這個是程序級別的控制,而且我們還了解到read的本質還是在調(diào)用readasync異步方法
public override valuetask<int> readasync(memory<byte> destination, cancellationtoken cancellationtoken = default) { return readasyncwrapper(destination, cancellationtoken); }
readasync本身并無特殊限制,所以直接操作readasync不會存在類似read的異常。
通過這個我們得出了結論request.body即httprequeststream的同步讀取read會拋出異常,而異步讀取readasync并不會拋出異常只和httprequeststream的read方法本身存在判斷allowsynchronousio的值有關系。
allowsynchronousio本質來源
通過httprequeststream的read方法我們可以知道allowsynchronousio控制了同步讀取的方式。而且我們還了解到了allowsynchronousio有幾種不同方式的去配置,接下來我們來大致看下幾種方式的本質是哪一種。通過httprequeststream我們知道read方法中的allowsynchronousio的屬性是來自ihttpbodycontrolfeature
也就是我們上面介紹的第二種配置方式
private readonly httprequestpipereader _pipereader; private readonly ihttpbodycontrolfeature _bodycontrol; public httprequeststream(ihttpbodycontrolfeature bodycontrol, httprequestpipereader pipereader) { _bodycontrol = bodycontrol; _pipereader = pipereader; }
那么它和kestrelserveroptions
肯定是有關系的,因為我們只配置kestrelserveroptions的是httprequeststream的read是不報異常的,而httprequeststream的read只依賴了ihttpbodycontrolfeature的allowsynchronousio屬性。kestrel中httprequeststream初始化的地方在bodycontrol[點擊查看源碼👈]
private readonly httprequeststream _request; public bodycontrol(ihttpbodycontrolfeature bodycontrol, ihttpresponsecontrol responsecontrol) { _request = new httprequeststream(bodycontrol, _requestreader); }
而初始化bodycontrol的地方在httpprotocol中,我們找到初始化bodycontrol的initializebodycontrol方法[點擊查看源碼👈]
public void initializebodycontrol(messagebody messagebody) { if (_bodycontrol == null) { //這里傳遞的是bodycontrol傳遞的是this _bodycontrol = new bodycontrol(bodycontrol: this, this); } (requestbody, responsebody, requestbodypipereader, responsebodypipewriter) = _bodycontrol.start(messagebody); _requeststreaminternal = requestbody; _responsestreaminternal = responsebody; }
這里我們可以看的到初始化ihttpbodycontrolfeature既然傳遞的是this,也就是httpprotocol當前實例。也就是說httpprotocol是實現(xiàn)了ihttpbodycontrolfeature接口,httpprotocol本身是partial的,我們在其中一個分布類httpprotocol.featurecollection中看到了實現(xiàn)關系
[點擊查看源碼👈]
internal partial class httpprotocol : ihttprequestfeature, ihttprequestbodydetectionfeature, ihttpresponsefeature, ihttpresponsebodyfeature, irequestbodypipefeature, ihttpupgradefeature, ihttpconnectionfeature, ihttprequestlifetimefeature, ihttprequestidentifierfeature, ihttprequesttrailersfeature, ihttpbodycontrolfeature, ihttpmaxrequestbodysizefeature, iendpointfeature, iroutevaluesfeature { bool ihttpbodycontrolfeature.allowsynchronousio { get => allowsynchronousio; set => allowsynchronousio = value; } }
通過這個可以看出httpprotocol確實實現(xiàn)了ihttpbodycontrolfeature接口,接下來我們找到初始化allowsynchronousio的地方,找到了allowsynchronousio = serveroptions.allowsynchronousio;
這段代碼說明來自于serveroptions這個屬性,找到初始化serveroptions的地方[點擊查看源碼👈]
private httpconnectioncontext _context; //servicecontext初始化來自httpconnectioncontext public servicecontext servicecontext => _context.servicecontext; protected kestrelserveroptions serveroptions { get; set; } = default!; public void initialize(httpconnectioncontext context) { _context = context; //來自servicecontext serveroptions = servicecontext.serveroptions; reset(); httpresponsecontrol = this; }
通過這個我們知道serveroptions來自于servicecontext的serveroptions屬性,我們找到給servicecontext賦值的地方,在kestrelserverimpl的createservicecontext方法里[點擊查看源碼👈]精簡一下邏輯,抽出來核心內(nèi)容大致實現(xiàn)如下
public kestrelserverimpl( ioptions<kestrelserveroptions> options, ienumerable<iconnectionlistenerfactory> transportfactories, iloggerfactory loggerfactory) //注入進來的ioptions<kestrelserveroptions>調(diào)用了createservicecontext : this(transportfactories, null, createservicecontext(options, loggerfactory)) { } private static servicecontext createservicecontext(ioptions<kestrelserveroptions> options, iloggerfactory loggerfactory) { //值來自于ioptions<kestrelserveroptions> var serveroptions = options.value ?? new kestrelserveroptions(); return new servicecontext { log = trace, httpparser = new httpparser<http1parsinghandler>(trace.isenabled(loglevel.information)), scheduler = pipescheduler.threadpool, systemclock = heartbeatmanager, dateheadervaluemanager = dateheadervaluemanager, connectionmanager = connectionmanager, heartbeat = heartbeat, //賦值操作 serveroptions = serveroptions, }; }
通過上面的代碼我們可以看到如果配置了kestrelserveroptions那么servicecontext的serveroptions屬性就來自于kestrelserveroptions,即我們通過services.configure<kestrelserveroptions>()
配置的值,總之得到了這么一個結論
如果配置了kestrelserveroptions即services.configure(),那么allowsynchronousio來自于kestrelserveroptions。即ihttpbodycontrolfeature的allowsynchronousio屬性來自于kestrelserveroptions。如果沒有配置,那么直接通過修改ihttpbodycontrolfeature實例的
allowsynchronousio屬性能得到相同的效果,畢竟httprequeststream是直接依賴的ihttpbodycontrolfeature實例。
enablebuffering神奇的背后
我們在上面的示例中看到了,如果不添加enablebuffering的話直接設置requestbody的position會報notsupportedexception這么一個錯誤,而且加了它之后我居然可以直接使用同步的方式去讀取requestbody,首先我們來看一下為啥會報錯,我們從上面的錯誤了解到錯誤來自于httprequeststream這個類[點擊查看源碼👈],上面我們也說了這個類繼承了stream抽象類,通過源碼我們可以看到如下相關代碼
//不能使用seek操作 public override bool canseek => false; //允許讀 public override bool canread => true; //不允許寫 public override bool canwrite => false; //不能獲取長度 public override long length => throw new notsupportedexception(); //不能讀寫position public override long position { get => throw new notsupportedexception(); set => throw new notsupportedexception(); } //不能使用seek方法 public override long seek(long offset, seekorigin origin) { throw new notsupportedexception(); }
相信通過這些我們可以清楚的看到針對httprequeststream的設置或者寫相關的操作是不被允許的,這也是為啥我們上面直接通過seek設置position的時候為啥會報錯,還有一些其他操作的限制,總之默認是不希望我們對httprequeststream做過多的操作,特別是設置或者寫相關的操作。但是我們使用enablebuffering的時候卻沒有這些問題,究竟是為什么?接下來我們要揭開它的什么面紗了。首先我們從request.enablebuffering()
這個方法入手,找到源碼位置在httprequestrewindextensions擴展類中[點擊查看源碼👈],我們從最簡單的無參方法開始看到如下定義
/// <summary> /// 確保request.body可以被多次讀取 /// </summary> /// <param name="request"></param> public static void enablebuffering(this httprequest request) { bufferinghelper.enablerewind(request); }
上面的方法是最簡單的形式,還有一個enablebuffering的擴展方法是參數(shù)最全的擴展方法,這個方法可以控制讀取的大小和控制是否存儲到磁盤的限定大小
/// <summary> /// 確保request.body可以被多次讀取 /// </summary> /// <param name="request"></param> /// <param name="bufferthreshold">內(nèi)存中用于緩沖流的最大大小(字節(jié))。較大的請求主體被寫入磁盤。</param> /// <param name="bufferlimit">請求正文的最大大小(字節(jié))。嘗試讀取超過此限制將導致異常</param> public static void enablebuffering(this httprequest request, int bufferthreshold, long bufferlimit) { bufferinghelper.enablerewind(request, bufferthreshold, bufferlimit); }
無論那種形式,最終都是在調(diào)用bufferinghelper.enablerewind
這個方法,話不多說直接找到bufferinghelper這個類,找到類的位置[點擊查看源碼👈]代碼不多而且比較簡潔,咱們就把enablerewind的實現(xiàn)粘貼出來
//默認內(nèi)存中可緩存的大小為30k,超過這個大小將會被存儲到磁盤 internal const int defaultbufferthreshold = 1024 * 30; /// <summary> /// 這個方法也是httprequest擴展方法 /// </summary> /// <returns></returns> public static httprequest enablerewind(this httprequest request, int bufferthreshold = defaultbufferthreshold, long? bufferlimit = null) { if (request == null) { throw new argumentnullexception(nameof(request)); } //先獲取request body var body = request.body; //默認情況body是httprequeststream這個類canseek是false所以肯定會執(zhí)行到if邏輯里面 if (!body.canseek) { //實例化了filebufferingreadstream這個類,看來這是關鍵所在 var filestream = new filebufferingreadstream(body, bufferthreshold,bufferlimit,aspnetcoretempdirectory.tempdirectoryfactory); //賦值給body,也就是說開啟了enablebuffering之后request.body類型將會是filebufferingreadstream request.body = filestream; //這里要把filestream注冊給response便于釋放 request.httpcontext.response.registerfordispose(filestream); } return request; }
從上面這段源碼實現(xiàn)中我們可以大致得到兩個結論
- bufferinghelper的enablerewind方法也是httprequest的擴展方法,可以直接通過
request.enablerewind
的形式調(diào)用,效果等同于調(diào)用request.enablebuffering
因為enablebuffering也是調(diào)用的enablerewind - 啟用了enablebuffering這個操作之后實際上會使用filebufferingreadstream替換掉默認的httprequeststream,所以后續(xù)處理requestbody的操作將會是filebufferingreadstream實例
通過上面的分析我們也清楚的看到了,核心操作在于filebufferingreadstream
這個類,而且從名字也能看出來它肯定是也繼承了stream抽象類,那還等啥直接找到filebufferingreadstream的實現(xiàn)[點擊查看源碼👈],首先來看他類的定義
public class filebufferingreadstream : stream { }
毋庸置疑確實是繼承自steam類,我們上面也看到了使用了request.enablebuffering之后就可以設置和重復讀取requestbody,說明進行了一些重寫操作,具體我們來看一下
/// <summary> /// 允許讀 /// </summary> public override bool canread { get { return true; } } /// <summary> /// 允許seek /// </summary> public override bool canseek { get { return true; } } /// <summary> /// 不允許寫 /// </summary> public override bool canwrite { get { return false; } } /// <summary> /// 可以獲取長度 /// </summary> public override long length { get { return _buffer.length; } } /// <summary> /// 可以讀寫position /// </summary> public override long position { get { return _buffer.position; } set { throwifdisposed(); _buffer.position = value; } } public override long seek(long offset, seekorigin origin) { //如果body已釋放則異常 throwifdisposed(); //特殊情況拋出異常 //_completelybuffered代表是否完全緩存一定是在原始的httprequeststream讀取完成后才置為true //出現(xiàn)沒讀取完成但是原始位置信息和當前位置信息不一致則直接拋出異常 if (!_completelybuffered && origin == seekorigin.end) { throw new notsupportedexception("the content has not been fully buffered yet."); } else if (!_completelybuffered && origin == seekorigin.current && offset + position > length) { throw new notsupportedexception("the content has not been fully buffered yet."); } else if (!_completelybuffered && origin == seekorigin.begin && offset > length) { throw new notsupportedexception("the content has not been fully buffered yet."); } //充值buffer的seek return _buffer.seek(offset, origin); }
因為重寫了一些關鍵設置,所以我們可以設置一些流相關的操作。從seek方法中我們看到了兩個比較重要的參數(shù)_completelybuffered
和_buffer
,_completelybuffered用來判斷原始的httprequeststream是否讀取完成,因為filebufferingreadstream歸根結底還是先讀取了httprequeststream的內(nèi)容。_buffer正是承載從httprequeststream讀取的內(nèi)容,我們大致抽離一下邏輯看一下,切記這不是全部邏輯,是抽離出來的大致思想
private readonly arraypool<byte> _bytepool; private const int _maxrentedbuffersize = 1024 * 1024; //1mb private stream _buffer; public filebufferingreadstream(int memorythreshold) { //即使我們設置memorythreshold那么它最大也不能超過1mb否則也會存儲在磁盤上 if (memorythreshold <= _maxrentedbuffersize) { _rentedbuffer = bytepool.rent(memorythreshold); _buffer = new memorystream(_rentedbuffer); _buffer.setlength(0); } else { //超過1m將緩存到磁盤所以僅僅初始化 _buffer = new memorystream(); } }
這些都是一些初始化的操作,核心操作當然還是在filebufferingreadstream的read方法里,因為真正讀取的地方就在這,我們找到read方法位置[點擊查看源碼👈]
private readonly stream _inner; public filebufferingreadstream(stream inner) { //接收原始的request.body _inner = inner; } public override int read(span<byte> buffer) { throwifdisposed(); //如果讀取完成過則直接在buffer中獲取信息直接返回 if (_buffer.position < _buffer.length || _completelybuffered) { return _buffer.read(buffer); } //未讀取完成才會走到這里 //_inner正是接收的原始的requestbody //讀取的requestbody放入buffer中 var read = _inner.read(buffer); //超過設定的長度則會拋出異常 if (_bufferlimit.hasvalue && _bufferlimit - read < _buffer.length) { throw new ioexception("buffer limit exceeded."); } //如果設定存儲在內(nèi)存中并且body長度大于設定的可存儲在內(nèi)存中的長度,則存儲到磁盤中 if (_inmemory && _memorythreshold - read < _buffer.length) { _inmemory = false; //緩存原始的body流 var oldbuffer = _buffer; //創(chuàng)建緩存文件 _buffer = createtempfile(); //超過內(nèi)存存儲限制,但是還未寫入過臨時文件 if (_rentedbuffer == null) { oldbuffer.position = 0; var rentedbuffer = _bytepool.rent(math.min((int)oldbuffer.length, _maxrentedbuffersize)); try { //將body流讀取到緩存文件流中 var copyread = oldbuffer.read(rentedbuffer); //判斷是否讀取到結尾 while (copyread > 0) { //將oldbuffer寫入到緩存文件流_buffer當中 _buffer.write(rentedbuffer.asspan(0, copyread)); copyread = oldbuffer.read(rentedbuffer); } } finally { //讀取完成之后歸還臨時緩沖區(qū)到arraypool中 _bytepool.return(rentedbuffer); } } else { _buffer.write(_rentedbuffer.asspan(0, (int)oldbuffer.length)); _bytepool.return(_rentedbuffer); _rentedbuffer = null; } } //如果讀取requestbody未到結尾,則一直寫入到緩存區(qū) if (read > 0) { _buffer.write(buffer.slice(0, read)); } else { //如果已經(jīng)讀取requestbody完畢,也就是寫入到緩存完畢則更新_completelybuffered //標記為以全部讀取requestbody完成,后續(xù)在讀取requestbody則直接在_buffer中讀取 _completelybuffered = true; } //返回讀取的byte個數(shù)用于外部streamreader判斷讀取是否完成 return read; }
代碼比較多看著也比較復雜,其實核心思路還是比較清晰的,我們來大致的總結一下
- 首先判斷是否完全的讀取過原始的requestbody,如果完全完整的讀取過requestbody則直接在緩沖區(qū)中獲取返回
- 如果requestbody長度大于設定的內(nèi)存存儲限定,則將緩沖寫入磁盤臨時文件中
- 如果是首次讀取或為完全完整的讀取完成requestbody,那么將requestbody的內(nèi)容寫入到緩沖區(qū),知道讀取完成
其中createtempfile這是創(chuàng)建臨時文件的操作流,目的是為了將requestbody的信息寫入到臨時文件中。可以指定臨時文件的地址,若如果不指定則使用系統(tǒng)默認目錄,它的實現(xiàn)如下[點擊查看源碼👈]
private stream createtempfile() { //判斷是否制定過緩存目錄,沒有的話則使用系統(tǒng)臨時文件目錄 if (_tempfiledirectory == null) { debug.assert(_tempfiledirectoryaccessor != null); _tempfiledirectory = _tempfiledirectoryaccessor(); debug.assert(_tempfiledirectory != null); } //臨時文件的完整路徑 _tempfilename = path.combine(_tempfiledirectory, "aspnetcore_" + guid.newguid().tostring() + ".tmp"); //返回臨時文件的操作流 return new filestream(_tempfilename, filemode.create, fileaccess.readwrite, fileshare.delete, 1024 * 16, fileoptions.asynchronous | fileoptions.deleteonclose | fileoptions.sequentialscan); }
我們上面分析了filebufferingreadstream的read方法這個方法是同步讀取的方法可供streamreader的readtoend方法使用,當然它還存在一個異步讀取方法readasync供streamreader的readtoendasync方法使用。這兩個方法的實現(xiàn)邏輯是完全一致的,只是讀取和寫入操作都是異步的操作,這里咱們就不介紹那個方法了,有興趣的同學可以自行了解一下readasync
方法的實現(xiàn)[點擊查看源碼👈]
當開啟enablebuffering的時候,無論首次讀取是設置了allowsynchronousio為true的readtoend同步讀取方式,還是直接使用readtoendasync的異步讀取方式,那么再次使用readtoend同步方式去讀取request.body也便無需去設置allowsynchronousio為true。因為默認的request.body已經(jīng)由httprequeststream實例替換為filebufferingreadstream實例,而filebufferingreadstream重寫了read和readasync方法,并不存在不允許同步讀取的限制。
總結
本篇文章篇幅比較多,如果你想深入的研究相關邏輯,希望本文能給你帶來一些閱讀源碼的指導。為了防止大家深入文章當中而忘記了具體的流程邏輯,在這里我們就大致的總結一下關于正確讀取requestbody的全部結論
- 首先關于同步讀取request.body由于默認的requestbody的實現(xiàn)是httprequeststream,但是httprequeststream在重寫read方法的時候會判斷是否開啟allowsynchronousio,如果未開啟則直接拋出異常。但是httprequeststream的readasync方法并無這種限制,所以使用異步方式的讀取requestbody并無異常。
- 雖然通過設置allowsynchronousio或使用readasync的方式我們可以讀取requestbody,但是requestbody無法重復讀取,這是因為httprequeststream的position和seek都是不允許進行修改操作的,設置了會直接拋出異常。為了可以重復讀取,我們引入了request的擴展方法enablebuffering通過這個方法我們可以重置讀取位置來實現(xiàn)requestbody的重復讀取。
- 關于開啟enablebuffering方法每次請求設置一次即可,即在準備讀取requestbody之前設置。其本質其實是使用filebufferingreadstream代替默認requestbody的默認類型httprequeststream,這樣我們在一次http請求中操作body的時候其實是操作filebufferingreadstream,這個類重寫stream的時候position和seek都是可以設置的,這樣我們就實現(xiàn)了重復讀取。
- filebufferingreadstream帶給我們的不僅僅是可重復讀取,還增加了對requestbody的緩存功能,使得我們在一次請求中重復讀取requestbody的時候可以在buffer里直接獲取緩存內(nèi)容而buffer本身是一個memorystream。當然我們也可以自己實現(xiàn)一套邏輯來替換body,只要我們重寫的時候讓這個stream支持重置讀取位置即可。
關于asp.net core讀取request.body的正確方法的文章就介紹至此,更多相關asp.net core讀取request.body內(nèi)容請搜索碩編程以前的文章,希望大家多多支持碩編程!