This Java program models and analyzes course prerequisites to determine...

April 3, 2025 at 09:54 PM

import java.io.*; import java.math.*; import java.security.*; import java.text.*; import java.util.*; import java.util.concurrent.*; import java.util.function.*; import java.util.regex.*; import java.util.stream.*; import static java.util.stream.Collectors.joining; import static java.util.stream.Collectors.toList; import java.lang.reflect.Array; import javax.sound.sampled.BooleanControl; import javax.swing.text.Position; class Result { public class Vertex { public int courseNum; public ArrayList<Edge> outgoing, incoming; public Vertex(int courseNum) { this.courseNum = courseNum; incoming = new ArrayList<>(); outgoing = new ArrayList<>(); } } public class Edge { public Vertex[] endpoints; public Edge(Vertex prerequisite, Vertex course) { endpoints = new Vertex[]{prerequisite, course}; } } private ArrayList<Vertex> vertices = new ArrayList<>(); private ArrayList<Edge> edges = new ArrayList<>(); public Vertex insertVertex(int courseNum) { Vertex newVertex = new Vertex(courseNum); vertices.add(newVertex); return newVertex; } public Edge insertEdge(Vertex prereq, Vertex course) { Edge newEdge = new Edge(prereq, course); prereq.outgoing.add(newEdge); course.incoming.add(newEdge); edges.add(newEdge); return newEdge; } private Vertex head; private int numCourses; public Result(int numCourses) { Vertex newVertex = new Vertex(0); this.head = newVertex; for (int i = 1; i < numCourses; i++) { insertVertex(i); } this.numCourses = numCourses; } public Vertex opposite(Vertex v, Edge e){ if(e.endpoints[0] == v) return e.endpoints[1]; else if(e.endpoints[1] == v) return e.endpoints[0]; else throw new IllegalArgumentException("v is not incident to this edge"); } /* * Complete the 'addPrereq' function below. * * The function accepts following parameters: * 1. INTEGER prereq * 2. INTEGER course */ // Add prerequisite public void addPrereq(int prereq, int course) { Vertex prereqPtr = vertices.get(prereq); Vertex coursePtr = vertices.get(course); insertEdge(prereqPtr, coursePtr); } // Complete the 'isPossible' function below. public boolean isPossible() { CycleDetectionWrapper(this.head); } public HashMap<Vertex,Edge> CycleDetectionWrapper(Vertex v){ HashMap<Vertex,Edge> record = new HashMap<>(); HashMap<Vertex,Edge> ancestors = new HashMap<>(); record.put(v,null); ancestors.put(v,null); CycleDetection(record,v,ancestors); return record; } public boolean CycleDetection(HashMap<Vertex,Edge> record, Vertex u, HashMap<Vertex,Edge> ancestors){ for (Edge e: u.outgoing){ Vertex v = opposite(u, e); if(ancestors.containsKey(v)) return true; if(record.containsKey(v)==false){ record.put(v,e); ancestors.put(v,null); if (CycleDetection(record,v,ancestors)==true) return true; ancestors.remove(v); } } return false; } } public class Solution { public static void main(String[] args) throws IOException { BufferedReader bufferedReader = new BufferedReader(new InputStreamReader(System.in)); String[] firstMultipleInput = bufferedReader.readLine().replaceAll("\\s+$", "").split(" "); int numCourses = Integer.parseInt(firstMultipleInput[0]); int numPrereqs = Integer.parseInt(firstMultipleInput[1]); Result result = new Result(numCourses); IntStream.range(0, numPrereqs).forEach(numPrereqsItr -> { try { String[] secondMultipleInput = bufferedReader.readLine().replaceAll("\\s+$", "").split(" "); int prereq = Integer.parseInt(secondMultipleInput[0]); int course = Integer.parseInt(secondMultipleInput[1]); result.addPrereq(prereq, course); } catch (IOException ex) { throw new RuntimeException(ex); } }); if (result.isPossible()) System.out.println("possible"); else System.out.println("IMPOSSIBLE"); bufferedReader.close(); } }

This Java program models and analyzes course prerequisites to determine if it is possible to complete all courses without creating a cycle, ensuring no circular dependency among courses. Below is a detailed breakdown of what the code does:


Key Features of the Code:

  1. Graph Representation:

    • The program uses a directed graph to represent the dependency between courses, where:

      • Vertices (nodes): Represent courses.
      • Edges (directed): Represent prerequisites (e.g., if course A depends on course B, there will be a directed edge from B to A).
    • It contains helper classes Vertex and Edge:

      • Vertex: Represents a single course, maintaining a list of outgoing edges (prerequisites required) and incoming edges (edges pointing to the node).
      • Edge: Represents a directed connection between two Vertex objects, indicating a prerequisite relationship.
  2. Input Structure:

    • The program reads the number of courses and the number of prerequisite relationships.
    • It then reads numPrereqs prerequisite relationships, each specifying two integers: a prerequisite course and the course dependent on it.
  3. Adding Prerequisites:

    • Using the method addPrereq(int prereq, int course):
      • Prerequisite relationships are modeled as edges in the graph between two Vertex objects.
  4. Cycle Detection:

    • The isPossible() function determines whether there is a cycle in the graph using Depth-First Search (DFS):
      • If a cycle exists, then there is a circular dependency, and completing the courses is impossible.
      • If no cycle exists, the courses can be completed.
    • This is implemented using:
      • CycleDetectionWrapper(): Initializes helper structures for tracking visited vertices and recursion stack during DFS.
      • CycleDetection(): Recursive DFS function that detects cycles by keeping track of visited vertices and their ancestors in the current recursion stack.
  5. Output:

    • If there is no cycle, the program outputs "possible", meaning all courses can be completed while respecting the prerequisites.
    • If there is a cycle, the program outputs "IMPOSSIBLE".

Step-by-Step Execution:

  1. Reading Input:

    • First, the program reads two integers: numCourses and numPrereqs.
    • Then it reads numPrereqs pairs of integers, representing the prerequisite relationships between courses.
  2. Building the Graph:

    • The Result class is initialized with the numCourses.
    • Vertices for all numCourses are created.
    • Each prerequisite relationship is added as a directed edge in the graph using addPrereq().
  3. Cycle Detection:

    • The isPossible() method is called on the graph to determine if there is a cycle using DFS:
      • If a cycle is found, it returns IMPOSSIBLE.
      • If no cycle is found, it returns possible.

Example Walkthrough:

Input:

4 3
0 1
1 2
2 3
  • 4: Number of courses.
  • 3: Number of prerequisite relationships.
  • Relationships:
    • Course 0 is a prerequisite for Course 1.
    • Course 1 is a prerequisite for Course 2.
    • Course 2 is a prerequisite for Course 3.

Execution:

  • The graph is created with 4 vertices (courses).
  • Edges for the prerequisites are added: 0 → 1, 1 → 2, 2 → 3.
  • isPossible() performs DFS to check for cycles:
    • Traverses the courses in the order of the directed edges.
    • No cycle is found.

Output:

possible

Example with a Cycle:

Input:

3 3
0 1
1 2
2 0
  • 3: Number of courses.
  • 3: Number of prerequisite relationships.
  • Relationships:
    • Course 0 → Course 1.
    • Course 1 → Course 2.
    • Course 2 → Course 0 (creates a cycle).

Execution:

  • The graph is created with 3 vertices.
  • Edges for the prerequisites are added: 0 → 1, 1 → 2, 2 → 0.
  • isPossible() performs DFS:
    • While visiting Course 2, it detects that Course 0 is already an ancestor in the recursion stack.
    • Cycle detected.

Output:

IMPOSSIBLE

Key Functions:

  1. Graph Construction:

    • insertVertex(int courseNum): Adds a course to the graph.
    • insertEdge(Vertex prereq, Vertex course): Adds a directed edge between two vertices representing a prerequisite relationship.
  2. Cycle Detection:

    • CycleDetectionWrapper(Vertex v): Prepares the data structure for tracking visited nodes and ancestors.
    • CycleDetection(HashMap<Vertex, Edge> record, Vertex u, HashMap<Vertex, Edge> ancestors): Implements recursive DFS to detect cycles in the graph.

Purpose and Use:

This code is useful for tasks such as course scheduling, task dependency checking, or other similar applications where prerequisites and dependencies need to be verified for consistency and feasibility.

Generate your own explanations
Download our vscode extension
Read other generated explanations

Built by @thebuilderjr
Sponsored by beam analytics
Read our terms and privacy policy
Forked from openai-quickstart-node