Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Dominoes #24

Open
wants to merge 7 commits into
base: main
Choose a base branch
from
Open
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
61 changes: 60 additions & 1 deletion practice/dominoes/dominoes.py
Original file line number Diff line number Diff line change
@@ -1,2 +1,61 @@
def can_chain(dominoes):
pass
"""
Determine if the given dominoes can be arranged in a chain.

This function uses a depth-first search (DFS) algorithm to try to arrange
the dominoes in a chain where the numbers on the ends match and each
domino's numbers match the numbers on the ends of the adjacent dominoes.

Args:
dominoes (list): A list of tuples where each tuple represents a domino
and contains two integers.

Returns:
list: A list of tuples representing the chain if one exists, or an
empty list if no chain exists.

Raises:
IndexError: An error occurs if the list is empty.
"""
def dfs(chain):
"""
Perform depth-first search to find a chain.

Args:
chain (list): The current chain of dominoes.

Returns:
list: A list of tuples representing the chain if one exists, or None if no chain exists.
"""
# If the list of dominoes is empty, return an empty list
if not dominoes:
return []

# If all dominoes are in the chain and the chain forms a loop, return the chain
if len(chain) == len(dominoes) and chain and chain[0][0] == chain[-1][1]:
return chain

for i in range(len(dominoes)):
if visited[i]:
continue

# If the chain is empty or the last number of the last domino in the chain matches the first number of the current domino
if not chain or chain[-1][1] == dominoes[i][0]:
visited[i] = True
result = dfs(chain + [dominoes[i]])
if result:
return result
visited[i] = False

# If the last number of the last domino in the chain matches the second number of the current domino
elif chain[-1][1] == dominoes[i][1]:
visited[i] = True
result = dfs(chain + [(dominoes[i][1], dominoes[i][0])])
if result:
return result
visited[i] = False

return None

visited = [False] * len(dominoes)
return dfs([])
Loading