Java Coding Test Course, Finding the Largest Square

Problem Description

Given a two-dimensional array, the problem is to find the area of the largest square composed of 1s. Each element of the array can be either 0 or 1, where 1 indicates that the position is filled. For example, consider the following array:

    0  1  1  0
    1  1  1  1
    0  1  1  0
    0  1  1  1
    

In this case, the size of the largest square is 3, and the area is 9.

Input Format

The input is given as a two-dimensional array of size m x n. The value at the i-th row and j-th column in this array represents a cell in the array.

Output Format

Returns the area of the largest square as an integer.

Approach

This problem can be solved using Dynamic Programming. The basic idea of dynamic programming is to use previously computed results to efficiently calculate new results. The process is as follows:

  1. Create a new two-dimensional DP array. DP[i][j] represents the maximum side length of the square at position (i, j).
  2. Iterate through the elements of the array, and if matrix[i][j] is 1, DP[i][j] follows the formula:
  3. DP[i][j] = min(DP[i-1][j], DP[i][j-1], DP[i-1][j-1]) + 1
  4. However, when i and j are 0, DP[i][j] should be equal to the value of matrix[i][j].
  5. Keep track of the maximum side length, and use it to calculate the maximum area.

Implementation


public class LargestSquare {
    public int maximalSquare(char[][] matrix) {
        if (matrix == null || matrix.length == 0) return 0;
        
        int maxSide = 0;
        int rows = matrix.length;
        int cols = matrix[0].length;
        int[][] dp = new int[rows][cols];
        
        for (int i = 0; i < rows; i++) {
            for (int j = 0; j < cols; j++) {
                if (matrix[i][j] == '1') {
                    if (i == 0 || j == 0) {
                        dp[i][j] = 1; // First row or first column
                    } else {
                        dp[i][j] = Math.min(Math.min(dp[i-1][j], dp[i][j-1]), dp[i-1][j-1]) + 1;
                    }
                    maxSide = Math.max(maxSide, dp[i][j]);
                }
            }
        }
        
        return maxSide * maxSide;
    }
}

    

Time Complexity

The time complexity of this algorithm is O(m * n), where m is the number of rows and n is the number of columns. It is very efficient since it iterates through the array once.

Space Complexity

Since a DP array is used, the space complexity is O(m * n). However, we can optimize the space as only the results from the previous row are needed.

Optimization Method

Instead of using a DP array, we can store only the results of one row to reduce the space complexity to O(n). Here is the code with this optimization applied:


public class OptimizedLargestSquare {
    public int maximalSquare(char[][] matrix) {
        if (matrix == null || matrix.length == 0) return 0;

        int maxSide = 0;
        int rows = matrix.length;
        int cols = matrix[0].length;
        int[] dp = new int[cols + 1];
        int prev = 0;

        for (int i = 0; i < rows; i++) {
            for (int j = 1; j <= cols; j++) {
                int temp = dp[j]; // Save current DP[j] value
                if (matrix[i][j - 1] == '1') {
                    dp[j] = Math.min(Math.min(dp[j], dp[j - 1]), prev) + 1;
                    maxSide = Math.max(maxSide, dp[j]);
                } else {
                    dp[j] = 0; // Not 1
                }
                prev = temp; // Save previous DP[j] value
            }
        }

        return maxSide * maxSide;
    }
}

    

Conclusion

The problem of finding the largest square is a good illustration of the importance of dynamic programming. Through this problem, one can enhance their algorithmic problem-solving skills and practice frequently tested patterns in coding interviews.

Tip: This problem is a commonly tested topic, so it’s recommended to approach it from various angles. Start practicing step by step from the basics.

Java Coding Test Course, Finding the Fastest Bus Route

In this article, we will address the problem of “Finding the Fastest Bus Route,” which may appear in coding tests using Java. The shortest path problem using buses is an excellent example for grasping the basic concepts of greedy algorithms and graph theory. Through this, we will enhance our algorithm problem-solving skills and improve our Java coding abilities.

Problem Description

There are several bus routes between the given city A and city B, each with information about specific departure and arrival times. The bus routes have different travel times and fares, and we need to choose the fastest route among many.

Input

The input is provided in the following format:

  • The first line receives information about city A and city B.
  • The second line gives the number of bus routes N.
  • The following N lines each provide the starting city, ending city, travel time, and fare for each bus route.

Output

Print the travel time for the fastest bus. If it is not possible to reach, print “Cannot arrive.”

Example

    Input:
    A B
    3
    A B 5 3000
    A B 3 2500
    B A 2 1500

    Output:
    3
    

Problem Solving Process

1. Understanding the Problem

The first thing to do is to thoroughly understand the problem. It is important to note that there are multiple routes, and each route has different starting points, endpoints, travel times, and fares. This problem can be summarized as finding the shortest path. We need to find the shortest path from the starting city A to the destination city B.

2. Algorithm Selection

The most suitable algorithm to solve this problem is Dijkstra’s shortest path algorithm. This is an efficient algorithm that finds the shortest path between two vertices in a weighted graph where the weights represent travel times. Additionally, it can be implemented using Java.

3. Implementing Dijkstra’s Algorithm

Next is the process of implementing Dijkstra’s algorithm in Java. First, we will define the necessary classes and set up the data structures to store information about each city and route.

    import java.util.*;

    public class BusRoute {
        static class Route {
            String destination;
            int time;
            int price;

            public Route(String destination, int time, int price) {
                this.destination = destination;
                this.time = time;
                this.price = price;
            }
        }

        public static void main(String[] args) {
            Scanner sc = new Scanner(System.in);
            String start = sc.nextLine(); // Starting city
            String end = sc.nextLine();   // Destination city
            int N = sc.nextInt();         // Number of routes
            Map> graph = new HashMap<>();

            for (int i = 0; i < N; i++) {
                String from = sc.next();
                String to = sc.next();
                int time = sc.nextInt();
                int price = sc.nextInt();
                graph.computeIfAbsent(from, k -> new ArrayList<>()).add(new Route(to, time, price));
            }

            // Call Dijkstra's algorithm
            int shortestTime = dijkstra(start, end, graph);

            // Output result
            if (shortestTime == Integer.MAX_VALUE) {
                System.out.println("Cannot arrive.");
            } else {
                System.out.println(shortestTime);
            }
        }
    }
    

4. Core Logic of Dijkstra’s Algorithm

To implement Dijkstra’s algorithm, we first use a priority queue to store the shortest time information and city information. While exploring the connected cities from each current city, we update based on the array that records the current travel time. Below is the implementation of the Dijkstra function.

    public static int dijkstra(String start, String end, Map> graph) {
        PriorityQueue pq = new PriorityQueue<>(Comparator.comparingInt(r -> r.time));
        Map minTime = new HashMap<>();

        pq.add(new Route(start, 0, 0)); // Add starting city
        minTime.put(start, 0);

        while (!pq.isEmpty()) {
            Route current = pq.poll();

            // Reached the destination
            if (current.destination.equals(end)) {
                return current.time;
            }

            // Explore routes connected to the current city
            for (Route route : graph.getOrDefault(current.destination, Collections.emptyList())) {
                int newTime = current.time + route.time;

                if (newTime < minTime.getOrDefault(route.destination, Integer.MAX_VALUE)) {
                    minTime.put(route.destination, newTime);
                    pq.add(new Route(route.destination, newTime, route.price));
                }
            }
        }

        return Integer.MAX_VALUE; // Cannot arrive
    }
    

5. Code Explanation

In the code above, Dijkstra's algorithm uses a priority queue to prioritize reviewing the fastest routes. It selects the city with the lowest travel time and proceeds to travel to other cities connected to that city. If the new travel time is shorter than the recorded time, it updates the information and continues exploring ahead.

Conclusion

In this post, we examined the process of implementing Dijkstra's algorithm in Java through the problem of "Finding the Fastest Bus Route." When solving algorithm problems, it is essential to understand the essence of the problem and choose an effective algorithm. This example is very useful for preparing for coding tests and is a skill that can be applied to other similar problems.

I hope you can cultivate algorithmic thinking by breaking down complex problems into manageable steps. Next time, I will explore more diverse algorithms and problem-solving methods!

© 2023 Blog Author

Java Coding Test Course, Finding the Longest Increasing Subsequence

Hello! Today, we will discuss one of the frequently asked problems in Java coding tests, which is finding the ‘Longest Increasing Subsequence (LIS)’. This problem involves finding the length of the longest subsequence of selected elements in a given sequence that are in increasing order. It may seem like a complex algorithm problem, but it can be solved through efficient approaches that can help improve your scoring in coding tests.

Problem Description

There is a given array of integers. Write a program that returns the length of the longest increasing subsequence in this array. For example:

Input: [10, 9, 2, 5, 3, 7, 101, 18]
Output: 4
Explanation: The increasing subsequence is [2, 3, 7, 101], which has a length of 4.

Solution Method

There are several approaches to solving this problem. One of the most intuitive methods is to use Dynamic Programming. Using this method, the problem can be solved with a time complexity of O(n^2). Moreover, by further optimizing this problem, it can also be solved with a time complexity of O(n log n). In this article, we will cover both methods.

1. Method using Dynamic Programming

First, let’s look at how to solve the problem using Dynamic Programming. The process is as follows:

  1. Given an array of length n, create a DP array of size n. Each element of the DP array stores the length of the longest increasing subsequence up to that index.
  2. Set all initial values of the DP array to 1. (Each element can have at least itself as a subsequence.)
  3. Use a nested loop to check each element and update the length of the increasing subsequence by comparing it with previous elements.
  4. Finally, return the maximum value from the DP array.

Now let’s implement this in Java.

public class LongestIncreasingSubsequence {

    public static int lengthOfLIS(int[] nums) {
        if (nums == null || nums.length == 0) {
            return 0;
        }
        
        int n = nums.length;
        int[] dp = new int[n];
        
        // Initialize the length of all sequences to 1
        for (int i = 0; i < n; i++) {
            dp[i] = 1;
        }
        
        for (int i = 1; i < n; i++) {
            for (int j = 0; j < i; j++) {
                if (nums[i] > nums[j]) {
                    dp[i] = Math.max(dp[i], dp[j] + 1);
                }
            }
        }
        
        // Find the maximum value in the DP array
        int maxLength = 0;
        for (int length : dp) {
            maxLength = Math.max(maxLength, length);
        }
        
        return maxLength;
    }

    public static void main(String[] args) {
        int[] nums = {10, 9, 2, 5, 3, 7, 101, 18};
        System.out.println("Length of the longest increasing subsequence: " + lengthOfLIS(nums));
    }
}

Code Analysis

The above code proceeds as follows:

  • Returns 0 if the given array is null or has a length of 0.
  • Initializes the DP array so that all values are 1.
  • Compares each element with a nested loop to update the length of the increasing subsequence.
  • Finds and returns the length of the longest subsequence from the DP array.

2. O(n log n) Method

Next, let’s explore the O(n log n) method. This method can solve the problem more efficiently through Binary Search. The algorithm follows these steps:

  1. Create an empty list.
  2. Iterate over each element of the input array. If it is greater than the last element of the list, add it to the list.
  3. If it is less than or equal to the last element of the list, find its position in the list using binary search, then replace the element at that position.
  4. The length of the list will ultimately be the length of the longest increasing subsequence.

Now, let’s implement this in Java.

import java.util.ArrayList;
import java.util.List;

public class LongestIncreasingSubsequenceBinarySearch {

    public static int lengthOfLIS(int[] nums) {
        List lis = new ArrayList<>();
        
        for (int num : nums) {
            int index = binarySearch(lis, num);
            if (index == lis.size()) {
                lis.add(num);
            } else {
                lis.set(index, num);
            }
        }
        
        return lis.size();
    }

    private static int binarySearch(List lis, int num) {
        int left = 0, right = lis.size();

        while (left < right) {
            int mid = left + (right - left) / 2;
            if (lis.get(mid) < num) {
                left = mid + 1;
            } else {
                right = mid;
            }
        }
        
        return left;
    }

    public static void main(String[] args) {
        int[] nums = {10, 9, 2, 5, 3, 7, 101, 18};
        System.out.println("Length of the longest increasing subsequence: " + lengthOfLIS(nums));
    }
}

Code Analysis

The analysis of the code above is as follows:

  • Create an empty list to store the longest increasing subsequence.
  • Iterate through each element and use binary search to find the position for insertion.
  • If it is less than the last element of the list, replace the element at that position.
  • Return the length of the list to provide the length of the longest increasing subsequence.

Conclusion

Today, we learned two ways to solve the ‘Longest Increasing Subsequence’ problem using Java. We solved this problem using the O(n^2) approach with Dynamic Programming and the O(n log n) method using Binary Search. These two approaches can be effectively utilized in coding tests.

We hope this helps you in preparing for job interviews and coding tests. Thank you!

Java Coding Test Course, ‘Finding Good Numbers’

Problem Description

Given a number N, write a computer program that can transform N such that the sum of its digits is less than N.
Here, a number where the sum of its digits is less than N is called a “good number”.
In other words, this is an algorithm problem to find the largest number among all numbers less than N, where the sum of its digits is less than N.

Example Problem

For example, if N is 23:

  • 22 (2 + 2 = 4) → ‘good number’
  • 21 (2 + 1 = 3) → ‘good number’
  • 20 (2 + 0 = 2) → ‘good number’
  • 19 (1 + 9 = 10) → ‘good number’
  • 18 (1 + 8 = 9) → ‘good number’
  • 17 (1 + 7 = 8) → ‘good number’
  • 16 (1 + 6 = 7) → ‘good number’
  • 15 (1 + 5 = 6) → ‘good number’
  • 14 (1 + 4 = 5) → ‘good number’
  • 13 (1 + 3 = 4) → ‘good number’
  • 12 (1 + 2 = 3) → ‘good number’
  • 11 (1 + 1 = 2) → ‘good number’
  • 10 (1 + 0 = 1) → ‘good number’
  • 9 (9 = 9) → ‘good number’

The largest ‘good number’ is 22.

Approach to Solve the Problem

To solve this problem, we first calculate the sum of the digits for each number starting from N-1 going downwards.
If the sum of the digits is less than N, we return that number as the result and terminate the algorithm.

Algorithm Implementation

        
        public class GoodNumber {
            public static void main(String[] args) {
                int N = 23; // Set the value of N to test here.
                int result = findGoodNumber(N);
                System.out.println("The 'good number' is: " + result);
            }

            public static int findGoodNumber(int N) {
                for (int i = N - 1; i > 0; i--) {
                    if (digitSum(i) < N) {
                        return i; // Return the largest 'good number'
                    }
                }
                return -1; // Return -1 if not found
            }

            public static int digitSum(int num) {
                int sum = 0;
                while (num > 0) {
                    sum += num % 10; // Add each digit
                    num /= 10; // Divide by 10 to reduce the number of digits
                }
                return sum;
            }
        }
        
        

Code Explanation

In the Java code above, the main method sets the value of N, then calls the findGoodNumber method to find the ‘good number’.
The findGoodNumber method starts from N-1 and calculates the sum of the digits, returning the number if that value is less than N.

digitSum method contains the logic to calculate the sum of each digit of the given number.
This method uses a loop to separate the digits one by one and returns the summed result.

Time Complexity Analysis

The time complexity of this algorithm is O(N * D), where N is the input value and D is the number of digits in N.
It requires O(D) operations to sum the digits for each number, resulting in a worst-case time complexity of O(N * D).

Space Complexity

The space complexity is O(1). It does not use additional space, and only the input/output variables and constant space within methods are used,
thus minimizing the memory used.

Conclusion and Tips

The problem of finding a ‘good number’ can be easily solved through a simple loop and digit sum process.
However, if N is very large, performance degradation may be a concern, so algorithm optimization may be necessary.
Testing this problem with various input values and attempting to solve it with different methods or structures can be a good learning experience.

Finally, it is important to practice these types of problems thoroughly while preparing for coding tests.
Facing new problems every time and cultivating diverse thinking skills will greatly assist in job preparation.

Java Coding Test Course, K-th Shortest Path Finding

Finding the Kth shortest path is one of the commonly discussed problems in graph theory. It involves finding the Kth shortest path between two given vertices,
where understanding the characteristics of the graph and applying the appropriate algorithm is essential. This article will detail the definition of this problem,
methods to solve it, and its implementation in Java.

Problem Definition

Let’s consider the problem of finding the Kth shortest path between two vertices A and B in a given directed graph.
Here, the “shortest path” refers to the path with the minimum sum of weights among all paths. The Kth shortest path is found by first identifying the shortest path,
then the second shortest, and so on, until the Kth path is found.

Input

  • Number of vertices N (1 ≤ N ≤ 100)
  • Number of edges M (1 ≤ M ≤ 500)
  • Information about each edge (starting vertex, ending vertex, weight)
  • Starting vertex A, ending vertex B, K

Output

Output the length of the Kth shortest path from vertex A to B.
If the Kth shortest path does not exist, output -1.

Algorithm Overview

The algorithm used to solve the Kth shortest path problem can be a variation of Dijkstra’s algorithm.
The standard Dijkstra algorithm finds the shortest paths from the starting vertex to all other vertices.
To find the Kth shortest path, some modifications to this algorithm are necessary.

Approach to Solve the Problem

1. Use a Priority Queue to store the Kth shortest path for each vertex.
2. Maintain the shortest paths for each vertex in list form and explore paths using the priority queue.
3. Update the Kth shortest path while exploring the paths.

Step-by-Step Explanation

  • Initialize Priority Queue: Create a structure that can store up to K shortest paths for each vertex.
  • Perform Dijkstra’s Algorithm: Start from the starting vertex, calculate the sum of weights to adjacent vertices, and add them to the priority queue.
  • Check Kth Path: When reaching vertex B, check the length of the Kth path.

Java Code Implementation

Below is the Java code for finding the Kth shortest path:


import java.util.*;

class Edge {
    int to, weight;

    Edge(int to, int weight) {
        this.to = to;
        this.weight = weight;
    }
}

class KthShortestPath {
    static final int INF = Integer.MAX_VALUE;

    public static void main(String[] args) {
        Scanner sc = new Scanner(System.in);

        int N = sc.nextInt(); // Number of vertices
        int M = sc.nextInt(); // Number of edges
        int K = sc.nextInt(); // K

        List[] graph = new ArrayList[N + 1];
        for (int i = 1; i <= N; i++) {
            graph[i] = new ArrayList<>();
        }

        for (int i = 0; i < M; i++) {
            int u = sc.nextInt();
            int v = sc.nextInt();
            int w = sc.nextInt();
            graph[u].add(new Edge(v, w));
        }

        int start = sc.nextInt();
        int end = sc.nextInt();

        System.out.println(findKthShortestPath(graph, N, start, end, K));
    }

    static int findKthShortestPath(List[] graph, int N, int start, int end, int K) {
        PriorityQueue pq = new PriorityQueue<>(Comparator.comparingInt(a -> a[0]));
        List[] minHeap = new ArrayList[N + 1];

        for (int i = 1; i <= N; i++) {
            minHeap[i] = new ArrayList<>();
        }

        pq.add(new int[]{0, start}); // {length, vertex}
        
        while (!pq.isEmpty()) {
            int[] current = pq.poll();
            int currLength = current[0];
            int currNode = current[1];

            minHeap[currNode].add(currLength);
            if (minHeap[currNode].size() > K) {
                continue;
            }

            for (Edge edge : graph[currNode]) {
                int nextNode = edge.to;
                int nextLength = currLength + edge.weight;

                pq.add(new int[]{nextLength, nextNode});
            }
        }

        if (minHeap[end].size() < K) {
            return -1;
        }
        return minHeap[end].get(K - 1);
    }
}

Example Input and Output

Input Example


5 7 3
1 2 3
1 3 5
2 3 1
2 4 6
3 4 2
4 5 1
3 5 8
1 5

Output Example


9

Conclusion

Finding the Kth shortest path is greatly helpful in understanding graphs and solving problems by selecting the appropriate algorithm.
Learning to find the Kth shortest path by modifying Dijkstra's algorithm can be useful in various coding tests.

Through this article, you learned to understand the Kth shortest path problem and how to implement it in Java.
Keep solving various algorithm problems to improve your skills!