Simplify Your Workflow: Search MiniWebtool.
Add Extension
> Topological Sort Calculator

Topological Sort Calculator

Compute a topological ordering of a directed acyclic graph (DAG) using Kahn's algorithm or DFS. Detects cycles, reports the cycle path, builds a parallel-execution layer view, supports lexicographically smallest ordering, and animates each step on an interactive graph.

Topological Sort Calculator
Edge format: A -> B (also accepts , =>, :). Max 80 vertices / 800 edges.
Kahn's algorithm (lexicographic) gives a unique, reproducible order. DFS post-order is the classic depth-first method.

Embed Topological Sort Calculator Widget

About Topological Sort Calculator

The Topological Sort Calculator computes a linear ordering of the vertices of a directed acyclic graph (DAG) such that every directed edge from u to v places u before v. Enter your graph as an edge list or adjacency list and the tool returns the topological order using Kahn's algorithm or DFS post-order, detects cycles (with the exact cycle path), groups tasks into parallel-execution layers, counts the number of valid orderings, and animates each step on an interactive graph.

What is a topological sort?

Given a directed graph G = (V, E), a topological sort (or topological ordering) is a linear arrangement v₁, v₂, …, vₙ of its vertices such that for every directed edge (u → v), u appears before v in the arrangement. A topological ordering exists if and only if the graph has no directed cycles — that is, the graph is a DAG. The ordering is rarely unique: a graph can have many valid topological sorts when several vertices have in-degree zero at the same time.

Topological order definition
A permutation (v₁, v₂, …, vn) of V is topological iff
for every edge (u → v) in E: position(u) < position(v)

Algorithms used by this calculator

Kahn's algorithm (BFS-based, 1962)

Kahn's algorithm is the most intuitive topological sort. At every step it picks a vertex with in-degree zero (no incoming edges), appends it to the output, and "removes" it from the graph by decrementing the in-degree of each of its successors. When several vertices have in-degree zero, tie-breaking can use a min-heap (giving the lexicographically smallest ordering) or a FIFO queue (giving the insertion order). Kahn's algorithm runs in O(|V| + |E|) time and doubles as a cycle detector: if any vertex still has in-degree > 0 after the queue empties, the graph has a cycle.

Kahn's algorithm (pseudocode)
Kahn(G):
  Q ← { v ∈ V : indeg(v) = 0 }
  L ← [ ]
  while Q not empty:
    u ← Q.pop()
    L.append(u)
    for each edge u → v:
      indeg(v) -= 1
      if indeg(v) = 0: Q.push(v)
  if |L| < |V|: report cycle
  else: return L

DFS post-order (Tarjan, 1976)

The DFS algorithm runs depth-first search, and whenever a vertex finishes (i.e. all its successors have been fully explored) it is pushed onto a stack. Reversing the stack at the end yields a valid topological order. Cycle detection is natural: encountering a vertex that is still in progress (marked GRAY) means a back edge has been found, so the graph is not a DAG. DFS post-order also runs in O(|V| + |E|) time.

DFS post-order (pseudocode)
DFS-Topo(G):
  for each vertex u in V: color[u] ← WHITE
  L ← empty stack
  for each vertex u in V:
    if color[u] = WHITE: visit(u)
  return reverse(L)

visit(u):
  color[u] ← GRAY
  for each edge u → v:
    if color[v] = GRAY: report cycle
    if color[v] = WHITE: visit(v)
  color[u] ← BLACK; L.push(u)

Parallel-execution layers

A layered view of a DAG partitions its vertices into levels such that every edge goes from a lower-numbered level to a higher one. Vertices in the same layer are independent of each other, so they can be executed in parallel. The number of layers equals the length of the longest path plus one — this is the critical path of the DAG, the minimum number of sequential rounds needed to finish all tasks even with unlimited parallelism. This calculator produces the layer view automatically whenever the input is a DAG.

Cycle detection

If the graph contains a directed cycle, no topological sort is possible. Our calculator reports the exact cycle path (e.g. A → B → C → A) and highlights the cycle edges in red on the visualization. Removing any single edge on the cycle is sufficient to restore acyclicity.

Input formats

Edge list

Write each directed edge as source -> target, separated by commas or newlines. Accepted arrow variants: ->, , =>, -->, :. You can also chain edges: A -> B -> C is shorthand for A->B and B->C. Vertex labels can be letters, digits, underscores, dashes, and dots.

A -> B, B -> C, A -> C
C -> D
Shirt -> Tie -> Jacket

Adjacency list

Write each vertex, a colon, and its direct successors (vertices it points to). A vertex with no successors still needs its line, such as D:.

A: B, C
B: D
C: D
D:

How to use this calculator

  1. Pick a format: Toggle between edge list and adjacency list with the radio buttons.
  2. Enter the graph: Paste your data or click one of the quick examples (dressing order, course prerequisites, build targets, a graph with a cycle, and more).
  3. Choose an algorithm: Kahn's lexicographic for a unique, reproducible order; insertion order to preserve input ordering; DFS post-order for the classic depth-first method; or Show all to see every ordering side-by-side.
  4. Click "Sort Topologically": The ordering, cycle detection, layer view, critical path length, total number of valid orderings, and an interactive graph appear below.
  5. Explore: Press Play to watch each vertex get emitted one step at a time. The in-degree badges update live. Drag any node to rearrange the layout.

Real-world applications

Build systems and compilers

Tools like make, Bazel, Gradle, and npm topologically sort their build targets so each target is compiled only after all its dependencies. A cycle in the dependency graph is usually reported as a fatal error — the build system cannot decide where to start.

Task scheduling

Project managers use DAGs to capture task dependencies. The topological sort gives a valid execution order, and the layer view gives the minimum number of rounds under unlimited parallelism. The longest chain is the critical path that determines project duration.

Course prerequisite planning

A university course catalog is a DAG: edges are prerequisite relationships. A topological order is a valid study plan, and the layers tell students which sets of courses they can take in parallel during each semester.

Spreadsheet recalculation

When a cell changes, a spreadsheet must recompute every downstream cell in dependency order — a topological sort of the cell-dependency DAG. Circular references (cycles) are rejected by the application.

Package managers and plugin loaders

Apt, pip, Homebrew, Maven and countless plugin frameworks resolve install or load order by topologically sorting their dependency DAGs.

Symbol resolution and instruction scheduling

Compilers use topological sort to order declarations, and CPUs use data-dependency DAGs to schedule instructions in the reorder buffer without violating data hazards.

Counting topological orderings

For a DAG with n vertices, the number of distinct valid topological orderings can range from 1 (for a totally ordered chain) to n! (for the edgeless graph). Computing the exact count is #P-complete in general, but for graphs up to 16 vertices this calculator enumerates them using a bitmask dynamic-programming formulation: f(S) = Σ f(S ∪ {v}) over all v ∉ S whose predecessors are all in S.

Complexity and performance

Frequently asked questions

What is a topological sort?

A topological sort of a directed acyclic graph is a linear ordering of its vertices such that every directed edge from u to v places u before v. It represents a valid order in which to process tasks that respect their dependencies.

Which algorithm does this calculator use?

The calculator runs both Kahn's algorithm and DFS post-order. Kahn's algorithm repeatedly removes a vertex with in-degree zero and decrements in-degrees of its successors. DFS post-order runs depth-first search and reverses the finish order. Both run in O(|V| + |E|) time.

What if my graph has a cycle?

A graph with a directed cycle has no topological sort. The calculator detects the cycle, highlights it in red on the visualization, and reports the exact cycle path so you can see which edges to remove to make the graph a DAG.

What is the lexicographically smallest topological order?

When many topological orderings are valid, the lexicographically smallest one is obtained by always picking the alphabetically smallest vertex whose in-degree is zero at each step. The default Kahn's mode of this calculator returns this unique ordering, which is stable and easy to reproduce.

What is the layer or level view?

The layer view groups vertices by the longest path length from any source. Vertices in the same layer have no dependency between them, so they can run in parallel. The number of layers equals the longest dependency chain plus one and gives the minimum number of parallel rounds needed to finish all tasks.

Can a graph have many valid topological orderings?

Yes. If at any step Kahn's algorithm has multiple vertices with in-degree zero, any of them can be picked next. This calculator counts the exact number of distinct topological orderings for graphs up to 16 vertices.

What is the difference between Kahn's algorithm and DFS post-order?

Kahn's works top-down: it repeatedly picks sources (in-degree 0) and emits them first. DFS post-order works bottom-up: it finishes sinks first and prepends them to the order. Both are O(|V| + |E|) and produce valid topological orderings, but typically different ones. Kahn's is easier to parallelize and to adapt for lexicographic ordering; DFS is easier to combine with other DFS-based analyses such as strongly connected components.

What is the maximum graph size this tool supports?

The calculator supports up to 80 vertices and 800 edges. Counting the total number of valid topological orderings is capped at 16 vertices because the problem is #P-complete and the state space grows as 2ⁿ. The interactive visualization and algorithm animation scale smoothly up to the full size.

Further Reading

Reference this content, page, or tool as:

"Topological Sort Calculator" at https://MiniWebtool.com// from MiniWebtool, https://MiniWebtool.com/

by miniwebtool team. Updated: Apr 20, 2026

You can also try our AI Math Solver GPT to solve your math problems through natural language question and answer.

Top & Updated:

Random PickerRandom Name PickerBatting Average CalculatorRelative Standard Deviation CalculatorFPS ConverterLine CounterERA CalculatorSort NumbersMAC Address GeneratorInstagram User ID LookupRemove SpacesMAC Address LookupWord to Phone Number ConverterFeet and Inches to Cm ConverterRandom Truth or Dare GeneratorFacebook User ID LookupSum CalculatorPercent Off CalculatorBitwise CalculatorSHA256 Hash GeneratorOPS CalculatorRandom Quote GeneratorNumber of Digits CalculatorSlugging Percentage CalculatorLog Base 10 CalculatorMP3 LooperSalary Conversion CalculatorSlope and Grade CalculatorSun, Moon & Rising Sign Calculator 🌞🌙✨Vertical Jump CalculatorOn Base Percentage CalculatorRandom IMEI GeneratorCm to Feet and Inches ConverterRoman Numerals ConverterSquare Root (√) CalculatorSaturn Return CalculatorAudio SplitterOctal CalculatorPhone Number ExtractorCompound Growth CalculatorWAR CalculatorMerge VideosVideo to Image ExtractorRandom Activity GeneratorDecimal to BCD ConverterFirst n Digits of PiLove Compatibility CalculatorCaffeine Overdose CalculatorBCD to Decimal ConverterWHIP CalculatorCompare Two StringsRandom Poker Hand GeneratorText FormatterRandom Writing Prompt GeneratorBinary to Gray Code ConverterRandom Movie PickerCM to Inches ConverterFile Size ConverterQuotient and Remainder CalculatorTime Duration CalculatorSRT Time ShiftRandom Superpower GeneratorRandom Fake Address GeneratorRemove AccentOutlier CalculatorAI ParaphraserInvisible Text GeneratorWhat is my Lucky Number?Random Number PickerDay of Year CalendarImage SplitterNumber to Word ConverterVideo CropperGray Code to Binary ConverterPER CalculatorAI Punctuation AdderIP Address to Hex ConverterRandom Birthday GeneratorWord Ladder GeneratorConnect the Dots GeneratorAdd Prefix and Suffix to TextRandom Loadout GeneratorReverse VideoPercent Growth Rate CalculatorSocial Media Username CheckerBinary to BCD ConverterRemove Leading Trailing SpacesName Number CalculatorRandom Object GeneratorMaster Number CalculatorStandard Error CalculatorVideo CompressorRemove Audio from VideoArc Length CalculatorYouTube Channel StatisticsStair CalculatorExponential Decay CalculatorAverage Deviation CalculatorList of Prime NumbersEmail ExtractorURL ExtractorSHA512 Hash GeneratorDay of the Year Calculator - What Day of the Year Is It Today?Sort Lines AlphabeticallyHex to BCD ConverterBCD to Binary ConverterLottery Number GeneratorBCD to Hex ConverterMedian CalculatorLeap Years ListList RandomizerBreak Line by CharactersAverage CalculatorModulo CalculatorPVIFA CalculatorHypotenuse CalculatorActual Cash Value CalculatorScientific Notation to Decimal ConverterNumber ExtractorAngel Number CalculatorLog Base 2 CalculatorRoot Mean Square CalculatorSum of Positive Integers CalculatorSHA3-256 Hash GeneratorAI Sentence Expander📅 Date CalculatorLbs to Kg ConverterHex to Decimal ConverterRandom Group GeneratorConvolution CalculatorMAC Address AnalyzerRandom String GeneratorAmortization CalculatorMarkup CalculatorPVIF CalculatorDecimal to Hex ConverterInstagram Font GeneratorSocial Media Image Size GuideTikTok Money CalculatorTwitter/X Character CounterTwitter/X Timestamp ConverterYouTube Watch Time CalculatorTwitch Earnings CalculatorYouTube Shorts Monetization CalculatorFacebook Ad Cost CalculatorSocial Media ROI CalculatorSocial Media Post Time OptimizerCTR CalculatorROAS CalculatorInfluencer ROI CalculatorForce CalculatorAcceleration CalculatorVelocity CalculatorMomentum CalculatorProjectile Motion CalculatorKinetic Energy CalculatorPotential Energy CalculatorWork and Power CalculatorDensity CalculatorPressure CalculatorIdeal Gas Law CalculatorFree Fall CalculatorTorque CalculatorHorsepower CalculatorDilution CalculatorChemical Equation BalancerStoichiometry CalculatorPercent Yield CalculatorEmpirical Formula CalculatorBoiling Point CalculatorTitration CalculatorMole/Gram/Particle ConverterLED Resistor CalculatorVoltage Divider CalculatorParallel Resistor CalculatorCapacitor Calculator555 Timer CalculatorWire Gauge CalculatorTransformer CalculatorRC Time Constant CalculatorPower Factor CalculatorDecibel (dB) CalculatorImpedance CalculatorResonant Frequency CalculatorGrade CalculatorFinal Grade CalculatorWeighted Grade CalculatorTest Score CalculatorSignificant Figures CalculatorStudy Timer (Pomodoro)Long Division CalculatorRounding CalculatorCompleting the Square CalculatorRatio Calculatorp-Value CalculatorNormal Distribution CalculatorPercentile CalculatorFive Number Summary CalculatorCross Multiplication CalculatorLumber CalculatorRebar CalculatorPaver CalculatorInsulation CalculatorHVAC Sizing CalculatorRetaining Wall CalculatorCarpet CalculatorSquare Footage Calculator⏱️ Countdown Timer⏱️ Online Stopwatch⏱️ Hours Calculator🕐 Military Time Converter📅 Date Difference Calculator⏰ Time Card Calculator⏰ Online Alarm Clock🌐 Time Zone Converter🌬️ Wind Chill Calculator🌡️ Heat Index Calculator💧 Dew Point CalculatorFuel Cost CalculatorTire Size Calculator👙 Bra Size Calculator🌍 Carbon Footprint Calculator⬛ Aspect Ratio CalculatorOnline Notepad🖱️ Click Counter🔊 Tone Generator📊 Bar Graph Maker🥧 Pie Chart Maker📈 Line Graph Maker📷 OCR / Image to Text🔍 Plagiarism Checker🚚 Moving Cost Estimator❄️ Snow Day Calculator🎮 Game Sensitivity Converter⚔️ DPS Calculator🎰 Gacha Pity Calculator🎲 Loot Drop Probability Calculator🎮 In-Game Currency ConverterMultiplication Table GeneratorLong Multiplication CalculatorLong Addition and Subtraction CalculatorOrder of Operations Calculator (PEMDAS)Place Value Chart GeneratorNumber Pattern FinderEven or Odd Number CheckerAbsolute Value CalculatorCeiling and Floor Function CalculatorUnit Rate CalculatorSkip Counting GeneratorNumber to Fraction ConverterEstimation CalculatorCubic Equation SolverQuartic Equation SolverLogarithmic Equation SolverExponential Equation SolverTrigonometric Equation SolverLiteral Equation SolverRational Equation SolverSystem of Nonlinear Equations SolverPoint-Slope Form CalculatorStandard Form to Slope-Intercept ConverterEquation of a Line CalculatorParallel and Perpendicular Line CalculatorDescartes' Rule of Signs CalculatorRational Root Theorem CalculatorSigma Notation Calculator (Summation)Product Notation Calculator (Pi Notation)Pascal's Triangle GeneratorBinomial Theorem Expansion CalculatorParabola CalculatorHyperbola CalculatorConic Section IdentifierRegular Polygon CalculatorIrregular Polygon Area CalculatorFrustum CalculatorTorus Calculator3D Distance CalculatorGreat Circle Distance CalculatorCircumscribed Circle (Circumcircle) CalculatorInscribed Circle (Incircle) CalculatorAngle Bisector CalculatorTangent Line to Circle CalculatorHeron's Formula CalculatorCoordinate Geometry Distance CalculatorVolume of Revolution CalculatorSurface of Revolution CalculatorParametric Curve GrapherRiemann Sum CalculatorTrapezoidal Rule CalculatorSimpson's Rule CalculatorImproper Integral CalculatorL'Hôpital's Rule CalculatorMaclaurin Series CalculatorPower Series CalculatorSeries Convergence Test CalculatorInfinite Series Sum CalculatorAverage Rate of Change CalculatorInstantaneous Rate of Change CalculatorRelated Rates SolverOptimization Calculator (Calculus)Gradient Calculator (Multivariable)Divergence CalculatorCurl CalculatorLine Integral CalculatorSurface Integral CalculatorJacobian Matrix CalculatorNewton's Method CalculatorRREF Calculator (Row Echelon Form)Matrix Inverse CalculatorMatrix Multiplication CalculatorDot Product CalculatorCross Product CalculatorVector Magnitude CalculatorUnit Vector CalculatorAngle Between Vectors CalculatorNull Space CalculatorColumn Space CalculatorCramer's Rule CalculatorMatrix Diagonalization CalculatorQR Decomposition CalculatorCholesky Decomposition CalculatorMatrix Power CalculatorCharacteristic Polynomial CalculatorBayes' Theorem CalculatorF-Test / F-Distribution CalculatorHypergeometric Distribution CalculatorNegative Binomial Distribution CalculatorGeometric Distribution CalculatorExponential Distribution CalculatorWeibull Distribution CalculatorBeta Distribution CalculatorSpearman Rank Correlation CalculatorFisher's Exact Test CalculatorContingency Table CalculatorOdds Ratio CalculatorRelative Risk CalculatorEffect Size CalculatorPermutations with Repetition CalculatorModular Exponentiation CalculatorPrimitive Root CalculatorPerfect Number CheckerAmicable Number CheckerTwin Prime FinderMersenne Prime CheckerGoldbach Conjecture VerifierMöbius Function CalculatorEgyptian Fraction CalculatorFibonacci Number CheckerDigital Root CalculatorPartition Function CalculatorBoolean Algebra SimplifierKarnaugh Map (K-Map) SolverLogic Gate SimulatorGraph Coloring CalculatorTopological Sort CalculatorAdjacency Matrix Calculator