Given an m x n 2d grid map of ‘1’s (land) and ‘0’s (water), return the number of islands.
An island is surrounded by water and is formed by connecting adjacent lands horizontally or vertically.
Assume all four edges of the grid are all surrounded by water.
====== Examples ======
Input: grid = [
["1","1","1","1","0"],
["1","1","0","1","0"],
["1","1","0","0","0"],
["0","0","0","0","0"]
]
Output: 1
Input: grid = [
["1","1","0","0","0"],
["1","1","0","0","0"],
["0","0","1","0","0"],
["0","0","0","1","1"]
]
Output: 3
Code:
from typing import List
from collections import deque
class Solution:
DIRECTIONS = [(0, 1), (1, 0), (0, -1), (-1, 0)]
def numIslands(self, grid: List[List[str]]) -> int:
islands = 0
for i in range(len(grid)):
for j in range(len(grid[0])):
if (grid[i][j] == "1"):
islands += 1
self.bfs(grid, i, j)
return islands
def is_safe(self, x, y, m, n):
return x >= 0 and y >= 0 and x < m and y < n
def bfs(self, grid, i, j):
m, n = len(grid), len(grid[0])
queue = deque()
queue.append((i, j))
grid[i][j] = "#"
while (queue):
x, y = queue.popleft()
# Traverse in 4 directions enqueue and mark visited
for dx, dy in self.DIRECTIONS:
if (self.is_safe(x + dx, y + dy, m, n) and grid[x + dx][y + dy] == "1"):
queue.append((x + dx, y + dy))
grid[x + dx][y + dy] = "#" # marked visited
grid = [["1", "1", "1", "1", "0"],
["1", "1", "0", "1", "0"],
["1", "1", "0", "0", "0"],
["0", "0", "0", "0", "0"]]
print(Solution().numIslands(grid))
grid = [
["1", "1", "0", "0", "0"],
["1", "1", "0", "0", "0"],
["0", "0", "1", "0", "0"],
["0", "0", "0", "1", "1"]
]
print(Solution().numIslands(grid))
Output:
1
3
Complexity:
Given a binary tree with root node, a target node and an integer value K.
Return a list of the values of all nodes that have a distance K from the target node. The answer can be returned in any order.
===== Example =====
Input: root = [3,5,1,6,2,0,8,null,null,7,4], target = 5, K = 2
Output: [7,4,1]
Explanation:
The nodes that are a distance 2 from the target node (with value 5)
have values 7, 4, and 1.
Code:
from typing import List
from collections import deque
class TreeNode:
def __init__(self, x):
self.val = x
self.left = None
self.right = None
class Solution:
def distanceK(self, root: TreeNode, target: TreeNode, K: int) -> List[int]:
parents = {root: None}
self.dfs(root, parents)
return self.bfs(target, K, parents)
def dfs(self, node, parents):
if (node):
if(node.left):
parents[node.left] = node
self.dfs(node.left, parents)
if(node.right):
parents[node.right] = node
self.dfs(node.right, parents)
def bfs(self, target, K, parents):
visited = set()
queue = deque()
queue.append(target)
visited.add(target)
while (queue):
n = len(queue)
for _ in range(n):
if (K == 0):
return [node.val for node in queue]
current = queue.popleft()
if (current.left and current.left not in visited):
visited.add(current.left)
queue.append(current.left)
if (current.right and current.right not in visited):
visited.add(current.right)
queue.append(current.right)
if (parents[current] and parents[current] not in visited):
visited.add(parents[current])
queue.append(parents[current])
K -= 1
return []
s = Solution()
root = TreeNode(3)
root.left = TreeNode(5)
root.right = TreeNode(1)
root.left.left = TreeNode(6)
root.left.right = TreeNode(2)
root.right.left = TreeNode(0)
root.right.right = TreeNode(8)
root.left.right.left = TreeNode(7)
root.left.right.right = TreeNode(4)
print(s.distanceK(root, root.left, 2))
root = TreeNode(0)
root.left = TreeNode(1)
root.left.left = TreeNode(3)
root.left.right = TreeNode(2)
print(s.distanceK(root, root.left.right, 1))
root = TreeNode(0)
root.left = TreeNode(2)
root.right = TreeNode(1)
root.right.right = TreeNode(3)
print(s.distanceK(root, root.right.right, 3))
print(s.distanceK(root, root.right.right, 4))
Output:
[7, 4, 1]
[1]
[2]
[]
Complexity:
Given two words (beginWord and endWord), and a dictionary’s word list, find the length of shortest transformation sequence from beginWord to endWord, such that:
====== Examples ======
Input: beginWord = "hit", endWord = "cog", wordList = ["hot","dot","dog","lot","log","cog"]
Output: 5
Explanation: As one shortest transformation is "hit" -> "hot" -> "dot" -> "dog" -> "cog" so, length = 5.
Input: beginWord = "hit", endWord = "cog", wordList = ["hot","dot","dog","lot","log"]
Output: 0
Explanation: The endWord "cog" is not in wordList, therefore no possible transformation.
Input: beginWord = "a", endWord = "c", wordList = ["a", "b", "c"]
Output: 2
Explanation: Shortest transformation is : "a" -> "c" so, length = 2
Notes:
beginWord
and an endWord
. Let these two represent start node
and end node
of a graph.wordList
given to us.one letter
.wordList
.*
.Dog
and Dig
map to the same intermediate or generic state D*g
.Code:
from typing import List
from collections import defaultdict
from collections import deque
class Solution:
def ladderLength(self, beginWord: str, endWord: str, wordList: List[str]) -> int:
if(not beginWord or not endWord or not wordList or endWord not in wordList):
return 0
# All words are of same length
n = len(beginWord)
graph = defaultdict(list)
# Create Graph
for word in wordList:
for i in range(n):
u = word[0:i] + "*" + word[i+1:]
v = word
graph[u].append(v)
graph[v].append(u)
visited = set()
queue = deque()
level = 1
# Start the BFS from the given beginWord
queue.append((beginWord, 1))
visited.add(beginWord)
while(queue):
current, level = queue.popleft()
# Preprocess to create all the intermediate words possible from current word
# to be ready to explore all the word which is at one change
intermediate_words = [current[0:i] + "*" + current[i + 1:] for i in range(n)]
# Now check for all the words that are possible with single change and visit them
for intermediate_word in intermediate_words:
for connected_word in graph[intermediate_word]:
# If we find the target word simply return the level
if(connected_word == endWord):
return level + 1
# If connected word is one change different from the current word and is not visited
# Visit them and add it to queue
if(connected_word not in visited):
queue.append((connected_word, level+1))
visited.add(connected_word)
# Once an intermediate_word is processed remove from graph to avoid processing again
del graph[intermediate_word]
# If not possible to find transformations with given words return 0
return 0
words = ["hot", "dot", "dog", "lot", "log", "cog"]
print(Solution().ladderLength("hit", "cog", words))
words = ["hot", "dog"]
print(Solution().ladderLength("hot", "dog", words))
words = ["a", "b", "c"]
print(Solution().ladderLength("a", "c", words))
Output:
5
0
2
Complexity:
There are N students in a class. Some of them are friends, while some are not. Their friendship is transitive in nature. For example, if A is a direct friend of B, and B is a direct friend of C, then A is an indirect friend of C. A friend circle is a group of students who are direct or indirect friends.
Given a N*N matrix M representing the friend relationship between students in the class.If M[i][j] = 1, then the ith and jth students are direct friends with each other, otherwise not. We have to output the total number of friend circles among all the students.
====== Examples ======
Input:
[[1,1,0],
[1,1,0],
[0,0,1]]
Output: 2
Explanation:The 0th and 1st students are direct friends, so they are in a friend circle.
The 2nd student himself is in a friend circle. So return 2.
[[1,1,0],
[1,1,1],
[0,1,1]]
Output: 1
Explanation:The 0th and 1st students are direct friends, the 1st and 2nd students are direct friends,
so the 0th and 2nd students are indirect friends. All of them are in the same friend circle, so return 1.
Code:
from typing import List
from collections import deque
class Solution:
def findCircleNum(self, M: List[List[int]]) -> int:
n = len(M)
graph = {i: [] for i in range(n)}
# Get all the friendship relationship by considering matrix only above the diagonal
# and make directed graph
for i in range(n):
for j in range(i + 1, n):
if(M[i][j] == 1):
graph[i].append(j)
graph[j].append(i)
# Now simply count the no. of connected components
friend_circles = 0
visited = set()
for vertex in graph:
if vertex not in visited:
friend_circles += 1
self.bfs(graph, visited, vertex)
return friend_circles
def bfs(self, graph, visited, current):
queue = deque()
visited.add(current)
queue.append(current)
while(queue):
current = queue.popleft()
for connected_vertex in graph[current]:
if(connected_vertex not in visited):
visited.add(connected_vertex)
queue.append(connected_vertex)
M = [[1, 1, 0],
[1, 1, 0],
[0, 0, 1]]
print(Solution().findCircleNum(M))
M = [[1, 1, 0],
[1, 1, 1],
[0, 1, 1]]
print(Solution().findCircleNum(M))
M = [[1, 0, 0, 1],
[0, 1, 1, 0],
[0, 1, 1, 1],
[1, 0, 1, 1]]
print(Solution().findCircleNum(M))
Output:
2
1
1
Complexity:
In a given grid, each cell can have one of three values:
0
representing an empty cell;1
representing a fresh orange;2
representing a rotten orange.Every minute, any fresh orange that is adjacent (4-directionally) to a rotten orange becomes rotten.
Return the minimum number of minutes that must elapse until no cell has a fresh orange. If this is impossible, return -1
instead.
Example:
======= Examples ======
Input: [[2,1,1],[1,1,0],[0,1,1]]
Output: 4
Input: [[2,1,1],[0,1,1],[1,0,1]]
Output: -1
Explanation: The orange in the bottom left corner (row 2, column 0) is never rotten, because rotting only happens 4-directionally.
Input: [[0,2]]
Output: 0
Explanation: Since there are already no fresh oranges at minute 0, the answer is just 0.
Note:
1 <= grid.length <= 10
1 <= grid[0].length <= 10
grid[i][j]
is only 0
, 1
, or 2
.Code:
from typing import List
from collections import deque
class Solution:
DIRECTIONS = [(0, 1), (1, 0), (0, -1), (-1, 0)]
IS_SAFE = lambda self, grid, i, j, m, n: i >= 0 and i < m and j >= 0 and j < n and grid[i][j] == 1
def orangesRotting(self, grid: List[List[int]]) -> int:
m, n = len(grid), len(grid[0])
initial_rotten_oranges = []
total_fresh = 0
for i in range(m):
for j in range(n):
if(grid[i][j] == 2):
initial_rotten_oranges.append((i, j, 0))
elif (grid[i][j] == 1):
total_fresh += 1
return self.parallel_bfs(grid, initial_rotten_oranges, total_fresh)
def parallel_bfs(self, grid, start_vertices, total_fresh):
m, n = len(grid), len(grid[0])
max_time = 0
queue = deque()
for start_vertex in start_vertices:
queue.append(start_vertex)
while (queue):
x, y, time = queue.popleft()
for dx, dy in self.DIRECTIONS:
if (self.IS_SAFE(grid, x + dx, y + dy, m, n)):
grid[x + dx][y + dy] = 2
queue.append((x + dx, y + dy, time + 1))
max_time = max(max_time, time + 1)
total_fresh -= 1
return max_time if total_fresh == 0 else -1
print(Solution().orangesRotting([[2, 1, 1], [1, 1, 0], [0, 1, 1]]))
print(Solution().orangesRotting([[2, 1, 1], [0, 1, 1], [1, 0, 1]]))
print(Solution().orangesRotting([[0, 2]]))
Output:
4
-1
0
Complexity: