joshita / dev

Published

- 1 min read

Backtracking Algorithm In Graphs Question: Reconstruct Itineary

img of Backtracking Algorithm In Graphs Question: Reconstruct Itineary

Given tickets between cities need to display valid itineary in lexical order

We have to display list like this [“JFK”,“ATL”,“JFK”,“SFO”,“ATL”,“SFO”] This is lexical output. For example, the itinerary [“JFK”, “LGA”] has a smaller lexical order than [“JFK”, “LGB”] Trick: when we use the lexical ordering in the priority queue we would be able to traverse the string in lexical order

Below hand sketch describes how backtracking works in graph TotalValue Input and output explanied for the problem

Input : [[“JFK”,“SFO”],[“JFK”,“ATL”],[“SFO”,“ATL”],[“ATL”,“JFK”],[“ATL”,“SFO”]] Output : [“JFK”,“ATL”,“JFK”,“SFO”,“ATL”,“SFO”]

   Map<String, PriorityQueue<String>> map = new HashMap<>();
        for (String[] ticket : tickets) {
            map.computeIfAbsent(ticket[0], val-> new PriorityQueue<>()).offer(ticket[1]);
        }
        
        List<String> list = new ArrayList<>();
        itineary.backtrackingReconstructItineary("JFK", map, list);

private void backtrackingReconstructItineary(String currentNode, Map<String, PriorityQueue<String>> mapWithPq, List<String> itineary) {
        PriorityQueue<String> pq = mapWithPq.get(currentNode);
        if(!pq.isEmpty()  || pq!=null) {
            backtrackingReconstructItineary(pq.poll(), mapWithPq, itineary); 
            //here when we reach last, bktr will take care of moving from last to secondlast
        }
        itineary.add(0, currentNode);
    }