mirror of
https://github.com/TheAlgorithms/Python.git
synced 2024-11-23 21:11:08 +00:00
Compare commits
36 Commits
2dc7c9b2cc
...
c51d695182
Author | SHA1 | Date | |
---|---|---|---|
|
c51d695182 | ||
|
f3f32ae3ca | ||
|
e3bd7721c8 | ||
|
e3f3d668be | ||
|
81fb07bf82 | ||
|
25844732f1 | ||
|
2fb5becc4d | ||
|
3d4acaaefb | ||
|
5fe9e9b639 | ||
|
39fdc021ab | ||
|
f9bf655086 | ||
|
bcf5beda92 | ||
|
65f0d0c804 | ||
|
debba8c7dd | ||
|
8fc681807f | ||
|
6269fd68d0 | ||
|
b911a5578c | ||
|
32b9b8f6b4 | ||
|
14ddb93c6b | ||
|
af534ade82 | ||
|
a00d41c861 | ||
|
9a4e1d333f | ||
|
1fca8c6fc4 | ||
|
8006d48cac | ||
|
f62921cce0 | ||
|
b8c6beae72 | ||
|
f80afa35a8 | ||
|
4982ff01b6 | ||
|
5a87d4fe9e | ||
|
a1ff5c95a3 | ||
|
e3db05b375 | ||
|
346a955946 | ||
|
8286b5855a | ||
|
18319a8733 | ||
|
da0717b9ae | ||
|
11bfe18e0d |
|
@ -16,7 +16,7 @@ repos:
|
|||
- id: auto-walrus
|
||||
|
||||
- repo: https://github.com/astral-sh/ruff-pre-commit
|
||||
rev: v0.7.2
|
||||
rev: v0.7.4
|
||||
hooks:
|
||||
- id: ruff
|
||||
- id: ruff-format
|
||||
|
@ -42,7 +42,7 @@ repos:
|
|||
pass_filenames: false
|
||||
|
||||
- repo: https://github.com/abravalheri/validate-pyproject
|
||||
rev: v0.22
|
||||
rev: v0.23
|
||||
hooks:
|
||||
- id: validate-pyproject
|
||||
|
||||
|
|
|
@ -503,6 +503,7 @@
|
|||
* [Graphs Floyd Warshall](graphs/graphs_floyd_warshall.py)
|
||||
* [Greedy Best First](graphs/greedy_best_first.py)
|
||||
* [Greedy Min Vertex Cover](graphs/greedy_min_vertex_cover.py)
|
||||
* [Johnson Graph](graphs/johnson_graph.py)
|
||||
* [Kahns Algorithm Long](graphs/kahns_algorithm_long.py)
|
||||
* [Kahns Algorithm Topo](graphs/kahns_algorithm_topo.py)
|
||||
* [Karger](graphs/karger.py)
|
||||
|
|
|
@ -172,7 +172,7 @@ def solved(values):
|
|||
|
||||
def from_file(filename, sep="\n"):
|
||||
"Parse a file into a list of strings, separated by sep."
|
||||
return open(filename).read().strip().split(sep) # noqa: SIM115
|
||||
return open(filename).read().strip().split(sep)
|
||||
|
||||
|
||||
def random_puzzle(assignments=17):
|
||||
|
|
189
graphs/johnson_graph.py
Normal file
189
graphs/johnson_graph.py
Normal file
|
@ -0,0 +1,189 @@
|
|||
import heapq
|
||||
import sys
|
||||
|
||||
|
||||
# First implementation of johnson algorithm
|
||||
# Steps followed to implement this algorithm is given in the below link:
|
||||
# https://brilliant.org/wiki/johnsons-algorithm/
|
||||
class JohnsonGraph:
|
||||
def __init__(self) -> None:
|
||||
"""
|
||||
Initializes an empty graph with no edges.
|
||||
>>> g = JohnsonGraph()
|
||||
>>> g.edges
|
||||
[]
|
||||
>>> g.graph
|
||||
{}
|
||||
"""
|
||||
self.edges: list[tuple[str, str, int]] = []
|
||||
self.graph: dict[str, list[tuple[str, int]]] = {}
|
||||
|
||||
# add vertices for a graph
|
||||
def add_vertices(self, vertex: str) -> None:
|
||||
"""
|
||||
Adds a vertex `vertex` to the graph with an empty adjacency list.
|
||||
>>> g = JohnsonGraph()
|
||||
>>> g.add_vertices("A")
|
||||
>>> g.graph
|
||||
{'A': []}
|
||||
"""
|
||||
self.graph[vertex] = []
|
||||
|
||||
# assign weights for each edges formed of the directed graph
|
||||
def add_edge(self, vertex_a: str, vertex_b: str, weight: int) -> None:
|
||||
"""
|
||||
Adds a directed edge from vertex `vertex_a`
|
||||
to vertex `vertex_b` with weight `weight`.
|
||||
>>> g = JohnsonGraph()
|
||||
>>> g.add_vertices("A")
|
||||
>>> g.add_vertices("B")
|
||||
>>> g.add_edge("A", "B", 5)
|
||||
>>> g.edges
|
||||
[('A', 'B', 5)]
|
||||
>>> g.graph
|
||||
{'A': [('B', 5)], 'B': []}
|
||||
"""
|
||||
self.edges.append((vertex_a, vertex_b, weight))
|
||||
self.graph[vertex_a].append((vertex_b, weight))
|
||||
|
||||
# perform a dijkstra algorithm on a directed graph
|
||||
def dijkstra(self, start: str) -> dict:
|
||||
"""
|
||||
Computes the shortest path from vertex `start`
|
||||
to all other vertices using Dijkstra's algorithm.
|
||||
>>> g = JohnsonGraph()
|
||||
>>> g.add_vertices("A")
|
||||
>>> g.add_vertices("B")
|
||||
>>> g.add_edge("A", "B", 1)
|
||||
>>> g.dijkstra("A")
|
||||
{'A': 0, 'B': 1}
|
||||
>>> g.add_vertices("C")
|
||||
>>> g.add_edge("B", "C", 2)
|
||||
>>> g.dijkstra("A")
|
||||
{'A': 0, 'B': 1, 'C': 3}
|
||||
"""
|
||||
distances = {vertex: sys.maxsize - 1 for vertex in self.graph}
|
||||
pq = [(0, start)]
|
||||
distances[start] = 0
|
||||
while pq:
|
||||
weight, vertex = heapq.heappop(pq)
|
||||
|
||||
if weight > distances[vertex]:
|
||||
continue
|
||||
|
||||
for node, node_weight in self.graph[vertex]:
|
||||
if distances[vertex] + node_weight < distances[node]:
|
||||
distances[node] = distances[vertex] + node_weight
|
||||
heapq.heappush(pq, (distances[node], node))
|
||||
return distances
|
||||
|
||||
# carry out the bellman ford algorithm for a node and estimate its distance vector
|
||||
def bellman_ford(self, start: str) -> dict:
|
||||
"""
|
||||
Computes the shortest path from vertex `start` to
|
||||
all other vertices using the Bellman-Ford algorithm.
|
||||
>>> g = JohnsonGraph()
|
||||
>>> g.add_vertices("A")
|
||||
>>> g.add_vertices("B")
|
||||
>>> g.add_edge("A", "B", 1)
|
||||
>>> g.bellman_ford("A")
|
||||
{'A': 0, 'B': 1}
|
||||
>>> g.add_vertices("C")
|
||||
>>> g.add_edge("B", "C", 2)
|
||||
>>> g.bellman_ford("A")
|
||||
{'A': 0, 'B': 1, 'C': 3}
|
||||
"""
|
||||
distances = {vertex: sys.maxsize - 1 for vertex in self.graph}
|
||||
distances[start] = 0
|
||||
|
||||
for vertex_a in self.graph:
|
||||
for vertex_a, vertex_b, weight in self.edges:
|
||||
if (
|
||||
distances[vertex_a] != sys.maxsize - 1
|
||||
and distances[vertex_a] + weight < distances[vertex_b]
|
||||
):
|
||||
distances[vertex_b] = distances[vertex_a] + weight
|
||||
|
||||
return distances
|
||||
|
||||
# perform the johnson algorithm to handle the negative weights that
|
||||
# could not be handled by either the dijkstra
|
||||
# or the bellman ford algorithm efficiently
|
||||
def johnson_algo(self) -> list[dict]:
|
||||
"""
|
||||
Computes the shortest paths between
|
||||
all pairs of vertices using Johnson's algorithm
|
||||
for a directed graph.
|
||||
>>> g = JohnsonGraph()
|
||||
>>> g.add_vertices("A")
|
||||
>>> g.add_vertices("B")
|
||||
>>> g.add_edge("A", "B", 1)
|
||||
>>> g.add_edge("B", "A", 2)
|
||||
>>> optimal_paths = g.johnson_algo()
|
||||
>>> optimal_paths
|
||||
[{'A': 0, 'B': 1}, {'A': 2, 'B': 0}]
|
||||
"""
|
||||
self.add_vertices("#")
|
||||
for vertex in self.graph:
|
||||
if vertex != "#":
|
||||
self.add_edge("#", vertex, 0)
|
||||
|
||||
hash_path = self.bellman_ford("#")
|
||||
|
||||
for i in range(len(self.edges)):
|
||||
vertex_a, vertex_b, weight = self.edges[i]
|
||||
self.edges[i] = (
|
||||
vertex_a,
|
||||
vertex_b,
|
||||
weight + hash_path[vertex_a] - hash_path[vertex_b],
|
||||
)
|
||||
self.edges[i] = (
|
||||
vertex_a,
|
||||
vertex_b,
|
||||
weight + hash_path[vertex_a] - hash_path[vertex_b],
|
||||
)
|
||||
|
||||
self.graph.pop("#")
|
||||
filtered_edges = []
|
||||
for vertex1, vertex2, node_weight in self.edges:
|
||||
filtered_edges.append((vertex1, vertex2, node_weight))
|
||||
self.edges = filtered_edges
|
||||
|
||||
for vertex in self.graph:
|
||||
self.graph[vertex] = []
|
||||
for vertex1, vertex2, node_weight in self.edges:
|
||||
if vertex1 == vertex:
|
||||
self.graph[vertex].append((vertex2, node_weight))
|
||||
|
||||
distances = []
|
||||
for vertex1 in self.graph:
|
||||
new_dist = self.dijkstra(vertex1)
|
||||
for vertex2 in self.graph:
|
||||
if new_dist[vertex2] < sys.maxsize - 1:
|
||||
new_dist[vertex2] += hash_path[vertex2] - hash_path[vertex1]
|
||||
for key in new_dist:
|
||||
if new_dist[key] == sys.maxsize - 1:
|
||||
new_dist[key] = None
|
||||
distances.append(new_dist)
|
||||
return distances
|
||||
|
||||
|
||||
g = JohnsonGraph()
|
||||
# this a complete connected graph
|
||||
g.add_vertices("A")
|
||||
g.add_vertices("B")
|
||||
g.add_vertices("C")
|
||||
g.add_vertices("D")
|
||||
g.add_vertices("E")
|
||||
|
||||
g.add_edge("A", "B", 1)
|
||||
g.add_edge("A", "C", 3)
|
||||
g.add_edge("B", "D", 4)
|
||||
g.add_edge("D", "E", 2)
|
||||
g.add_edge("E", "C", -2)
|
||||
|
||||
|
||||
optimal_paths = g.johnson_algo()
|
||||
print("Print all optimal paths of a graph using Johnson Algorithm")
|
||||
for i, row in enumerate(optimal_paths):
|
||||
print(f"{i}: {row}")
|
|
@ -1,4 +1,4 @@
|
|||
#!/usr/bin/env python3
|
||||
#!python
|
||||
import os
|
||||
|
||||
try:
|
||||
|
|
Loading…
Reference in New Issue
Block a user