嘿伙计们,我想知道是否有办法获得位图的某个区域?我正在尝试制作一个tileset切割器,我需要它来迭代加载的tileset并将图像切割成xscale * yscale图像然后单独保存。我目前正在使用它作为切割程序的循环。
int x_scale, y_scale, image_width, image_height;
image_width = form1.getWidth();
image_height = form1.getHeight();
x_scale = Convert.ToInt32(xs.Text);
y_scale = Convert.ToInt32(ys.Text);
for (int x = 0; x < image_width; x += x_scale)
{
for (int y = 0; y < image_height; y += y_scale)
{
Bitmap new_cut = form1.getLoadedBitmap();//get the already loaded bitmap
}
}
那么有没有办法可以“选择”位图new_cut的一部分然后保存那部分?
答案 0 :(得分:4)
您可以使用LockBits
方法获取位图矩形区域的说明。像
// tile size
var x_scale = 150;
var y_scale = 150;
// load source bitmap
using(var sourceBitmap = new Bitmap(@"F:\temp\Input.png"))
{
var image_width = sourceBitmap.Width;
var image_height = sourceBitmap.Height;
for(int x = 0; x < image_width - x_scale; x += x_scale)
{
for(int y = 0; y < image_height - y_scale; y += y_scale)
{
// select source area
var sourceData = sourceBitmap.LockBits(
new Rectangle(x, y, x_scale, y_scale),
System.Drawing.Imaging.ImageLockMode.ReadOnly,
sourceBitmap.PixelFormat);
// get bitmap for selected area
using(var tile = new Bitmap(
sourceData.Width,
sourceData.Height,
sourceData.Stride,
sourceData.PixelFormat,
sourceData.Scan0))
{
// save it
tile.Save(string.Format(@"F:\temp\tile-{0}x{1}.png", x, y));
}
// unlock area
sourceBitmap.UnlockBits(sourceData);
}
}
}
答案 1 :(得分:0)