有一幅以 m x n 的二维整数数组表示的图画 image ,其中 image[i][j] 表示该图画的像素值大小。
你也被给予三个整数 sr , sc 和 newColor 。你应该从像素 image[sr][sc] 开始对图像进行 上色填充 。
为了完成 上色工作 ,从初始像素开始,记录初始坐标的 上下左右四个方向上 像素值与初始坐标相同的相连像素点,接着再记录这四个方向上符合条件的像素点与他们对应 四个方向上 像素值与初始坐标相同的相连像素点,……,重复该过程。将所有有记录的像素点的颜色值改为 newColor 。
最后返回 经过上色渲染后的图像
代码如下(示例):
/**
* Return an array of arrays of size *returnSize.
* The sizes of the arrays are returned as *returnColumnSizes array.
* Note: Both returned array and *columnSizes array must be malloced, assume caller calls free().
*/
/**
* Return an array of arrays of size *returnSize.
* The sizes of the arrays are returned as *returnColumnSizes array.
* Note: Both returned array and *columnSizes array must be malloced, assume caller calls free().
*/
void infect(int** image, int imageSize, int* imageColSize, int sr, int sc, int oldColor, int newColor)
{
if (sr < 0 || sr >= imageSize) {
return;
}
if (sc < 0 || sc >= imageColSize[0]) { //这里范围需要注意
return;
}
if (image[sr][sc] == oldColor) {
image[sr][sc] = newColor; //此块颜色不同——上色
infect(image, imageSize, imageColSize, sr + 1, sc, oldColor, newColor);
infect(image, imageSize, imageColSize, sr - 1, sc, oldColor, newColor);
infect(image, imageSize, imageColSize, sr, sc + 1, oldColor, newColor);
infect(image, imageSize, imageColSize, sr, sc - 1, oldColor, newColor);
}
return;
}
int** floodFill(int** image, int imageSize, int* imageColSize, int sr, int sc, int newColor, int* returnSize, int** returnColumnSizes){
if (image[sr][sc] != newColor) {
infect(image, imageSize, imageColSize, sr, sc, image[sr][sc], newColor);
}
*returnSize = imageSize; // 这里也要注意记得赋值 不然代码正确也白敲
*returnColumnSizes = imageColSize;
return image;
}