我们最近开始使用ImageResizer.Net而非GDI +来动态调整ASP.NET MVC 4应用程序上的图像。
是否有一种方法,仅使用ImageResizer,来确定图像的实际分辨率(DPI,PPI,无论你想要调用它)(以字节数组的形式读入)。我们目前有这样的工作流程,在需要时将图像调整为指定的较低分辨率:
//pseudo-code
var image = (Bitmap)Bitmap.FromStream(contentStream)
var resX = image.HorizontalResolution;
var resY = image.VerticalResolution;
//calculate scale factor
//determine newHeight and newWidth from scale
var settings = new ResizeSettings("width={newWidth}&height={newHeight}")
var newImage = ImageBuilder.Current.Build(image, someNewImage, settings);
这很好,但它混合了GDI +和ImageResizer,并且有很多流打开和关闭相同的数据(实际的代码有点冗长,有很多using
语句)。
有没有办法只使用ImageResizer来确定水平和垂直分辨率?我无法立即在文档中找到任何内容。
目前,我们已经使用了托管API,但最终将使用MVC路由。
答案 0 :(得分:3)
这是一个相当不典型的情况 - 通常传入的DPI值毫无价值。
但是,由于您似乎控制了这些值,并且需要它们来执行大小计算,我建议使用一个插件。它们很简单,并且提供理想的性能,因为您不需要重复工作。
public class CustomSizing:BuilderExtension, IPlugin {
public CustomSizing() { }
public IPlugin Install(Configuration.Config c) {
c.Plugins.add_plugin(this);
return this;
}
public bool Uninstall(Configuration.Config c) {
c.Plugins.remove_plugin(this);
return true;
}
//Executes right after the bitmap has been loaded and rotated/paged
protected override RequestedAction PostPrepareSourceBitmap(ImageState s) {
//I suggest only activating this logic if you get a particular querystring command.
if (!"true".Equals(s.settings["customsizing"],
StringComparison.OrdinalIgnoreCase)) return RequestedAction.None;
//s.sourceBitmap.HorizontalResolution
//s.sourceBitmap.VerticalResolution
//Set output pixel dimensions and fit mode
//s.settings.Width = X;
//s.settings.Height = Y;
//s.settings.Mode = FitMode.Max;
//Set output res.
//s.settings["dpi"] = "96";
return RequestedAction.None;
}
}
可以通过code or via Web.Config进行安装。
new CustomSizing()。Install(Config.Current);
或resizer's configuration section:
<plugins>
<add name="MyNamespace.CustomSizing" />
</plugins>
答案 1 :(得分:1)