(2)(洪水填充)
现有用字符标记像素颜色的 8\times 88×8 图像。颜色填充的操作描述如下:给定起始像素的位置待填充的颜色,将起始像素和所有可达的像素(可达的定义:经过一次或多次的向上、下、左、右四个方向移动所能到达且终点和路径上所有像素的颜色都与起始像素颜色相同),替换为给定的颜色。
试补全程序。
- #include<bits/stdc++.h>
- using namespace std;
- const int ROWS = 8;
- const int COLS = 8;
- struct Point {
- int r, c;
- Point(int r, int c): r(r), c(c) {}
- };
- bool is_valid(char image[ROWS][COLS], Point pt,
- int prev_color, int new_color) {
- int r = pt.r;
- int c = pt.c;
- return (0 <= r && r < ROWS && 0 <= c && c < COLS &&
- ① && image[r][c] != new_color);
- }
- void flood_fill(char image[ROWS][COLS], Point cur, int new_color) {
- queue<Point> queue;
- queue.push(cur);
- int prev_color = image[cur.r][cur.c];
- ②;
- while (!queue.empty()) {
- Point pt = queue.front ();
- queue.pop ();
- Point points[4] = {③, Point(pt.r - 1, pt.c),
- Point(pt.r, pt.c + 1), Point(pt.r, pt.c - 1)};
- for (auto p ; points) {
- if (is_valid(image, p, prev_color, new_color)) {
- ④;
- ⑤;
- }
- }
- }
- }
- int main() {
- char image[ROWS][COLS] = {{'g', 'g', 'g', 'g', 'g', 'g', 'g', 'g'},
- {'g', 'g', 'g', 'g', 'g', 'g', 'r', 'r'},
- {'g', 'r', 'r', 'g', 'g', 'r', 'g', 'g'},
- {'g', 'b', 'b', 'b', 'b', 'r', 'g', 'r'},
- {'g', 'g', 'g', 'b', 'b', 'r', 'g', 'r'},
- {'g', 'g', 'g', 'b', 'b', 'b', 'b', 'r'},
- {'g', 'g', 'g', 'g', 'g', 'b', 'g', 'g'},
- {'g', 'g', 'g', 'g', 'g', 'b', 'b', 'g'}};
- Point cur(4, 4);
- char new_color = 'y';
- flood_fill(image, cur, new_color);
- for (int r = 0; r < ROWS; r++) {
- for (int c = 0; c < COLS; c++) {
- cout << image[r][c] << '';
- }
- cout << endl;
- }
- //输出:
- // g g g g g g g g
- // g g g g g g r r
- // g r r g g r g g
- // g y y y y r g r
- // g g g y y r g r
- // g g g y y y y r
- // g g g g g y g g
- // g g g g g y y g
- return 0;
- }
①~⑤处应填( )
1.
A. image[r][c] == prev_color
B. `image[r][c] != prev_color
C. image[r][c] == new_color
D. image[r][c] != new_color
2.
A. image[cur.r+1][cur.c] = new_color
B. image[cur.r][cur.c] = new_color
C. image[cur.r][cur.c+1] = new_color
D. image[cur.r][cur.c] = prev_color
3.
A. Point(pt.r, pt.c)
B. Point(pt.r, pt.c+1)
C. Point(pt.r+1, pt.c)
D. Point(pt.r+1, pt.c+1)
4.
A. prev_color = image[p.r][p.c]
B. new_color = image[p.r][p.c]
C. image[p.r][p.c] = prev_color
D. image[p.r][p.c] = new_color
5.
A. queue.push(p)
B. queue. push (pt)
C. queue.push(cur)
D. queue. push(Point (ROWS, COLS))