如何在禁用从根路径访问的同时设置 ASP.NET Core 应用程序的基本路径?

Sha*_*ane 9 asp.net-core

我知道我可以使用设置我的服务的基本路径,app.UsePathBase("/AppPath");以便我的 API 可用,http://example.com/AppPath/controller1但如果我这样做,我的 API 也可以从根路径获取http://example.com/controller1。如何禁用从根路径访问?

我也尝试使用这样的路线, app.UseMvc(routes => routes.MapRoute("default", "IRate/{controller}/{action}/{id?}"));但它有同样的问题。

我想这样做的原因是因为当它在生产中部署时,它将部署在应用程序前缀下(而不是作为根应用程序),并且当我在调试期间在本地主机上运行 API 时,我想模拟生产条件。

Pan*_*vos 6

That's by design according to this Github issue.

UsePathBase is primarily about getting those segments out of your way because they're a deployment detail, and if they stayed it would mess up your routing.

Consider the alternative. If it were to disable the root path, how would it do so? A 404 isn't really appropriate, presumably that path is available on a separate instance of your site hosting the root. You could use Map as shown above if you really wanted the 404.

If you want to return a 404 when the root is accessed, you can use a nested mapping, which is described in that issue :

In which case, you probably want something closer to this, with a nested MapMiddleware :

public void Configure(IApplicationBuilder app)
{
    app.Map("/basepath", mainapp =>
    {
        mainapp.Map("/ping", map => map.Run(async
            ctx => await ctx.Response.WriteAsync("pong")));

        mainapp.UseMvc();
    });
}
Run Code Online (Sandbox Code Playgroud)

This way you specify mappings, routes, etc only for requests that come under /basepath. Everything else is discarded and returns a 404.

You'll have to remember to call mainapp instead of app for all configuration calls. Otherwise you may end up with script and css URLs that point to the root instead of the custom base path. You can avoid this by extracting the configuration code from Configure(app,env) into a separate method, eg:

    public void Configure(IApplicationBuilder app, IHostingEnvironment env)
    {
        app.Map("/AppPath", mainapp =>
        {
            mappedConfigure(mainapp,env);
        });
    }

    private void mappedConfigure(IApplicationBuilder app,IHostingEnvironment env)
    {
        if (env.IsDevelopment())
        {
            app.UseDeveloperExceptionPage();
        }
        else
        {
            app.UseExceptionHandler("/Home/Error");
            // The default HSTS value is 30 days. You may want to change this for production scenarios, see https://aka.ms/aspnetcore-hsts.
            app.UseHsts();
        }

        app.UseHttpsRedirection();
        app.UseStaticFiles();
        app.UseCookiePolicy();

        app.UseMvc(routes =>
        {
            routes.MapRoute(
                name: "default",
                template: "{controller=Home}/{action=Index}/{id?}");
        });
    }
Run Code Online (Sandbox Code Playgroud)