1

我正在尝试写一个关于“防止图像窃取”的演示,参考资源: http: //www.mikesdotnetting.com/article/126/asp-net-mvc-prevent-image-leeching-with-a-custom-routehandler

但是当我使用时<img src="~/graphics/a.png" />,ImageRouteHandler.cs 将不起作用。不幸的是,这个 ImageRouteHandler.cs 还不能工作。为什么 ??

public class ImageRouteHandler : IRouteHandler
{
    public IHttpHandler GetHttpHandler(RequestContext requestContext)
    {
        return new ImageHandler(requestContext);
    }
}

public class ImageHandler : IHttpHandler
{
    public ImageHandler(RequestContext context)
    {
        ProcessRequest(context);
    }

    private static void ProcessRequest(RequestContext requestContext)
    {
        var response = requestContext.HttpContext.Response;
        var request = requestContext.HttpContext.Request;
        var server = requestContext.HttpContext.Server;
        var validRequestFile = requestContext.RouteData.Values["filename"].ToString();
        const string invalidRequestFile = "thief.png";
        var path = server.MapPath("~/graphics/");

        response.Clear();
        response.ContentType = GetContentType(request.Url.ToString());

        if (request.ServerVariables["HTTP_REFERER"] != null &&
            request.ServerVariables["HTTP_REFERER"].Contains("http://localhost:8010/")) //mikesdotnetting.com
        {
            response.TransmitFile(path + validRequestFile);
        }
        else
        {
            response.TransmitFile(path + invalidRequestFile);
        }
        response.End();
    }

    private static string GetContentType(string url)
    {
        switch (Path.GetExtension(url))
        {
            case ".gif":
                return "Image/gif";
            case ".jpg":
                return "Image/jpeg";
            case ".png":
                return "Image/png";
            default:
                break;
        }
        return null;
    }

    public bool IsReusable
    {
        get
        {
            return true;
        }
    }

    public void ProcessRequest(HttpContext context)
    {
        throw new NotImplementedException();
    }
}
4

1 回答 1

0

~不是 URL 中有意义的前缀。这有时在某些 ASP.NET 上下文中使用,例如Server.MapPath,来指代应用程序根,但在 HTML 中是这个 URL:

<img src="~/graphics/a.png" />

...无效。

使用/开头来指代站点的根目录,或省略前导/以指代相对 URL。目前尚不清楚这是否是您遇到的唯一问题,但这是一个问题。这样做你可能会有更好的运气:

<img src="/graphics/a.png" />

顺便提一下,注意你的开发者工具的网络标签;这将使您看到所有请求(例如您的图像请求)和响应。说它“不起作用”或类似的说法是没有用的。事情永远不会“不起作用”;他们只是做一些你期望之外的事情。更好的描述是“我收到 404 错误”或“我的图像请求没有被提出”。

于 2016-10-13T04:22:30.130 回答