tags = ["leetcode","队列","BFS","C++","Go"]

岛屿的个数

给定一个由 '1'(陆地)和 '0'(水)组成的的二维网格,计算岛屿的数量。一个岛被水包围,并且它是通过水平方向或垂直方向上相邻的陆地连接而成的。你可以假设网格的四个边均被水包围。

示例1:

输入:
11110
11010
11000
00000 输出: 1

示例2:

输入:
11000
11000
00100
00011 输出: 3

分析

这道题的解法有很多,但本帖用广度优先搜索BFS来解答。

本题输入是一个二维数组,判断一个岛屿的要素是判断是否该陆地(1)上下左右是否被水(0)包围,也就是说,岛屿的数量=联通陆地(1)的数量。

BFS算法题解如下,通过找到为岛(1)的初始点,然后对临近的岛屿进行依次访问,利用队列对访问的岛屿进行储存,如下列图示:

  +----->
+-+
+1|1 1 1 0
+-+
| 1 1 0 1 0
|
v 1 1 0 0 0 0 0 0 0 0

当找到初始(1)的时候,将其坐标入队,依据队列的FIFO特性,从队列中取出坐标,对其坐标的上下左右元素进行访问,如果临近的元素为陆地(1),则将其坐标加入队列中等待访问,如果该元素已经被访问,则跳过,重复这一过程,直到队列为空,说明元素周围再也没有陆地,便可看作岛屿。访问过的(1)认为的变为(0)便于后续对未访问的陆地进行查找,岛屿的数量就等于队列为空的遍历次数。其代码如下:

C++实现


class Solution {
private:
queue<int> que;
int count=0;
int x=0;
int y=0;
int xx=0;
int yy=0;
public:
int numIslands(vector<vector<char>>& grid) {
int rows=grid.size();
int cols=rows>0?grid[0].size():0;
int dx[]={-1,0,1,0};
int dy[]={0,1,0,-1};
if(rows==0||cols==0){
return 0;
}
for(int i=0;i<rows;i++){
for(int j=0;j<cols;j++){
//cout<<rows<<cols<<endl;//外部两个for循环为从上到下从左到右寻找未访问的陆地,因为访问过的陆地都已经被置零
if(grid[i][j]=='1'){
que.push(i);
que.push(j);
grid[i][j]='0';
while(!que.empty()){
x=que.front();
que.pop();
y=que.front();
que.pop();
for(int k=0;k<4;k++){
xx=x+dx[k];
yy=y+dy[k];
if(xx<0||xx>=rows||yy<0||yy>=cols){
continue;
}
if(grid[xx][yy]=='1'){
grid[xx][yy]='0';
que.push(xx);
que.push(yy);
}
}
}
count++;//队列为空的次数=岛屿的数量
}
}
}
return count;
}
};

Go实现

由于go语言没有队列queue包,我们自己建一个:


package queue
//Item any type's item
type Item interface {
}
//ItemQueue is store items
type ItemQueue struct {
items []Item
}
//ItemQueuer is a interface
type ItemQueuer interface {
New() ItemQueue
Push(t Item)
Pop() *Item
Empty() bool
Size() int
}
//Push a new item
func (s *ItemQueue) Push(t Item) {
s.items = append(s.items, t)
} //Pop a front item
func (s *ItemQueue) Pop() {
s.items = s.items[1:]
}
//Empty of items
func (s *ItemQueue) Empty() bool {
return len(s.items) == 0
}
//Size of items
func (s *ItemQueue) Size() int {
return len(s.items)
}
//Front of items
func (s *ItemQueue) Front() Item {
return s.items[0]
}
//Back of items
func (s *ItemQueue) Back() Item {
return s.items[len(s.items)-1]
}

我们用接口实现了类似C++泛型的queue类,下面是go语言实现:


package main
import (
"fmt"
"self/queue"
"time"
)
var que queue.ItemQueue//声明一个队列变量
var m = [][]byte{
{'1', '1', '0', '1', '0'},
{'1', '1', '0', '1', '0'},
{'1', '1', '0', '1', '1'},
{'0', '0', '1', '1', '0'},
}
func main() {
start := time.Now()
coun := numIslands(m)
fmt.Printf("the num of isl is %v", coun)
cost := time.Since(start)
fmt.Printf("Cost %s", cost)
}
func numIslands(grid [][]byte) int {
var que queue.ItemQueue
var x, y, xx, yy, count, rows, cols int = 0, 0, 0, 0, 0, 0, 0
rows = len(grid)
if rows > 0 {
cols = len(grid[0])
} else {
cols = 0
}
var dx, dy = []int{-1, 0, 1, 0}, []int{0, 1, 0, -1}
if rows == 0 || cols == 0 {
return 0
}
for i := 0; i < rows; i++ {
for j := 0; j < cols; j++ {
if grid[i][j] == '1' {
que.Push(i)
que.Push(j)
grid[i][j] = '0'
for !que.Empty() {
x = que.Front().(int)//因为储存的是坐标,所以是int,这里要强制转化,因为que.Front()返回的是interface{}类型
que.Pop()
y = que.Front().(int)
que.Pop()
for k := 0; k < 4; k++ {
xx = x + dx[k]
yy = y + dy[k]
if xx < 0 || xx >= rows || yy < 0 || yy >= cols {
continue
}
if grid[xx][yy] == '1' {
grid[xx][yy] = '0'
que.Push(xx)
que.Push(yy)
}
}
}
count++
}
}
}
return count
}

LeetCode 队列与BFS--岛屿的数量的更多相关文章

  1. [LeetCode] Number of Islands 岛屿的数量

    Given a 2d grid map of '1's (land) and '0's (water), count the number of islands. An island is surro ...

  2. Leetcode 200.岛屿的数量 - DFS、BFS

    Leetcode 200 岛屿的数量: DFS利用函数调用栈保证了检索顺序, BFS则需要自己建立队列,把待检索对象按规则入队. class Solution { // DFS解法,8ms/10.7M ...

  3. [LeetCode] 200. Number of Islands 岛屿的数量

    Given a 2d grid map of '1's (land) and '0's (water), count the number of islands. An island is surro ...

  4. [LeetCode] 305. Number of Islands II 岛屿的数量 II

    A 2d grid map of m rows and n columns is initially filled with water. We may perform an addLand oper ...

  5. 队列和 BFS —— 栈和 DFS

    队列和 BFS: 广度优先搜索(BFS)的一个常见应用是找出从根结点到目标结点的最短路径. 示例 这里我们提供一个示例来说明如何使用 BFS 来找出根结点 A 和目标结点 G 之间的最短路径. 洞悉 ...

  6. 遍历二叉树 - 基于队列的BFS

    之前学过利用递归实现BFS二叉树搜索(http://www.cnblogs.com/webor2006/p/7262773.html),这次学习利用队列(Queue)来实现,关于什么时BFS这里不多说 ...

  7. 51nod 1276:岛屿的数量 很好玩的题目

    1276 岛屿的数量 题目来源: Codility 基准时间限制:1 秒 空间限制:131072 KB 分值: 20 难度:3级算法题  收藏  取消关注 有N个岛连在一起形成了一个大的岛屿,如果海平 ...

  8. 基于循环队列的BFS的原理及实现

    文章首发于微信公众号:几何思维 1.故事起源 有一只蚂蚁出去寻找食物,无意中进入了一个迷宫.蚂蚁只能向上.下.左.右4个方向走,迷宫中有墙和水的地方都无法通行.这时蚂蚁犯难了,怎样才能找出到食物的最短 ...

  9. [LeetCode] Number of Islands II 岛屿的数量之二

    A 2d grid map of m rows and n columns is initially filled with water. We may perform an addLand oper ...

随机推荐

  1. Python Socket实现简单web服务器

    #!/usr/bin/python env # coding:utf-8 import socket ip_port = ('127.0.0.1', 80) back_log = 10 buffer_ ...

  2. Hive的介绍及安装

    简介 Hive 是基于 Hadoop 的一个数据仓库工具,可以将结构化的数据文件 映射为一张数据库表,并提供类 SQL 查询功能. 本质是将 SQL 转换为 MapReduce 程序. Hive组件 ...

  3. JAVA两种代理模式

    简单设计动态代理,基本模拟spring的动态代理方式. before afterReturning around afterException after这些通知方法都可以这块模拟出来 spring的 ...

  4. 关于解决sql2012编辑器对象名无效问题

    出现以下情况: 解决办法: 选择“编辑”——“Intellisense”——“刷新本地缓存” 或者按Ctrl+Shift+R组合键

  5. Python(二)列表的增删改查

    一,列表的增删改查 列表中增加元素: 1,从列表的末尾增加一个元素:append("") 2,从列表中插入一个元素:insert(下标位置,插入的元素) 合并列表: 1,name. ...

  6. HTML基础标签的综合应用案例(颜色、斜体、加粗、下划线、a标签、无序列表、有序列表)

    什么是HTML l HTML(HyperText Mark-up Language)即超文本标记语言或超文本标签语言. l 何为超文本:“超文本”可以实现页面内可以包含图片.链接,甚至音乐.程序等. ...

  7. September 02nd 2017 Week 35th Saturday

    Some things are more precious because they don't last long. 有些东西之所以弥足珍贵,是因为它们总是昙花一现. Life is ephemer ...

  8. U-Mail如何实现邮件营销自动化?

    对于很多企业来说,人力成本可能就是最大的成本支出了,如果能节省这方面成本支出,也就意味着公司增收了,因此很多公司在做营销工作时,都希望营销能够高效率.有系统.有规划.循序渐进的开展,同时还要减轻营销人 ...

  9. 获取URL网页信息

    static string GetHtml(string url) {string strHTML = ""; WebClient myWebClient = new WebCli ...

  10. URL地址理解

    / 表示相对目录的根目录./ 表示相对目录的本层目录../ 表示相对目录的上层目录