4

有点奇怪的问题,我不知道以前是否有人会遇到过这个问题。

我们有一个 ASP.net 页面,它在文件系统上生成物理缩略图 jpeg 文件,并将全尺寸图像复制到不同的位置。所以我们输入一张图像,我们在一个位置得到一个完整的副本,在另一个位置得到一个 102*68 的小图像。

我们目前正在寻求最终从 Server 2003 上的 IIS6 迁移到 Server 2008R2 上的 IIS7.5,除非存在问题。

在旧系统(因此 IIS6/Server 2003)上,黑色边框被移除,图像保持正确的比例。在新系统 (IIS7.5/Server 2008) 上,缩略图的呈现方式与 JPEG 中的缩略图完全相同,带有黑色边框,但这会使缩略图略微被压扁,并且显然包含难看的黑色边框。

有谁知道为什么会发生这种情况?我做了一个谷歌,似乎无法找出哪种行为是“正确的”。我的直觉告诉我,新系统正确地呈现缩略图,但我不知道。

有人对如何解决问题有任何建议吗?

4

1 回答 1

0

我认为正如建议的那样,这是.net的差异。不是 IIS。

只需重新编写您的代码,您就可以节省很多时间,非常简单的事情。

这是我不久前编写的一个图像处理程序,它可以将任何图像重新绘制到您的设置中。

public class image_handler : IHttpHandler
{
public void ProcessRequest(HttpContext context)
{
    // set file
    string ImageToDraw = context.Request.QueryString["FilePath"];
    ImageToDraw = context.Server.MapPath(ImageToDraw);


    // Grab images to work on's true width and height
    Image ImageFromFile = Image.FromFile(ImageToDraw);
    double ImageFromFileWidth = ImageFromFile.Width;
    double ImageFromFileHeight = ImageFromFile.Height;
    ImageFromFile.Dispose();

    // Get required width and work out new dimensions
    double NewHeightRequired = 230;

    if (context.Request.QueryString["imageHeight"] != null)
        NewHeightRequired = Convert.ToDouble(context.Request.QueryString["imageHeight"]);

    double DivTotal = (ImageFromFileHeight / NewHeightRequired);
    double NewWidthValue = (ImageFromFileWidth / DivTotal);
    double NewHeightVale = (ImageFromFileHeight / DivTotal);

    NewWidthValue = ImageFromFileWidth / (ImageFromFileWidth / NewWidthValue);
    NewHeightVale = ImageFromFileHeight / (ImageFromFileHeight / NewHeightVale);


    // Set new width, height
    int x = Convert.ToInt16(NewWidthValue);
    int y = Convert.ToInt16(NewHeightVale);

    Bitmap image = new Bitmap(x, y);
    Graphics g = Graphics.FromImage(image);
    Image thumbnail = Image.FromFile(ImageToDraw);

    // Quality Control
    g.InterpolationMode = InterpolationMode.HighQualityBicubic;
    g.SmoothingMode = SmoothingMode.HighQuality;
    g.PixelOffsetMode = PixelOffsetMode.HighQuality;
    g.CompositingQuality = CompositingQuality.HighQuality;
    g.DrawImage(thumbnail, 0, 0, x, y);
    g.Dispose();

    image.Save(context.Response.OutputStream, ImageFormat.Jpeg);
    image.Dispose();
}

public bool IsReusable
{
    get
    {
        return true;
    }
}
于 2013-04-22T08:30:49.830 回答