Java Coding Test Course, Quick Sort

Hello! In this blog tutorial, we will learn how to implement the Quick Sort algorithm in Java. Quick Sort has an average time complexity of O(n log n) and a worst-case time complexity of O(n²), but it is known to be a very efficient sorting algorithm in many cases. By understanding this, you can improve your problem-solving skills in coding tests.

1. What is Quick Sort?

Quick Sort is a sorting algorithm that uses the ‘divide and conquer’ method. This algorithm works as follows:

  1. Select one element from the array to be sorted as the ‘pivot’.
  2. Divide the remaining elements of the array into two parts based on the pivot. The left part consists of elements smaller than the pivot, and the right part consists of elements greater than the pivot.
  3. Recursively perform Quick Sort on the left and right parts.

This process results in a final sorted array.

2. Problem Definition

Problem: Sort the given integer array using the Quick Sort algorithm.

Input

  • One-dimensional integer array arr (0 ≤ arr.length ≤ 106, -109 ≤ arr[i] ≤ 109)

Output

  • Sorted one-dimensional integer array

3. Quick Sort Algorithm Implementation

Now, let’s implement the Quick Sort algorithm in Java. Below is the Java code for Quick Sort:

import java.util.Arrays;

public class QuickSort {
    public static void quickSort(int[] arr, int low, int high) {
        if (low < high) {
            int pi = partition(arr, low, high);
            quickSort(arr, low, pi - 1);  // Sort the left part
            quickSort(arr, pi + 1, high); // Sort the right part
        }
    }

    public static int partition(int[] arr, int low, int high) {
        int pivot = arr[high]; // Select the pivot (the last element in this implementation)
        int i = (low - 1); // Index of smaller elements
        for (int j = low; j < high; j++) {
            // If the current element is less than or equal to the pivot
            if (arr[j] <= pivot) {
                i++;
                // Swap arr[i] and arr[j]
                int temp = arr[i];
                arr[i] = arr[j];
                arr[j] = temp;
            }
        }
        // Move the pivot to its correct position
        int temp = arr[i + 1];
        arr[i + 1] = arr[high];
        arr[high] = temp;

        return i + 1; // Return the index of the pivot
    }

    public static void main(String[] args) {
        int[] arr = {10, 7, 8, 9, 1, 5};
        int n = arr.length;

        System.out.println("Original array: " + Arrays.toString(arr));
        quickSort(arr, 0, n - 1);
        System.out.println("Sorted array: " + Arrays.toString(arr));
    }
}

4. Code Explanation

4.1. Main Method

The main method defines the array to be sorted and outputs both the original and sorted arrays. It calls the quickSort method to perform Quick Sort.

4.2. quickSort Method

The quickSort method sorts the array through recursive calls. low and high represent the indices of the array, and after dividing the array into two parts based on the pivot, quickSort is called again on each part.

4.3. Partition Method

The partition method is responsible for dividing the array based on the pivot. Elements smaller than the pivot are moved to the left, and elements greater than the pivot are moved to the right. Finally, the pivot is moved to its correct position to complete the sorted array.

5. Time Complexity

Quick Sort has an average time complexity of O(n log n) and a worst-case time complexity of O(n²). The worst case can occur when the pivot is chosen from an already sorted array. However, several strategies, such as choosing a random pivot or the median, can help avoid the worst case.

6. Conclusion

In this article, we learned how to implement the Quick Sort algorithm in Java. Quick Sort is a very useful sorting algorithm, and it is frequently featured in coding tests, so it is highly recommended to familiarize yourself with it. I hope studying various sorting algorithms helps improve your problem-solving skills. In the next post, we will cover other algorithms. Thank you for reading!

Java Coding Test Course, Kevin Bacon’s Six Degrees of Separation

Hello! In this post, we will explore the ‘Six Degrees of Kevin Bacon’ using Java. This law, derived from social network theory, suggests that any two people can be connected in six steps or less. We will transform this into an algorithm problem and implement it.

Problem Description

The problem we need to solve is as follows. Based on the given friendships represented as a graph, we need to find the shortest path between two specific people. By calculating the “Kevin Bacon Index” according to how connected these people are, we will discover who is connected to whom.

Problem Definition

When given a list of friendships, write an algorithm to calculate the ‘Kevin Bacon Index’ for all people and find the person with the lowest index to print.

Input Format

  • The first line contains the number of people N (1 ≤ N ≤ 1000).
  • The next line contains the number of friendships M (0 ≤ M ≤ 100,000).
  • Then, M lines follow with two numbers A, B (1 ≤ A, B ≤ N) representing friendships. This means A and B are friends.

Output Format

Calculate the Kevin Bacon Index for all people and print the number of the person with the lowest value. If two people have the same Kevin Bacon Index, print the one with the smaller number.

Problem Solving Process

To solve this problem, we will follow the steps below:

Step 1: Graph Implementation

Friendships can be represented in the form of a graph. Each person is a vertex, and the friendships between two people are represented as edges. Here, we will implement the graph using an adjacency list.


import java.util.*;

public class KevinBaconGame {
    static List> graph;
    static int[] distance;

    public static void main(String[] args) {
        // Here, we will handle input and initialize the graph.
    }
}
    

Step 2: Implementing BFS Algorithm

We will use BFS to calculate the Kevin Bacon Index. BFS is very effective in finding the shortest path. By running BFS from each person, we can calculate the shortest paths to all friends.


    static int bfs(int start) {
        Queue queue = new LinkedList<>();
        boolean[] visited = new boolean[graph.size()];
        Arrays.fill(distance, Integer.MAX_VALUE);
        
        queue.offer(start);
        visited[start] = true;
        distance[start] = 0;

        while (!queue.isEmpty()) {
            int current = queue.poll();

            for (int neighbor : graph.get(current)) {
                if (!visited[neighbor]) {
                    visited[neighbor] = true;
                    distance[neighbor] = distance[current] + 1;
                    queue.offer(neighbor);
                }
            }
        }
        
        int totalDistance = 0;
        for (int d : distance) {
            totalDistance += d;
        }
        return totalDistance;
    }
    

Step 3: Result Calculation and Output

Run BFS for all people, calculate the Kevin Bacon Index, and finally find the person with the lowest index. During this process, store and compare the person number and index.


    for (int i = 1; i <= N; i++) {
        int baconIndex = bfs(i);
        // Here, we will add logic to store the Kevin Bacon Index.
    }
    // Final result output part.
    

View Full Code


import java.util.*;

public class KevinBaconGame {
    static List> graph;
    static int[] distance;

    public static void main(String[] args) {
        Scanner scanner = new Scanner(System.in);
        int N = scanner.nextInt();
        int M = scanner.nextInt();
        
        graph = new ArrayList<>();
        distance = new int[N + 1];

        for (int i = 0; i <= N; i++) {
            graph.add(new ArrayList<>());
        }

        for (int i = 0; i < M; i++) {
            int A = scanner.nextInt();
            int B = scanner.nextInt();
            graph.get(A).add(B);
            graph.get(B).add(A);
        }

        int minBaconIndex = Integer.MAX_VALUE;
        int resultPerson = 0;

        for (int i = 1; i <= N; i++) {
            int baconIndex = bfs(i);
            if (baconIndex < minBaconIndex) {
                minBaconIndex = baconIndex;
                resultPerson = i;
            }
        }

        System.out.println(resultPerson);
    }

    static int bfs(int start) {
        Queue queue = new LinkedList<>();
        boolean[] visited = new boolean[graph.size()];
        Arrays.fill(distance, Integer.MAX_VALUE);
        
        queue.offer(start);
        visited[start] = true;
        distance[start] = 0;

        while (!queue.isEmpty()) {
            int current = queue.poll();

            for (int neighbor : graph.get(current)) {
                if (!visited[neighbor]) {
                    visited[neighbor] = true;
                    distance[neighbor] = distance[current] + 1;
                    queue.offer(neighbor);
                }
            }
        }
        
        int totalDistance = 0;
        for (int d : distance) {
            totalDistance += d;
        }
        return totalDistance;
    }
}
    

Conclusion

In this post, we implemented an algorithm to check the relationships among friends based on Kevin Bacon's Six Degrees theory and to find the closest person using the Kevin Bacon Index. We learned how to effectively calculate the shortest path using BFS and navigate through the friendship graph. To gain deeper insights into solving coding test problems using Java, I recommend attempting similar algorithmic problems multiple times.

Java Coding Test Course, Making Cocktails

The coding test is an important element to evaluate the ability to solve realistic problems. In this course, we will address an algorithm problem with the theme of ‘Making Cocktails’ and explain the necessary concepts and methodologies in detail and systematically.

Problem Description

As a bartender at a bar, you can make various cocktails using different ingredients. Each cocktail requires different ingredients. Your task is to write a program that determines whether you can make each cocktail based on the given ingredients.

Problem Definition

Given a list of available ingredients and a list of cocktails, check whether the ingredients needed to make each cocktail are included in the given list.

Input

  • List A: Available ingredients (string array)
  • List B: Cocktails you want to make (string array, each cocktail lists the required ingredients)

Output

Return an array that outputs whether each cocktail can be made as true or false.

Example

Input:
A = ["Gin", "Puff", "Lemon", "Soda"]
B = ["Gin Tonic", "Puff Drink", "Mojito"]

Output:
[true, true, false]

Problem Solving Process

To solve this problem, you can approach it in the following steps.

1. Choose Data Structure

First, it would be good to convert the list A of available ingredients into a Set structure. Set does not allow duplicates and can check the existence of elements in O(1) time complexity. This allows us to quickly check the inclusion of ingredients.

2. Check Cocktail Ingredients

When checking the ingredients needed to make each cocktail, you need to split each cocktail string by spaces to obtain the list of ingredients and determine if all ingredients in this list are included in A. This process is repeated to check all cocktails.

3. Implementation

Now let’s implement this in Java. Below is the complete code:

import java.util.HashSet;
import java.util.Set;

public class CocktailMaker {
    public static boolean[] canMakeCocktails(String[] availableIngredients, String[] cocktails) {
        // Add available ingredients to Set
        Set<String> ingredientsSet = new HashSet<>();
        for (String ingredient : availableIngredients) {
            ingredientsSet.add(ingredient);
        }

        boolean[] results = new boolean[cocktails.length];

        // Check the ingredients for each cocktail
        for (int i = 0; i < cocktails.length; i++) {
            String[] requiredIngredients = cocktails[i].split(" ");
            boolean canMake = true;

            for (String ingredient : requiredIngredients) {
                if (!ingredientsSet.contains(ingredient)) {
                    canMake = false;
                    break;
                }
            }
            results[i] = canMake;
        }

        return results;
    }

    public static void main(String[] args) {
        String[] A = {"Gin", "Puff", "Lemon", "Soda"};
        String[] B = {"Gin Tonic", "Puff Drink", "Mojito"};

        boolean[] result = canMakeCocktails(A, B);
        for (boolean res : result) {
            System.out.print(res + " ");
        }
    }
}

4. Performance Evaluation

The time complexity of this algorithm is as follows:

  • Adding ingredients to the Set: O(m) (m is the length of A)
  • Checking the ingredients for each cocktail: O(n * k) (n is the length of B, k is the average number of ingredients for each cocktail)

Therefore, the overall time complexity is O(m + n * k), which is sufficiently efficient.

Conclusion

In this way, you can write a program to determine whether cocktails can be made or not. In coding tests, it is important to thoroughly analyze problems like this and find the optimal solution. It is necessary to understand the problem well and practice implementing it step by step. Learn various approaches and optimization strategies.

Java Coding Test Course, Card Sorting

Problem Description

You are a card organization expert. Each card has a number from 1 to N written on it.
However, the cards are shuffled. Your goal is to sort the given cards in ascending order.
You can select one card at a time. The selected cards should be sorted in ascending order based on their numbers. You must sort the cards with the minimum number of comparisons.

Input

The first line contains the number of cards N (1 ≤ N ≤ 10^6).
The second line contains N integers A1, A2, …, AN (1 ≤ Ai ≤ 10^9).
This array represents the numbers on the cards.

Output

Output the numbers on each card sorted in ascending order, each on a new line.

Problem-Solving Strategy

To solve the card sorting problem, various sorting algorithms can be utilized.
In particular, it is good to implement efficient sorting algorithms such as Quick Sort or Merge Sort.
In this discussion, we will use Merge Sort to solve the problem.

Merge Sort

Merge Sort is a type of Divide and Conquer algorithm that sorts through the following steps:

  1. Split the array in half.
  2. Recursively sort each half.
  3. Merge the sorted two arrays to obtain the final sorted array.

Java Code

        
public class CardSorting {
    public static void main(String[] args) {
        int[] cards = {3, 2, 5, 4, 1}; // Example input
        mergeSort(cards, 0, cards.length - 1);
        System.out.println("Sorted cards:");
        for (int card : cards) {
            System.out.print(card + " ");
        }
    }

    public static void mergeSort(int[] array, int left, int right) {
        if (left < right) {
            int mid = (left + right) / 2;

            mergeSort(array, left, mid);
            mergeSort(array, mid + 1, right);

            merge(array, left, mid, right);
        }
    }

    public static void merge(int[] array, int left, int mid, int right) {
        int n1 = mid - left + 1;
        int n2 = right - mid;

        int[] L = new int[n1];
        int[] R = new int[n2];

        for (int i = 0; i < n1; i++) {
            L[i] = array[left + i];
        }
        for (int j = 0; j < n2; j++) {
            R[j] = array[mid + 1 + j];
        }

        int i = 0, j = 0;
        int k = left;
        while (i < n1 && j < n2) {
            if (L[i] <= R[j]) {
                array[k] = L[i];
                i++;
            } else {
                array[k] = R[j];
                j++;
            }
            k++;
        }

        while (i < n1) {
            array[k] = L[i];
            i++;
            k++;
        }

        while (j < n2) {
            array[k] = R[j];
            j++;
            k++;
        }
    }
}
        
    

Complexity Analysis

The time complexity of Merge Sort is
O(N log N). This is because merging two sorted arrays takes O(N), and continually splitting the array takes log N.
Therefore, it can efficiently sort large card datasets.

Conclusion

In this article, we explored solving the card sorting problem using Merge Sort.
The implementation of Merge Sort in Java enhances understanding of the importance of various data structures and algorithms.
Keep addressing such problems to continuously improve your Java programming skills.

Further Reading

Java Coding Test Course, Card Game

This course is for preparing for coding tests using the Java programming language. Today’s topic is ‘Card Game’. Card games are one of the very useful topics for solving algorithm problems and help students understand various data structures and algorithms.

Problem Description

The game involves finding the highest number from the opponent’s cards among the numbers written on the given deck of cards. Each player has a randomly selected card from the deck, and points are exchanged based on the numbers on those cards.

Problem

Two players, A and B, have cards. Given A’s and B’s cards, write a function to determine the win or loss of A and B according to the following rules.

  • The number of cards is N, and each A and B has the same number of cards.
  • The number on each card is an integer from 1 to 100.
  • In each round, both players lay down one card, and the player with the higher number becomes the winner of that round.
  • After all rounds are complete, the player with more victories becomes the final winner.

Input

The first line contains N (1 ≤ N ≤ 100). The second line contains the numbers of player A’s cards. The third line contains the numbers of player B’s cards.

Output

Print the number of victories for each player and who the final winner is. If the number of victories for both players is the same, print ‘Draw’.

Example Input

    5
    3 6 7 1 2
    4 5 8 1 3
    

Example Output

    A: 2, B: 3
    B
    

Solution Process

To solve this problem, the following algorithm steps are needed.

  1. Receive input.
  2. Compare the card numbers of A and B to determine the winner of each round.
  3. Count each player’s number of victories and determine the final winner.

Getting Input

You can use the Scanner class in Java to get input. First, read the value of N and store A’s and B’s cards as arrays.

    import java.util.Scanner;

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

            int N = scanner.nextInt();
            int[] A = new int[N];
            int[] B = new int[N];

            for (int i = 0; i < N; i++) {
                A[i] = scanner.nextInt();
            }

            for (int i = 0; i < N; i++) {
                B[i] = scanner.nextInt();
            }
        }
    }
    

Counting Victories

In each round, compare the cards and increase the victory count. This comparison can be implemented with simple if-else statements.

    int scoreA = 0, scoreB = 0;

    for (int i = 0; i < N; i++) {
        if (A[i] > B[i]) {
            scoreA++;
        } else if (A[i] < B[i]) {
            scoreB++;
        }
    }
    

Determining the Final Winner

After all rounds are completed, compare the victory counts and print the result.

    System.out.println("A: " + scoreA + ", B: " + scoreB);
    
    if (scoreA > scoreB) {
        System.out.println("A");
    } else if (scoreA < scoreB) {
        System.out.println("B");
    } else {
        System.out.println("Draw");
    }
    

Full Code

    import java.util.Scanner;

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

            int N = scanner.nextInt();
            int[] A = new int[N];
            int[] B = new int[N];

            for (int i = 0; i < N; i++) {
                A[i] = scanner.nextInt();
            }

            for (int i = 0; i < N; i++) {
                B[i] = scanner.nextInt();
            }

            int scoreA = 0, scoreB = 0;

            for (int i = 0; i < N; i++) {
                if (A[i] > B[i]) {
                    scoreA++;
                } else if (A[i] < B[i]) {
                    scoreB++;
                }
            }

            System.out.println("A: " + scoreA + ", B: " + scoreB);

            if (scoreA > scoreB) {
                System.out.println("A");
            } else if (scoreA < scoreB) {
                System.out.println("B");
            } else {
                System.out.println("Draw");
            }
        }
    }
    

Conclusion

In this lecture, we solved an algorithm problem based on a card game. Algorithm problems are very helpful in understanding basic data structures and algorithms. It is important to continuously practice to develop efficient problem-solving skills. I hope you prepare well for coding tests!

References

This course was written based on the following materials:

  • Java Official Documentation
  • Algorithm Problem-Solving Strategies
  • Programming Contest Past Questions