我的导师给了我以下代码。我只是不明白这是如何缩放bmp图像的。我知道关于bmp图像的基础知识(维基百科上的信息)。我知道这个方法应该按照任何比例乘以新图像的行和列。我试图手动运行代码,但它让我更加困惑。任何帮助都感激不尽。谢谢!
int enlarge(PIXEL* original, int rows, int cols, int scale,
PIXEL** new, int* newrows, int* newcols)
{
//scaling the new rows & cols
*newcols = cols * scale;
*newrows = rows * scale;
//memory allocated for enlaged bmp
*new = (PIXEL*)malloc(*newrows * *newcols * sizeof(PIXEL));
int row, col, sx, sy;
//transverse through every row
for (row = 0; row < rows; row++ )
//transvere through every col
for (col = 0; col < cols; col++ ){
//im unsure what this is for
PIXEL* o = original + (row * cols) + col;
for(sy = 0; sy < scale; sy++ )
for(sx = 0; sx < scale; sx++ )
{
//im unsure what this is for
PIXEL* n = *new + (scale * row) * *newcols + (scale * col) + (sy * *newcols) + sx;
*n = *o;
}
}
return 0;
}
这是PIXEL的结构。
typedef struct {
unsigned char r;
unsigned char g;
unsigned char b;
} PIXEL;
还有其他代码,但我认为这个问题不需要。
答案 0 :(得分:1)
PIXEL* o = original + (row * cols) + col;
他在这里检索原始图像中源像素的指针;它只是简单的指针算法,基于位图中的行在内存中是连续的。通常,在C样式矩阵width
中,元素(x,y)的地址为beginning + (y * width) + x
。
然后,他在目标图像中的正方形scale
x scale
上方循环。
for(sy = 0; sy < scale; sy++ )
for(sx = 0; sx < scale; sx++ )
{
//im unsure what this is for
PIXEL* n = *new + (scale * row) * *newcols + (scale * col) + (sy * *newcols) + sx;
n
指针指向目标图像中的目标像素;如果您从源图像匹配上面的公式并重新排列这些术语,您将看到他正在访问新图像,位置
(scale * col + sx, scale * row + sy)
(请记住,新图片为*newcols
宽)。
*n = *o;
这里他只是将源像素复制到目标像素。
在实践中,他将每个源像素“扩展”为目标图像中的比例x比例方块。