我的网站有多个域:

http://example.com

http://www.example.com

http://www.example.co.uk

在生产中,我希望主域为http://www.example.com,并且希望所有其他相关域自动重定向到主域。

从历史上讲,我会使用URLRewrite完成此操作,但是我被认为这在DotNetCore中不存在。

所以...我该怎么做?

另外,我不希望这会影响开发环境。

最佳答案

适用于DotNetCore 1.0的答案(也强制使用https)

Startup.cs

public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory)
{
    // Other configuration code here...

    if (env.IsProduction())
    {
        app.Use(async (context, next) =>
        {
            if (context.Request.Host != new HostString("www.example.com"))
            {
                var withDomain = "https://www.example.com" + context.Request.Path;
                context.Response.Redirect(withDomain);
            }
            else if (!context.Request.IsHttps)
            {
                var withHttps = "https://" + context.Request.Host + context.Request.Path;
                context.Response.Redirect(withHttps);
            }
            else
            {
                await next();
            }
        });
    }
}

关于c# - DotNetCore 1.0 MVC如何实时自动重定向到单个域,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/40305312/

10-09 08:40