web-dev-qa-db-ja.com

ASP.NET COREでクライアントのIPアドレスを取得する方法

MVC 6を使用しているときにASP.NETでクライアントIPアドレスを取得する方法を教えてください。Request.ServerVariables["REMOTE_ADDR"]が機能しません。

148
eadam

APIが更新されました。いつ変わったかわからないが Damien Edwardsによると 12月下旬には、こうすることができる

var remoteIpAddress = request.HttpContext.Connection.RemoteIpAddress;
198
David Peden

ロードバランサの存在を処理するために、フォールバックロジックを追加することができます。

また、検査を通じて、ロードバランサがなくてもX-Forwarded-Forヘッダーが設定されていることがあります(おそらく追加のKestrelレイヤのためですか?)。

public string GetRequestIP(bool tryUseXForwardHeader = true)
{
    string ip = null;

    // todo support new "Forwarded" header (2014) https://en.wikipedia.org/wiki/X-Forwarded-For

    // X-Forwarded-For (csv list):  Using the First entry in the list seems to work
    // for 99% of cases however it has been suggested that a better (although tedious)
    // approach might be to read each IP from right to left and use the first public IP.
    // http://stackoverflow.com/a/43554000/538763
    //
    if (tryUseXForwardHeader)
        ip = GetHeaderValueAs<string>("X-Forwarded-For").SplitCsv().FirstOrDefault();

    // RemoteIpAddress is always null in DNX RC1 Update1 (bug).
    if (ip.IsNullOrWhitespace() && _httpContextAccessor.HttpContext?.Connection?.RemoteIpAddress != null)
        ip = _httpContextAccessor.HttpContext.Connection.RemoteIpAddress.ToString();

    if (ip.IsNullOrWhitespace())
        ip = GetHeaderValueAs<string>("REMOTE_ADDR");

    // _httpContextAccessor.HttpContext?.Request?.Host this is the local Host.

    if (ip.IsNullOrWhitespace())
        throw new Exception("Unable to determine caller's IP.");

    return ip;
}

public T GetHeaderValueAs<T>(string headerName)
{
    StringValues values;

    if (_httpContextAccessor.HttpContext?.Request?.Headers?.TryGetValue(headerName, out values) ?? false)
    {
        string rawValues = values.ToString();   // writes out as Csv when there are multiple.

        if (!rawValues.IsNullOrWhitespace())
            return (T)Convert.ChangeType(values.ToString(), typeof(T));
    }
    return default(T);
}

public static List<string> SplitCsv(this string csvList, bool nullOrWhitespaceInputReturnsNull = false)
{
    if (string.IsNullOrWhiteSpace(csvList))
        return nullOrWhitespaceInputReturnsNull ? null : new List<string>();

    return csvList
        .TrimEnd(',')
        .Split(',')
        .AsEnumerable<string>()
        .Select(s => s.Trim())
        .ToList();
}

public static bool IsNullOrWhitespace(this string s)
{
    return String.IsNullOrWhiteSpace(s);
}

_httpContextAccessorがDIを通じて提供されたと仮定します。

56
crokusek

Project.jsonで、以下に依存関係を追加します。

"Microsoft.AspNetCore.HttpOverrides": "1.0.0"

Startup.csConfigure()メソッドに、以下を追加します。

  app.UseForwardedHeaders(new ForwardedHeadersOptions
        {
            ForwardedHeaders = ForwardedHeaders.XForwardedFor |
            ForwardedHeaders.XForwardedProto
        });  

そしてもちろん:

using Microsoft.AspNetCore.HttpOverrides;

その後、私は使用してIPを取得することができます:

Request.HttpContext.Connection.RemoteIpAddress

私の場合、VSでデバッグするときは常にIpV6 localhostを取得しましたが、IISに展開すると常にリモートIPを取得しました。

いくつかの便利なリンク: ASP.NET COREでクライアントのIPアドレスを取得する方法は? and RemoteIpAddressは常にnull

::1はおそらく以下の理由によるものです。

IISで接続が終了し、v.next WebサーバーであるKestrelに転送されるため、Webサーバーへの接続は実際にはlocalhostから行われます。 ( https://stackoverflow.com/a/35442401/5326387

53
Johna

この情報を取得するためにIHttpConnectionFeatureを使用できます。

var remoteIpAddress = httpContext.GetFeature<IHttpConnectionFeature>()?.RemoteIpAddress;
16
Kiran Challa
var remoteIpAddress = HttpContext.Features.Get<IHttpConnectionFeature>()?.RemoteIpAddress;
11
feradz

ASP.NET 2.1では、StartUp.csでこのサービスを追加する:

services.AddHttpContextAccessor();
services.TryAddSingleton<IActionContextAccessor, ActionContextAccessor>();

そして、3ステップを行います。

  1. MVCコントローラに変数を定義します

    private IHttpContextAccessor _accessor;
    
  2. コントローラのコンストラクタへのDI

    public SomeController(IHttpContextAccessor accessor)
    {
        _accessor = accessor;
    }
    
  3. IPアドレスを取得する

    _accessor.HttpContext.Connection.RemoteIpAddress.ToString()
    

これがその方法です。

4
hojjat.mi

まず、.Net Core 1.0でコントローラにusing Microsoft.AspNetCore.Http.Features;を追加します。

var ip = HttpContext.Features.Get<IHttpConnectionFeature>()?.RemoteIpAddress?.ToString();

私はそれが適切な使用の代わりにMicrosoft.AspNetCore.Httpを使用して追加するように導くか、またはHttpContextを使用して(コンパイラーもまた誤解を招く)、httpContextを小文字にしているためコンパイルに失敗した他のいくつかの答えを読みました。

2
Guy

私の場合は、DockerとnginxをリバースプロキシとしてDotNet Core 2.2 Web AppをDigitalOceanで実行しています。 Startup.csのこのコードでクライアントIPを取得できます

app.UseForwardedHeaders(new ForwardedHeadersOptions
        {
            ForwardedHeaders = ForwardedHeaders.All,
            RequireHeaderSymmetry = false,
            ForwardLimit = null,
            KnownNetworks = { new IPNetwork(IPAddress.Parse("::ffff:172.17.0.1"), 104) }
        });

:: ffff:172.17.0.1は私が使う前に持っていたIPでした

Request.HttpContext.Connection.RemoteIpAddress.ToString();
0
gorums

これは私のために働きます(DotNetCore 2.1)

    [HttpGet]
    public string Get()
    {
        var remoteIpAddress = HttpContext.Connection.RemoteIpAddress;
        return remoteIpAddress.ToString();
    }
0
MC9000