Created
February 28, 2023 10:36
-
-
Save denk0403/0fafbb2f9e20bf2156de141f90c82b6b to your computer and use it in GitHub Desktop.
Topological sort in TS
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
function transposeGraph(arr: number[][]) { | |
const graph: Map<number, number[]> = new Map(); | |
for (let index = 0; index < arr.length; index++) { | |
if (!graph.has(index)) { | |
graph.set(index, []); | |
} | |
const deps = arr[index]; | |
for (const dep of deps) { | |
if (!graph.has(dep)) { | |
graph.set(dep, []); | |
} | |
graph.get(dep)!.push(index); | |
} | |
} | |
return graph; | |
} | |
function topologicalSort(arr: number[][]) { | |
const graph = transposeGraph(arr); | |
const indegrees = [...arr].map((deps) => deps.length); | |
const zeroIndegree = indegrees.reduce((acc, length, index) => { | |
if (length === 0) acc.push(index); | |
return acc; | |
}, [] as number[]); | |
const order = [] as number[]; | |
while (zeroIndegree.length !== 0) { | |
const node = zeroIndegree.pop()!; | |
order.push(node); | |
for (const neighbor of graph.get(node)!) { | |
indegrees[neighbor] -= 1; | |
if (indegrees[neighbor] === 0) { | |
zeroIndegree.push(neighbor); | |
} | |
} | |
} | |
return order; | |
} | |
const sorted = topologicalSort([[2], [3], [], [0, 2], [3, 6], [3, 2], [5, 1]]) | |
console.log(sorted); // [2, 0, 3, 5, 1, 6, 4] |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment