यह समाधान ओविन का उपयोग करते हुए वेब एपीआई स्व-होस्ट को भी कवर करता है। आंशिक रूप से यहाँ से ।
आप में एक निजी विधि बना सकते हैं जो आपके ApiController
आईपी एपीआई को होस्ट करने पर कोई फर्क नहीं पड़ता है।
private const string HttpContext = "MS_HttpContext";
private const string RemoteEndpointMessage =
"System.ServiceModel.Channels.RemoteEndpointMessageProperty";
private const string OwinContext = "MS_OwinContext";
private string GetClientIp(HttpRequestMessage request)
{
// Web-hosting
if (request.Properties.ContainsKey(HttpContext ))
{
HttpContextWrapper ctx =
(HttpContextWrapper)request.Properties[HttpContext];
if (ctx != null)
{
return ctx.Request.UserHostAddress;
}
}
// Self-hosting
if (request.Properties.ContainsKey(RemoteEndpointMessage))
{
RemoteEndpointMessageProperty remoteEndpoint =
(RemoteEndpointMessageProperty)request.Properties[RemoteEndpointMessage];
if (remoteEndpoint != null)
{
return remoteEndpoint.Address;
}
}
// Self-hosting using Owin
if (request.Properties.ContainsKey(OwinContext))
{
OwinContext owinContext = (OwinContext)request.Properties[OwinContext];
if (owinContext != null)
{
return owinContext.Request.RemoteIpAddress;
}
}
return null;
}
संदर्भ आवश्यक:
HttpContextWrapper
- System.Web.dll
RemoteEndpointMessageProperty
- System.ServiceModel.dll
OwinContext
- Microsoft.Owin.dll (आपके पास पहले से ही होगा यदि आप ओवेन पैकेज का उपयोग करते हैं)
इस समाधान के साथ एक छोटी समस्या यह है कि आपको सभी 3 मामलों के लिए पुस्तकालयों को लोड करना होगा जब आप वास्तव में रनटाइम के दौरान उनमें से केवल एक का उपयोग कर रहे होंगे। जैसा कि यहाँ सुझाया गया है , dynamic
चर का उपयोग करके इसे दूर किया जा सकता है । आप GetClientIpAddress
विस्तार के लिए विधि भी लिख सकते हैं HttpRequestMethod
।
using System.Net.Http;
public static class HttpRequestMessageExtensions
{
private const string HttpContext = "MS_HttpContext";
private const string RemoteEndpointMessage =
"System.ServiceModel.Channels.RemoteEndpointMessageProperty";
private const string OwinContext = "MS_OwinContext";
public static string GetClientIpAddress(this HttpRequestMessage request)
{
// Web-hosting. Needs reference to System.Web.dll
if (request.Properties.ContainsKey(HttpContext))
{
dynamic ctx = request.Properties[HttpContext];
if (ctx != null)
{
return ctx.Request.UserHostAddress;
}
}
// Self-hosting. Needs reference to System.ServiceModel.dll.
if (request.Properties.ContainsKey(RemoteEndpointMessage))
{
dynamic remoteEndpoint = request.Properties[RemoteEndpointMessage];
if (remoteEndpoint != null)
{
return remoteEndpoint.Address;
}
}
// Self-hosting using Owin. Needs reference to Microsoft.Owin.dll.
if (request.Properties.ContainsKey(OwinContext))
{
dynamic owinContext = request.Properties[OwinContext];
if (owinContext != null)
{
return owinContext.Request.RemoteIpAddress;
}
}
return null;
}
}
अब आप इसे इस तरह से उपयोग कर सकते हैं:
public class TestController : ApiController
{
[HttpPost]
[ActionName("TestRemoteIp")]
public string TestRemoteIp()
{
return Request.GetClientIpAddress();
}
}