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

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

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: 16
Explanation: The perimeter is the 16 yellow stripes in the image below:
这里写图片描述

首先是自己写的一个low比算法,主要是对二维数组的每个点都判断其是否为 1,若为1,则接着判断该元素是否为边界元素,以及其周围元素是否为0元素,依次来决定是否加上边长。

int count_subPer(vector
>& res,int i,int j){ int count = 0; if (res[i][j] == 1){ //对于每个点的以及周围点的判断写的可能有点乱,没有做优化 if (i == 0)count++; if (i == res.size() - 1)count++; if (j == 0)count++; if (j == res[0].size() - 1)count++; if (i - 1 >= 0 && res[i - 1][j] == 0)count++; if (i + 1 < res.size() && res[i + 1][j] == 0)count++; if (j - 1 >= 0 && res[i][j - 1] == 0)count++; if (j + 1 < res[0].size() && res[i][j + 1] == 0)count++; } return count;}int islandPerimeter(vector
>& grid) { if (grid.size() == 0)return 0; int sum = 0; for (int i = 0; i < grid.size(); i++){ for (int j = 0; j < grid[0].size(); j++){ if (grid[i][j] == 0)continue; sum += count_subPer(grid, i, j); } } return sum;}

第二种方法:

只需要计算为1的方格的数量和重复的边数即可,为防止重复计算重合边,每次只往回查看,也就是如果一个方格为1,只查看左边和上边的方格是否为1。
显然,这种办法的逻辑更清楚。

int islandPerimeter(vector
>& grid) { if (grid.size() == 0)return 0; int cnt = 0, repeat = 0; for (int i = 0; i < grid.size(); i++){ for (int j = 0; j < grid[0].size(); j++){ if (!grid[i][j])continue; cnt++; if (i != 0 && grid[i - 1][j])repeat++; if (j != 0 && grid[i][j - 1])repeat++; } } return cnt * 4 - repeat * 2;}
你可能感兴趣的文章
【C++】C++11 STL算法(八):对未初始化内存的操作(Operations on uninitialized memory)、C库(C library)
查看>>
【数据库】sqlite中的限制:数据库大小、表数、列数、行数、参数个数、连接数等
查看>>
【数据库】SQLite和MySQL之间的对比和选择
查看>>
【数据库】sqlite3数据库备份、导出方法汇总
查看>>
【数据库】适用于SQLite的SQL语句(一)
查看>>
【数据库】适用于SQLite的SQL语句(二)
查看>>
【数据库】适用于SQLite的SQL语句(三)
查看>>
【C++】error: passing ‘const xxx’ as ‘this’ argument discards qualifiers [-fpermissive]
查看>>
【C++】C++11 STL算法(九):番外篇
查看>>
【C++】C++11 STL算法(十):使用STL实现排序算法
查看>>
【网络编程】同步IO、异步IO、阻塞IO、非阻塞IO
查看>>
【网络编程】epoll 笔记
查看>>
【视频】视频传输协议:RTSP、RTP、RTCP、RTMP、HTTP
查看>>
【经验】向word中插入格式化的代码块
查看>>
【经验】配置Anaconda源
查看>>
【AI】在win10上安装TensorFlow2,安装成功,但是import tensorflow时报错:pywrap_tensorflow.py", line 58
查看>>
【Qt】Qt编码风格、命名约定
查看>>
【C++】重载、重写、隐藏
查看>>
【Qt】重新认识QObject
查看>>
【Qt】Qt源码中涉及到的设计模式
查看>>