ASP.NETMVCでのSSLページ


80

ASP.NET MVCベースのサイトの一部のページにHTTPSを使用するにはどうすればよいですか?

Steve Sandersonは、プレビュー4でこれをDRYの方法で行う方法についてかなり良いチュートリアルを持っています:

http://blog.codeville.net/2008/08/05/adding-httpsssl-support-to-aspnet-mvc-routing/

プレビュー5でより良い/更新された方法はありますか?、


3
これは非常に古いです。MVC4以降については、私のブログ投稿blogs.msdn.com/b/rickandy/archive/2012/03/23/を
RickAndMSFT

回答:


92

ASP.NET MVC 2 Preview 2以降を使用している場合は、次のものを使用できます。

[RequireHttps]
public ActionResult Login()
{
   return View();
}

ただし、ここで説明するように、orderパラメーターは注目に値します


23
これは、コントローラーレベルでも実行できます。さらに良いことに、アプリケーション全体をSSLにしたい場合は、ベースコントローラーを作成し、それをすべてのコントローラーに拡張して、そこに属性を適用できます。
ashes999 2010

22
または、Global.asax GlobalFilters.Filters.Add(new RequireHttpsAttribute());のグローバルフィルターMVC3を追加することもできます。
GraemeMiller 2013年

2
他の開発者が派生コントローラーを使用する保証はありません。HTTPSを強制するために1回の呼び出しを行うことができます-私のブログ投稿blogs.msdn.com/b/rickandy/archive/2012/03/23/を
RickAndMSFT

17

MVCFuturesには「RequireSSL」属性があります。

(更新されたブログ投稿でそれ指摘してくれたAdamに感謝します)

http://リクエストを自動的にhttps://にする場合は、「Redirect = true」を使用してアクションメソッドに適用するだけです。

    [RequireSsl(Redirect = true)]

参照:本番環境でのみASP.NET MVC RequireHttps


ローカルホストリクエストを処理するためにサブクラス化する必要がありますか?
ロジャース氏

1つの方法は、ローカルマシンの証明書を作成し、それを使用することです。ローカルホストで完全に無効にするには、コードをサブクラス化または複製する必要があると思います。推奨されるアプローチがわからない
Simon_Weaver 2009年

1
封印されているように見えるので、コードを複製する必要があります。バマー。ローカルマシンの証明書はIISでのみ機能しますが、開発Webサーバーでは機能しません。
ロジャース氏

-ロジャース@mrこれを見てみましょう:stackoverflow.com/questions/1639707/...
Simon_Weaver

これをMVC4 +に更新すると、私のブログ投稿blogs.msdn.com/b/rickandy/archive/2012/03/23/を
RickAndMSFT

9

以下のようAmadiereが書いた、[RequireHttpsは]のためにMVC 2で素晴らしい作品に入るHTTPSを。しかし、あなたが言ったように一部のページにのみHTTPSを使用したい場合、MVC 2はあなたに愛を与えません-ユーザーをHTTPSに切り替えると、手動でリダイレクトするまでそこに留まります。

私が使用したアプローチは、別のカスタム属性[ExitHttpsIfNotRequired]を使用することです。コントローラまたはアクションに接続すると、次の場合にHTTPにリダイレクトされます。

  1. リクエストはHTTPSでした
  2. [RequireHttps]属性がアクション(またはコントローラー)に適用されませんでした
  3. リクエストはGETでした(POSTをリダイレクトすると、あらゆる種類の問題が発生します)。

ここに投稿するには少し大きすぎますが、ここコードといくつかの追加の詳細が表示されます。


AllowAnonymousはそれを修正します。MVC4以降については、私のブログ投稿blogs.msdn.com/b/rickandy/archive/2012/03/23/を
RickAndMSFT

8

これに関するDanWahlinからの最近の投稿は次のとおりです。

http://weblogs.asp.net/dwahlin/archive/2009/08/25/requiring-ssl-for-asp-net-mvc-controllers.aspx

彼はActionFilter属性を使用します。


2
これが現時点での最善の方法のようです。
royco 2009年

+ 1年後、isLocalの呼び出しにより、@@@で本当に苦痛になりつつあった問題を解決することができました
heisenberg 2010

1
上記の日付は、MVC4以降については、私のブログ投稿blogs.msdn.com/b/rickandy/archive/2012/03/23/を
RickAndMSFT


3

属性指向の開発アプローチのファンではない人のために、ここに役立つコードがあります:

public static readonly string[] SecurePages = new[] { "login", "join" };
protected void Application_AuthorizeRequest(object sender, EventArgs e)
{
    var pageName = RequestHelper.GetPageNameOrDefault();
    if (!HttpContext.Current.Request.IsSecureConnection
        && (HttpContext.Current.Request.IsAuthenticated || SecurePages.Contains(pageName)))
    {
        Response.Redirect("https://" + Request.ServerVariables["HTTP_HOST"] + HttpContext.Current.Request.RawUrl);
    }
    if (HttpContext.Current.Request.IsSecureConnection
        && !HttpContext.Current.Request.IsAuthenticated
        && !SecurePages.Contains(pageName))
    {
        Response.Redirect("http://" + Request.ServerVariables["HTTP_HOST"] + HttpContext.Current.Request.RawUrl);
    }
}

属性を回避する理由はいくつかありますが、そのうちの1つは、保護されているすべてのページのリストを確認する場合、ソリューション内のすべてのコントローラーをジャンプする必要があることです。


別の方法を提供することは常に有用ですが、ほとんどの人はこれについてあなたに同意しないと思います...
Serj Sagan 2014

2

私はこの質問に出くわし、私の解決策が誰かを助けることができることを願っています。

問題はほとんどありませんでした。-「アカウント」の「ログオン」など、特定のアクションを保護する必要があります。RequireHttps属性のビルドを使用できます。これはすばらしいことですが、https://でリダイレクトされます。-リンクやフォームなどを「SSL対応」にする必要があります。

一般的に、私のソリューションでは、プロトコルを指定する機能に加えて、絶対URLを使用するルートを指定できます。このアプローチを使用して、「https」プロトコルを指定できます。

したがって、最初にConnectionProtocol列挙型を作成しました。

/// <summary>
/// Enum representing the available secure connection requirements
/// </summary>
public enum ConnectionProtocol
{
    /// <summary>
    /// No secure connection requirement
    /// </summary>
    Ignore,

    /// <summary>
    /// No secure connection should be used, use standard http request.
    /// </summary>
    Http,

    /// <summary>
    /// The connection should be secured using SSL (https protocol).
    /// </summary>
    Https
}

今、私はRequireSslの手巻きバージョンを作成しました。元のRequireSslソースコードを変更して、http:// urlsにリダイレクトできるようにしました。さらに、SSLが必要かどうかを判断できるフィールドを配置しました(DEBUGプリプロセッサで使用しています)。

/* Note:
 * This is hand-rolled version of the original System.Web.Mvc.RequireHttpsAttribute.
 * This version contains three improvements:
 * - Allows to redirect back into http:// addresses, based on the <see cref="SecureConnectionRequirement" /> Requirement property.
 * - Allows to turn the protocol scheme redirection off based on given condition.
 * - Using Request.IsCurrentConnectionSecured() extension method, which contains fix for load-balanced servers.
 */
[AttributeUsage(AttributeTargets.Class | AttributeTargets.Method, Inherited = true, AllowMultiple = false)]
public sealed class RequireHttpsAttribute : FilterAttribute, IAuthorizationFilter
{
    public RequireHttpsAttribute()
    {
        Protocol = ConnectionProtocol.Ignore;
    }

    /// <summary>
    /// Gets or sets the secure connection required protocol scheme level
    /// </summary>
    public ConnectionProtocol Protocol { get; set; }

    /// <summary>
    /// Gets the value that indicates if secure connections are been allowed
    /// </summary>
    public bool SecureConnectionsAllowed
    {
        get
        {
#if DEBUG
            return false;
#else
            return true;
#endif
        }
    }

    public void OnAuthorization(System.Web.Mvc.AuthorizationContext filterContext)
    {
        if (filterContext == null)
        {
            throw new ArgumentNullException("filterContext");
        }

        /* Are we allowed to use secure connections? */
        if (!SecureConnectionsAllowed)
            return;

        switch (Protocol)
        {
            case ConnectionProtocol.Https:
                if (!filterContext.HttpContext.Request.IsCurrentConnectionSecured())
                {
                    HandleNonHttpsRequest(filterContext);
                }
                break;
            case ConnectionProtocol.Http:
                if (filterContext.HttpContext.Request.IsCurrentConnectionSecured())
                {
                    HandleNonHttpRequest(filterContext);
                }
                break;
        }
    }


    private void HandleNonHttpsRequest(AuthorizationContext filterContext)
    {
        // only redirect for GET requests, otherwise the browser might not propagate the verb and request
        // body correctly.

        if (!String.Equals(filterContext.HttpContext.Request.HttpMethod, "GET", StringComparison.OrdinalIgnoreCase))
        {
            throw new InvalidOperationException("The requested resource can only be accessed via SSL.");
        }

        // redirect to HTTPS version of page
        string url = "https://" + filterContext.HttpContext.Request.Url.Host + filterContext.HttpContext.Request.RawUrl;
        filterContext.Result = new RedirectResult(url);
    }

    private void HandleNonHttpRequest(AuthorizationContext filterContext)
    {
        if (!String.Equals(filterContext.HttpContext.Request.HttpMethod, "GET", StringComparison.OrdinalIgnoreCase))
        {
            throw new InvalidOperationException("The requested resource can only be accessed without SSL.");
        }

        // redirect to HTTP version of page
        string url = "http://" + filterContext.HttpContext.Request.Url.Host + filterContext.HttpContext.Request.RawUrl;
        filterContext.Result = new RedirectResult(url);
    }
}

これで、このRequireSslは、Requirements属性値に基づいて次のことを行います。-無視:何もしません。--Http:httpプロトコルへのリダイレクトを強制します。--Https:httpsプロトコルへのリダイレクトを強制します。

独自のベースコントローラーを作成し、この属性をHttpに設定する必要があります。

[RequireSsl(Requirement = ConnectionProtocol.Http)]
public class MyController : Controller
{
    public MyController() { }
}

ここで、SSLを要求する各cpntroller / actionで-この属性をConnectionProtocol.Httpsで設定するだけです。

次に、URLに移動しましょう。URLルーティングエンジンで問題が発生することはほとんどありません。詳細については、http://blog.stevensanderson.com/2008/08/05/adding-httpsssl-support-to-aspnet-mvc-routing/を参照してください。。この投稿で提案されている解決策は理論的には優れていますが、古く、私はこのアプローチが好きではありません。

私の解決策は次のとおりです。基本的な「ルート」クラスのサブクラスを作成します。

パブリッククラスAbsoluteUrlRoute:Route {#region ctor

    /// <summary>
    /// Initializes a new instance of the System.Web.Routing.Route class, by using
    ///     the specified URL pattern and handler class.
    /// </summary>
    /// <param name="url">The URL pattern for the route.</param>
    /// <param name="routeHandler">The object that processes requests for the route.</param>
    public AbsoluteUrlRoute(string url, IRouteHandler routeHandler)
        : base(url, routeHandler)
    {

    }

    /// <summary>
    /// Initializes a new instance of the System.Web.Routing.Route class, by using
    ///     the specified URL pattern and handler class.
    /// </summary>
    /// <param name="url">The URL pattern for the route.</param>
    /// <param name="defaults">The values to use for any parameters that are missing in the URL.</param>
    /// <param name="routeHandler">The object that processes requests for the route.</param>
    public AbsoluteUrlRoute(string url, RouteValueDictionary defaults, IRouteHandler routeHandler)
        : base(url, defaults, routeHandler)
    {

    }

    /// <summary>
    /// Initializes a new instance of the System.Web.Routing.Route class, by using
    ///     the specified URL pattern and handler class.
    /// </summary>
    /// <param name="url">The URL pattern for the route.</param>
    /// <param name="defaults">The values to use for any parameters that are missing in the URL.</param>
    /// <param name="constraints">A regular expression that specifies valid values for a URL parameter.</param>
    /// <param name="routeHandler">The object that processes requests for the route.</param>
    public AbsoluteUrlRoute(string url, RouteValueDictionary defaults, RouteValueDictionary constraints,
                            IRouteHandler routeHandler)
        : base(url, defaults, constraints, routeHandler)
    {

    }

    /// <summary>
    /// Initializes a new instance of the System.Web.Routing.Route class, by using
    ///     the specified URL pattern and handler class.
    /// </summary>
    /// <param name="url">The URL pattern for the route.</param>
    /// <param name="defaults">The values to use for any parameters that are missing in the URL.</param>
    /// <param name="constraints">A regular expression that specifies valid values for a URL parameter.</param>
    /// <param name="dataTokens">Custom values that are passed to the route handler, but which are not used
    ///     to determine whether the route matches a specific URL pattern. These values
    ///     are passed to the route handler, where they can be used for processing the
    ///     request.</param>
    /// <param name="routeHandler">The object that processes requests for the route.</param>
    public AbsoluteUrlRoute(string url, RouteValueDictionary defaults, RouteValueDictionary constraints,
                            RouteValueDictionary dataTokens, IRouteHandler routeHandler)
        : base(url, defaults, constraints, dataTokens, routeHandler)
    {

    }

    #endregion

    public override VirtualPathData GetVirtualPath(RequestContext requestContext, RouteValueDictionary values)
    {
        var virtualPath = base.GetVirtualPath(requestContext, values);
        if (virtualPath != null)
        {
            var scheme = "http";
            if (this.DataTokens != null && (string)this.DataTokens["scheme"] != string.Empty)
            {
                scheme = (string) this.DataTokens["scheme"];
            }

            virtualPath.VirtualPath = MakeAbsoluteUrl(requestContext, virtualPath.VirtualPath, scheme);
            return virtualPath;
        }

        return null;
    }

    #region Helpers

    /// <summary>
    /// Creates an absolute url
    /// </summary>
    /// <param name="requestContext">The request context</param>
    /// <param name="virtualPath">The initial virtual relative path</param>
    /// <param name="scheme">The protocol scheme</param>
    /// <returns>The absolute URL</returns>
    private string MakeAbsoluteUrl(RequestContext requestContext, string virtualPath, string scheme)
    {
        return string.Format("{0}://{1}{2}{3}{4}",
                             scheme,
                             requestContext.HttpContext.Request.Url.Host,
                             requestContext.HttpContext.Request.ApplicationPath,
                             requestContext.HttpContext.Request.ApplicationPath.EndsWith("/") ? "" : "/",
                             virtualPath);
    }

    #endregion
}

このバージョンの「Route」クラスは絶対URLを作成します。ここでの秘訣は、ブログ投稿の作成者の提案に続いて、DataTokenを使用してスキームを指定することです(最後の例:))。

今、私たちはURLを生成します場合は、ルート「アカウント/ログオン」のために、たとえば、我々は「/取得しますhttp://example.com/Account/LogOnを」 - UrlRoutingModuleは相対としてすべてのURLを見て以来だという。カスタムHttpModuleを使用してこれを修正できます。

public class AbsoluteUrlRoutingModule : UrlRoutingModule
{
    protected override void Init(System.Web.HttpApplication application)
    {
        application.PostMapRequestHandler += application_PostMapRequestHandler;
        base.Init(application);
    }

    protected void application_PostMapRequestHandler(object sender, EventArgs e)
    {
        var wrapper = new AbsoluteUrlAwareHttpContextWrapper(((HttpApplication)sender).Context);
    }

    public override void PostResolveRequestCache(HttpContextBase context)
    {
        base.PostResolveRequestCache(new AbsoluteUrlAwareHttpContextWrapper(HttpContext.Current));
    }

    private class AbsoluteUrlAwareHttpContextWrapper : HttpContextWrapper
    {
        private readonly HttpContext _context;
        private HttpResponseBase _response = null;

        public AbsoluteUrlAwareHttpContextWrapper(HttpContext context)
            : base(context)
        {
            this._context = context;
        }

        public override HttpResponseBase Response
        {
            get
            {
                return _response ??
                       (_response =
                        new AbsoluteUrlAwareHttpResponseWrapper(_context.Response));
            }
        }


        private class AbsoluteUrlAwareHttpResponseWrapper : HttpResponseWrapper
        {
            public AbsoluteUrlAwareHttpResponseWrapper(HttpResponse response)
                : base(response)
            {

            }

            public override string ApplyAppPathModifier(string virtualPath)
            {
                int length = virtualPath.Length;
                if (length > 7 && virtualPath.Substring(0, 7) == "/http:/")
                    return virtualPath.Substring(1);
                else if (length > 8 && virtualPath.Substring(0, 8) == "/https:/")
                    return virtualPath.Substring(1);

                return base.ApplyAppPathModifier(virtualPath);
            }
        }
    }
}

このモジュールはUrlRoutingModuleの基本実装をオーバーライドしているため、基本httpModuleを削除し、web.configに登録する必要があります。したがって、「system.web」セットの下に:

<httpModules>
  <!-- Removing the default UrlRoutingModule and inserting our own absolute url routing module -->
  <remove name="UrlRoutingModule-4.0" />
  <add name="UrlRoutingModule-4.0" type="MyApp.Web.Mvc.Routing.AbsoluteUrlRoutingModule" />
</httpModules>

それでおしまい :)。

絶対/プロトコルフォロールートを登録するには、次のことを行う必要があります。

        routes.Add(new AbsoluteUrlRoute("Account/LogOn", new MvcRouteHandler())
            {
                Defaults = new RouteValueDictionary(new {controller = "Account", action = "LogOn", area = ""}),
                DataTokens = new RouteValueDictionary(new {scheme = "https"})
            });

あなたのフィードバックと改善を聞いてみたいです。それが役立つことを願っています!:)

編集:IsCurrentConnectionSecured()拡張メソッドを含めるのを忘れました(スニペットが多すぎます:P)。これは、通常Request.IsSecuredConnectionを使用する拡張メソッドです。ただし、負荷分散を使用している場合、このアプローチは機能しません。したがって、このメソッドはこれをバイパスできます(nopCommerceから取得)。

    /// <summary>
    /// Gets a value indicating whether current connection is secured
    /// </summary>
    /// <param name="request">The base request context</param>
    /// <returns>true - secured, false - not secured</returns>
    /// <remarks><![CDATA[ This method checks whether or not the connection is secured.
    /// There's a standard Request.IsSecureConnection attribute, but it won't be loaded correctly in case of load-balancer.
    /// See: <a href="http://nopcommerce.codeplex.com/SourceControl/changeset/view/16de4a113aa9#src/Libraries/Nop.Core/WebHelper.cs">nopCommerce WebHelper IsCurrentConnectionSecured()</a>]]></remarks>
    public static bool IsCurrentConnectionSecured(this HttpRequestBase request)
    {
        return request != null && request.IsSecureConnection;

        //  when your hosting uses a load balancer on their server then the Request.IsSecureConnection is never got set to true, use the statement below
        //  just uncomment it
        //return request != null && request.ServerVariables["HTTP_CLUSTER_HTTPS"] == "on";
    }




0

MVC 6(ASP.NET Core 1.0)は、Startup.csとは少し異なります。

すべてのページでRequireHttpsAttribute(Amadiereの回答に記載されている)を使用するには、各コントローラーで属性スタイルを使用する代わりに(または、すべてのコントローラーが継承するBaseControllerを作成する代わりに)、Startup.csにこれを追加できます。

Startup.cs-レジスタフィルター:

public void ConfigureServices(IServiceCollection services)
{
    // TODO: Register other services

    services.AddMvc(options =>
    {
        options.Filters.Add(typeof(RequireHttpsAttribute));
    });
}

上記のアプローチの設計上の決定の詳細については、ローカルホスト要求をRequireHttpsAttributeによる処理から除外する方法に関する同様の質問に対する私の回答を参照してください


0

または、Global.asax.csにフィルターを追加します

GlobalFilters.Filters.Add(new RequireHttpsAttribute());

RequireHttpsAttributeクラス

using System.Web.Mvc;
using System.Web.Optimization;
using System.Web.Routing;

namespace xxxxxxxx
{
    public class MvcApplication : System.Web.HttpApplication
    {
        protected void Application_Start()
        {
            AreaRegistration.RegisterAllAreas();
            FilterConfig.RegisterGlobalFilters(GlobalFilters.Filters);
            GlobalFilters.Filters.Add(new RequireHttpsAttribute());
            RouteConfig.RegisterRoutes(RouteTable.Routes);
            BundleConfig.RegisterBundles(BundleTable.Bundles);
        }
    }
}
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.