如何将短网址重定向到描述性较长的网址

时间:2018-11-06 15:11:14

标签: c# asp.net-core

我想为用户提供一个简短的网址www.example.com/books/DOP/,并将他们重定向到www.example.com/Books/Daughters-of-the-Pioneers-Autobiographies/index.html。目的是使用户不必键入完整的URL。

我尝试如下创建剃刀页面,并在OnGet上进行重定向,但未成功。有什么想法吗?

namespace SLCore21.Pages.Books.DOP
{
    public class indexModel : PageModel
    {
        public void OnGet()
        {
           LocalRedirectPermanent("~/Books/Daughters-of-the-Pioneers-Autobiographies/index.html"); 
        }
    }
}

1 个答案:

答案 0 :(得分:1)

对于您使用的方法,您需要返回LocalRedirectPermanent的结果,这还需要更改OnGet处理程序的签名以返回例如IActionResult。这是一个更新的示例:

public IActionResult OnGet()
{
    return LocalRedirectPermanent("~/Books/Daughters-of-the-Pioneers-Autobiographies/index.html"); 
}

为此使用专用的Razor页面可能会有点过分:我将介绍一个自定义中间件,该中间件使用源到目标的映射并在那里进行此类重定向。这是一个示例中间件函数,以演示其工作方式:

var redirectMap = new Dictionary<string, string>
{
    ["/books/dop"] = "/Books/Daughters-of-the-Pioneers-Autobiographies/index.html"
};

app.Use(async (ctx, next) =>
{
    if (redirectMap.TryGetValue(
        ctx.Request.Path.ToString().TrimEnd('/').ToLower(),
        out var redirectPath))
    {
        ctx.Response.Redirect(redirectPath, true);
        return;
    }

    await next();
});

我在这里添加了一个硬编码的redirectMap,但是如果这会定期更改,我会将其移至配置中。

代码本身很简单-它查看传入的请求,从路径中剥离尾随/,将其转换为小写,然后检查值是否在redirectMap中存在。如果确实存在,则代码仅执行重定向(true用于永久)并短路管道。否则,执行将传递给下一个中间件。