博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
463. Island Perimeter
阅读量:5054 次
发布时间:2019-06-12

本文共 2458 字,大约阅读时间需要 8 分钟。

You are given a map in form of a two-dimensional integer grid where 1 represents land and 0 represents water. Grid cells are connected horizontally/vertically (not diagonally). The grid is completely surrounded by water, and there is exactly one island (i.e., one or more connected land cells). The island doesn't have "lakes" (water inside that isn't connected to the water around the island). One cell is a square with side length 1. The grid is rectangular, width and height don't exceed 100. Determine the perimeter of the island.

Example:

[[0,1,0,0], [1,1,1,0], [0,1,0,0], [1,1,0,0]]Answer: 16Explanation: The perimeter is the 16 yellow stripes in the image below:

分析1:grid[i][j] == 1,则有4条边,若上下左右有1,则相应的减少1条边,遍历一遍,复杂度4 * M * N;

1 class Solution { 2 public: 3     int islandPerimeter(vector
>& grid) { 4 int r = grid.size(), c = grid[0].size(), x , y, i, j, k; 5 int num = 0; 6 int dx[4] = {-1, 1, 0, 0}; 7 int dy[4] = {
0, 0, -1, 1}; 8 for(i = 0; i < r; i++){ 9 for(j = 0; j < c; j++){10 int n = 4, flag = 0;11 for(k = 0; k < 4; k++){12 x = i + dx[k];13 y = j + dy[k];14 if((grid[i][j] == 1)){15 flag = 1;16 if((x >= 0) && (x < r) && (y >= 0) && (y < c) && (grid[x][y] == 1))17 n--;18 } 19 }20 if(flag == 0)21 n = 0;22 num += n;23 }24 }25 return num;26 }27 };

分析2:如果彼此不相连,那么一个1就应该有4条边;考虑相连的情况,为了避免重复计算,只取每个为1的坐标的左边和上边:

如果当前点为1而且它上面也为1,他们彼此相连导致双方都失去1条边,也就是2条边;同理如果当前点为1它左边也为1,他们彼此相连导致双方都失去1条边,也就是2条边。不考虑第一行没有上一行和第一列没有左边的情况,则可以遍历每一个格子得到num

1 class Solution { 2 public: 3     int islandPerimeter(vector
>& grid) { 4 int r = grid.size(), c = grid[0].size(), i, j; 5 int num = 0; 6 for(i = 0; i < r; i++){ 7 for(j = 0; j < c; j++){ 8 if(grid[i][j] == 1){ 9 num += 4;10 if(i > 0 && grid[i-1][j] == 1)11 num -= 2;12 if(j > 0 && grid[i][j-1] == 1)13 num -= 2;14 }15 }16 }17 return num;18 }19 };

 

转载于:https://www.cnblogs.com/qinduanyinghua/p/6360355.html

你可能感兴趣的文章
oracle 报错ORA-12514: TNS:listener does not currently know of service requested in connec
查看>>
基于grunt构建的前端集成开发环境
查看>>
MySQL服务读取参数文件my.cnf的规律研究探索
查看>>
java string(转)
查看>>
__all__有趣的属性
查看>>
BZOJ 5180 [Baltic2016]Cities(斯坦纳树)
查看>>
写博客
查看>>
利用循环播放dataurl的视频来防止锁屏:NoSleep.js
查看>>
品味第一杯瓜哇咖啡
查看>>
第十四周总结Access
查看>>
Java开发笔记(一百零二)信号量的请求与释放
查看>>
python3 生成器与迭代器
查看>>
java编写提升性能的代码
查看>>
ios封装静态库技巧两则
查看>>
Educational Codeforces Round 46 (Rated for Div. 2)
查看>>
Abstract Factory Pattern
查看>>
Cocos2d-x 3.0final 终结者系列教程10-画图节点Node中的Action
查看>>
简单理解kafka---核心概念
查看>>
assert用法
查看>>
ajaxFileUpload.js 上传后返回的数据不正确 -- clwu
查看>>