我有一百个JPG图像片段,并希望将它们合并为一个大JPG。 为此,我使用以下代码:
using (var combinedBitmap = new Bitmap(combinedWidth, combinedHeights)) {
combinedBitmap.SetResolution(96, 96);
using (var g = Graphics.FromImage(combinedBitmap))
{
g.Clear(Color.White);
foreach (var imagePiece in imagePieces)
{
var imagePath = Path.Combine(slideFolderPath, imagePiece.FileName);
using (var image = Image.FromFile(imagePath))
{
var x = columnXs[imagePiece.Column];
var y = rowYs[imagePiece.Row];
g.DrawImage(image, new Point(x, y));
}
}
}
combinedBitmap.Save(combinedImagePath, ImageFormat.Jpeg);
}
一切都很好,直到尺寸(combinedWidth
,combinedHeights
)超过此处所说的https://stackoverflow.com/a/29175905/623190
合并后的JPG文件的大小为23170 x 23170像素,大约为50MB-太大了以至于无法杀死内存。
但是无法以更大的尺寸创建位图-只是由于错误的参数异常而中断。
是否还有其他方法可以使用C#将JPG图像片段合并到一个尺寸大于23170 x 23170的大型JPG中?
答案 0 :(得分:2)
这是使用libvips的解决方案。这是一个流图像处理库,因此,它无需处理内存中的大对象,而是构建管道,然后并行运行它们,在一系列小区域中流图像。
此示例使用net-vips(libvips的C#绑定)。
using System;
using System.Linq;
using NetVips;
class Merge
{
static void Main(string[] args)
{
if (args.Length < 2)
{
Console.WriteLine("Usage: [output] [images]");
return;
}
var image = Image.Black(60000, 60000);
var random = new Random();
foreach (var filename in args.Skip(1))
{
var tile = Image.NewFromFile(filename, access: "sequential");
var x = random.Next(0, image.Width - tile.Width);
var y = random.Next(0, image.Height - tile.Height);
image = image.Insert(tile, x, y);
}
image.WriteToFile(args[0]);
}
}
我使用以下方法制作了1000张jpg图像,每张1450 x 2048 RGB:
for ($i = 0; $i -lt 1000; $i++)
{
# https://commons.wikimedia.org/wiki/File:Taiaroa_Head_-_Otago.jpg
Copy-Item "$PSScriptRoot\..\Taiaroa_Head_-_Otago.jpg" -Destination "$PSScriptRoot\$i.jpg"
}
为了测量执行上述代码所需的时间,我使用了PowerShell内置的“ Measure-Command”(类似于Bash的“ time”命令):
$fileNames = (Get-ChildItem -Path $PSScriptRoot -Recurse -Include *.jpg).Name
$results = Measure-Command { dotnet Merge.dll x.jpg $fileNames }
$results | Format-List *
有了上面准备好的图像和脚本,我看到了:
C:\merge>.\merge.ps1
Ticks : 368520029
Days : 0
Hours : 0
Milliseconds : 852
Minutes : 0
Seconds : 36
TotalDays : 0.000426527811342593
TotalHours : 0.0102366674722222
TotalMilliseconds : 36852.0029
TotalMinutes : 0.614200048333333
TotalSeconds : 36.8520029
因此,在我的第8代Intel Core i5 Windows PC上,它已在36秒内将1000张jpg图像合并为一个60k x 60k jpg大型图像。