2

用户可以下载位于PriceInformations带有指定文档类型的子文件夹的文件夹中的价格信息 PDF,例如:

/PriceInformations/Clothes/Shoes.pdf
/PriceInformations/Clothes/Shirts.pdf
/PriceInformations/Toys/Games.pdf
/PriceInformations/Toys/Balls.pdf

考虑在 Controller 中执行以下操作Document以下载这些 PDF:

// Filepath must be like 'Clothes\Shoes.pdf'
public ActionResult DownloadPDF(string filepath)
{
    string fullPath = Path.Combine(MyApplicationPath, filepath);

    FileStream fileStream = new FileStream(fullPath, FileMode.Open, FileAccess.Read);

    return base.File(fileStream, "application/pdf");
}

要获取 PDF 文档,我的客户希望 URL 类似于:

/PriceInformations/Clothes/Shoes.pdf

我可以轻松地为这种情况创建一个重载函数:

public ActionResult DownloadPDF(string folder, string filename)
{
    return this.DownloadPDF(Path.Combine(folder, filename);
}

并像这样映射它

routes.MapRoute(
    "DownloadPriceInformations",
    "DownloadPriceInformations/{folder}/{filename}",
    new
    {
        controller = "Document",
        action = "DownloadPDF"
    });

但我很好奇是否可以在没有重载函数的情况下工作并将这种情况映射到RegisterRoutesGlobal.asax 中,以便能够从多个参数中创建一个参数:

routes.MapRoute(
    "DownloadPriceInformations",
    "DownloadPriceInformations/{folder}/{filename}",
    new
    {
        controller = "Document",
        action = "DownloadPDF",
        // How to procede here to have a parameter like 'folder\filename'
        filepath = "{folder}\\{filename}"
    });

问题变得更长了,但我想确保你得到我想要的结果。

4

1 回答 1

2

抱歉,ASP.NET 路由不支持此功能。如果您想要路由定义中的多个参数,则必须向控制器操作添加一些代码以组合文件夹和路径名称。

另一种方法是使用包罗万象的路线:

routes.MapRoute(
    "DownloadPriceInformations",
    "DownloadPriceInformations/{*folderAndFile}",
    new
    {
        controller = "Document",
        action = "DownloadPDF"
    });

并且特殊的 {*folderAndFile} 参数将包含初始静态文本之后的所有内容,包括所有“/”字符(如果有)。然后,您可以在您的操作方法中接收该参数,它将是类似“clothes/shirts.pdf”的路径。

我还应该注意,从安全角度来看,您需要绝对确定只会处理允许的路径。如果我将 /web.config 作为参数传入,您必须确保我无法下载存储在您的 web.config 文件中的所有密码和连接字符串。

于 2013-01-31T18:52:57.603 回答