IISに対して行われたリクエストのリクエストポストペイロードをログに記録する必要があります。これは、IIS 7.5内の既存のロギングおよび高度なロギングモジュールを使用して、リクエストポストペイロードのロギングを設定すること、またはポストペイロードのロギングを可能にするカスタムモジュールに誰かを誘導することができますか?.
https://serverfault.com/a/90965 によると、実際にそれを行うことができます
IISは、POSTデータなしで、レコードのクエリ文字列とヘッダー情報のみを記録します。
IIS7を使用している場合は、ステータスコード200のFailed Request Tracingを有効にできます。これにより、すべてのデータが記録され、含めるデータのタイプを選択できます。
リクエスト全体(ヘッダーとレスポンス)を含むリクエスト用のテキストファイルを作成し、特定のPOSTリクエストをログに記録するためにのみ使用しました。
protected void Application_BeginRequest(Object Sender, EventArgs e)
{
string uniqueid = Guid.NewGuid().ToString();
string logfile = String.Format("C:\\path\\to\\folder\\requests\\{0}.txt", uniqueid);
Request.SaveAs(logfile, true);
}
うまくいけば、これはあなたを助けます!
HTTP POSTリクエストデータを記録するために使用するカスタムHTTPモジュールのコードを次に示します。
using System;
using System.Web;
namespace MySolution.HttpModules
{
public class HttpPOSTLogger : IHttpModule
{
public void Dispose()
{
}
public void Init(HttpApplication context)
{
context.BeginRequest += new EventHandler(context_BeginRequest);
}
private void context_BeginRequest(object sender, EventArgs e)
{
if (sender != null && sender is HttpApplication)
{
var request = (sender as HttpApplication).Request;
var response = (sender as HttpApplication).Response;
if (request != null && response != null && request.HttpMethod.ToUpper() == "POST")
{
var body = HttpUtility.UrlDecode(request.Form.ToString());
if (!string.IsNullOrWhiteSpace(body))
response.AppendToLog(body);
}
}
}
}
}
アプリケーションのweb.configに登録することを忘れないでください。
IIS統合モデルにはsystem.WebServerセクションを使用します
<system.webServer>
<modules>
<add name="HttpPOSTLogger" type="MySolution.HttpModules.HttpPOSTLogger, MySolution.HttpModules" />
</modules>
</system.webServer>
IISクラシックモデルのsystem.webセクションを使用します
<system.web>
<httpModules>
<add name="HttpPOSTLogger" type="MySolution.HttpModules.HttpPOSTLogger, MySolution.HttpModules"/>
</httpModules>
</system.web>
モジュールを適用する前のIISログ:
::1, -, 10/31/2017, 10:53:20, W3SVC1, machine-name, ::1, 5, 681, 662, 200, 0, POST, /MySolution/MyService.svc/MyMethod, -,
モジュールを適用した後のIISログ:
::1, -, 10/31/2017, 10:53:20, W3SVC1, machine-name, ::1, 5, 681, 662, 200, 0, POST, /MySolution/MyService.svc/MyMethod, {"model":{"Platform":"Mobile","EntityID":"420003"}},
完全な記事:
https://www.codeproject.com/Tips/1213108/HttpModule-for-logging-HTTP-POST-data-in-IIS-Log