1471. The k Strongest Values in an Array


Problem Description

In this problem, we must find the "k" strongest values in an array of integers, arr. A number is considered stronger than another if its distance from the median of the array is greater. The distance is determined by the absolute value of the difference between a number and the median. If two numbers are equally distant from the median, the larger one is considered stronger. The median here is defined as the middle value of the sorted array — if the array has an odd number of elements, it’s the exact middle one; with an even number of elements, it is the lower of the two middle values.

In sum, our task is to:

  1. Identify the median of the array,
  2. Determine how strong each number is in relation to the median and to other numbers,
  3. Sort the numbers based on their strength, and
  4. Return the "k" strongest values.

The array does not come in any sorted order, and the 'stronger' relationship defined between any two elements is non-standard, relying on both their distance from the median of the array and their value relative to one another.

Intuition

The initial intuition for this problem might lean toward a sorting solution because we need to organize the array based on certain criteria (i.e., which integers are strongest). However, this isn't a standard sort; we first need to identify the median, which will inform our custom sort criteria.

The first step is to sort the array to get the median value. Once we have that, we can sort the array again with a custom sorting function that prioritizes strength: it will sort by the distance from the median first (the larger distance, the stronger) and, if two numbers are equidistant from the median, by the numeric values themselves (the bigger number, the stronger).

The Python code implements this with two sorts—the first regular sorting to find the median and the second utilizing a lambda function that sorts by the negative absolute difference from median (to ensure reverse order for larger strengths) and then by numeric value also in reverse order for equal strengths. The list is sliced to only the k strongest according to our logic, and that's the end result.

Learn more about Two Pointers and Sorting patterns.

Not Sure What to Study? Take the 2-min Quiz to Find Your Missing Piece:

Which of the following shows the order of node visit in a Breadth-first Search?

Solution Approach

To solve this problem effectively, the Solution class implements the getStrongest method, utilizing a two-step sorting approach:

  1. First Sort to Find Median:

    • To find the median, the array is sorted using Python's built-in sorting method. Once sorted, the median can be calculated by accessing the element at the index (len(arr) - 1) >> 1. The >> operator is a right bitwise shift by one position, equivalent to integer division by 2, thus centering us close to the middle. For an even length array, this will give us the lower of the two middle values as required.
  2. Second Sort for Finding the Strongest Elements:

    • After determining the median, we need to sort the array again based on the strength criteria using a custom sorting key. This key is a lambda function: lambda x: (-abs(x - m), -x). This function ensures that Python's sort method, which sorts in ascending order by default, will sort elements in descending order by their strength. It does this in the following way:
      • The absolute difference abs(x - m) is negated to sort in reverse (stronger numbers have a higher absolute difference, but we negate it to sort them first).
      • For elements with the same absolute difference from the median, the second part of the tuple, -x, is used to sort them in descending order (again, larger values are considered stronger).
  3. Selecting the Top k Strongest Elements:

    • The final array sorted by strength is then sliced to only return the first k elements, which represent the strongest values based on our criteria.

By using both built-in sorting and custom key functions, this approach efficiently organizes the data to retrieve the strongest values. Additionally, it demonstrates an effective use of Python's sorting capabilities to handle the custom comparison logic inherent in this problem. The final line of code return arr[:k] simply returns the top k elements from the sorted array, which are the k strongest values by the problem's definition.

The overall time complexity of this solution is dominated by the sorting operations, which is O(n log n), making this a fairly efficient solution for the given problem.

Discover Your Strengths and Weaknesses: Take Our 2-Minute Quiz to Tailor Your Study Plan:

The three-steps of Depth First Search are:

  1. Identify states;
  2. Draw the state-space tree;
  3. DFS on the state-space tree.

Example Walkthrough

Let's go through a small example to illustrate the solution approach—suppose we have an array arr = [6, 7, 11, 7, 6, 8] and we want to find the k = 3 strongest values.

  1. First Sort to Find Median:

    • Initially, we sort the array to find the median. After sorting, arr becomes [6, 6, 7, 7, 8, 11].
    • To find the median, we check the value at index (6 - 1) >> 1, which simplifies to 2. So, the median m is the value at index 2, which is 7.
  2. Second Sort for Finding the Strongest Elements:

    • Next, we're going to sort the array based on the strength criteria in relation to the median.
    • We define our lambda function for the custom sorting key: lambda x: (-abs(x - m), -x).
    • This means, for each element x, we are considering the tuple (-abs(x - 7), -x) for the sorting. Calculating these tuples, we get:
      • For 6: (-1, -6)
      • For 7: (-0, -7)
      • For 8: (-1, -8)
      • For 11: (-4, -11)
    • According to the sorting criteria, the array should be sorted in descending order of these tuples, which results in: [11, 8, 6, 6, 7, 7]. Notice that 11 comes first because it has the highest absolute difference from the median.
  3. Selecting the Top k Strongest Elements:

    • Finally, we slice the sorted array to get the first k elements. Here, k is 3, so we take the first three elements of our sorted array: [11, 8, 6].
    • Thus, the k = 3 strongest values in the array arr are [11, 8, 6].

This walkthrough demonstrates how the solution strategy breaks down the task into finding the median, sorting by a custom strength comparison, and then selecting the strongest values as required, adhering to the problem's criteria.

Solution Implementation

1class Solution:
2    def getStrongest(self, arr, k):
3        # Sort the array in non-decreasing order to find the median
4        arr.sort()
5      
6        # Find the median value, using the formula given
7        # ((len(arr) - 1) >> 1) is equivalent to (len(arr) - 1) // 2
8        # It finds the index of the median after the sort
9        median = arr[(len(arr) - 1) // 2]
10      
11        # Sort the array again using a custom key
12        # The sort is primarily based on the absolute difference from the median,
13        # secondary on the values themselves in descending order
14        arr.sort(key=lambda x: (-abs(x - median), -x))
15      
16        # Return the first k strongest elements
17        return arr[:k]
18
1class Solution {
2    public int[] getStrongest(int[] arr, int k) {
3        // Sort the array to find the median
4        Arrays.sort(arr);
5        // Calculate the median index and value using bitwise right shift for integer division by 2
6        int median = arr[(arr.length - 1) >> 1];
7      
8        // Create a list to hold the array elements for custom sorting
9        List<Integer> numsList = new ArrayList<>();
10        for (int value : arr) {
11            numsList.add(value);
12        }
13      
14        // Sort the list by the strongest criteria
15        numsList.sort((a, b) -> {
16            // Calculate the absolute difference from the median for both elements
17            int diffA = Math.abs(a - median);
18            int diffB = Math.abs(b - median);
19          
20            // If both elements have the same strength, then sort by descending natural order
21            if (diffA == diffB) {
22                return b - a;
23            } else {
24                // Otherwise, sort by the strength, which is the absolute difference from the median
25                return diffB - diffA;
26            }
27        });
28      
29        // Create an array to store the k strongest elements
30        int[] strongest = new int[k];
31        // Copy the first k strongest elements from the sorted list to the array
32        for (int i = 0; i < k; i++) {
33            strongest[i] = numsList.get(i);
34        }
35      
36        // Return the array containing the k strongest elements
37        return strongest;
38    }
39}
40
1#include <vector>    // Include header for vector
2#include <algorithm> // Include header for sort algorithm
3using namespace std;
4
5class Solution {
6public:
7    vector<int> getStrongest(vector<int>& arr, int k) {
8        // Step 1: Sort the array in nondecreasing order.
9        sort(arr.begin(), arr.end());
10      
11        // Step 2: Find the median element 'medianOfArray'.
12        // Note: The formula used is ((arr.size() - 1) / 2) which gives the median index
13        // for both even and odd length arrays since array index is 0-based.
14        int medianOfArray = arr[(arr.size() - 1) / 2];
15      
16        // Step 3: Sort the array based on the strength criteria using a custom comparator lambda.
17        // The strength of an element x is defined as the absolute difference |x - medianOfArray|.
18        // If two elements have the same strength, the larger element is considered stronger.
19        sort(arr.begin(), arr.end(), [&](int a, int b) {
20            int strengthA = abs(a - medianOfArray);
21            int strengthB = abs(b - medianOfArray);
22            // First compare the strengths. If equal, compare the actual values.
23            return strengthA == strengthB ? a > b : strengthA > strengthB;
24        });
25      
26        // Step 4: Select the first 'k' elements of the sorted array as the result.
27        // This uses a range constructor of vector that takes two iterators.
28        vector<int> strongestElements(arr.begin(), arr.begin() + k);
29      
30        // Step 5: Return the result vector containing the 'k' strongest elements.
31        return strongestElements;
32    }
33};
34
1// Import the array and utility modules for sorting and working with arrays
2import * as arrayUtils from 'array';    // Assuming 'array' is a module you've created or imported
3import * as utils from 'utility';       // Assuming 'utility' is a module you've created or imported
4
5// Define getStrongest method which finds the strongest 'k' elements in the array
6function getStrongest(arr: number[], k: number): number[] {
7    // Step 1: Sort the array in nondecreasing order.
8    arr.sort((a, b) => a - b);
9  
10    // Step 2: Find the median element 'medianOfArray'.
11    // Since array indices start at 0, ((length of array - 1) / 2) gives the median index for both even and odd length arrays.
12    const medianIndex: number = Math.floor((arr.length - 1) / 2);
13    const medianOfArray: number = arr[medianIndex];
14  
15    // Step 3: Sort the array based on the strength criteria using a custom comparator.
16    // The strength of an element 'x' is defined as the absolute difference |x - medianOfArray|.
17    // If two elements have the same strength, the larger element is considered stronger.
18    arr.sort((a, b) => {
19        const strengthA: number = Math.abs(a - medianOfArray);
20        const strengthB: number = Math.abs(b - medianOfArray);
21        // First compare the strengths. If equal, compare the actual values.
22        if (strengthA !== strengthB) {
23            return strengthB - strengthA;
24        }
25        return b - a;
26    });
27  
28    // Step 4: Select the first 'k' elements of the sorted array to be the result.
29    return arr.slice(0, k);
30}
31
32// Example usage:
33// let strongest = getStrongest([1,2,3,4,5], 2);
34// console.log(strongest);  // This will output the 2 strongest elements as per the defined criteria
35
Not Sure What to Study? Take the 2-min Quiz:

Which of the following shows the order of node visit in a Breadth-first Search?

Time and Space Complexity

The given code includes sorting an array and then sorting it again with a custom key. Here's the detailed complexity analysis:

Time Complexity

  1. The first sort function call sorts the array arr using the default sorting algorithm in Python, Timsort, which has a time complexity of O(n log n), where n is the length of the array.

  2. The calculation of the median value m involves a simple arithmetic operation, which has time complexity O(1).

  3. The second sort uses a lambda function as the key, which also sorts the array arr, but this time it's based on a comparison involving absolute value differences and then the values themselves. This sorting step also has a time complexity of O(n log n). However, the constant factors may be larger because the key function is more complex than the default comparison.

Since there are two consecutive sorting steps, but each is O(n log n), the overall time complexity of these sorting steps doesn't change and remains O(n log n).

  1. The slicing operation arr[:k] has a time complexity of O(k) since it creates a new list of k elements from the sorted arr.

Combining these steps, the overall time complexity is determined by the most expensive operation, which is sorting twice. Therefore, the total time complexity is O(n log n).

Space Complexity

  1. The sorting operation of the array, by default, is done in-place in Python, so it doesn't consume additional space proportional to the input size. However, the sorted() function, which is used internally, creates a new list, so the space complexity is O(n) to accommodate this.

  2. The space complexity for calculating the median is O(1) since it's just storing a single value.

  3. The second sorting operation does not use additional space besides what's already accounted for by the input array and the temporary space used by the sorting algorithm.

  4. The slicing operation creates a new array of size k. So the space complexity of this part is O(k).

Since the largest space used is the space for the original array and the space for the output array, the overall space complexity is O(n) when considering k to be less than or equal to n. If we consider k separate contextually as it could be, then space complexity could also be denoted as O(n + k) but typically k is considered subordinate to n if we do not have information that k is of the same order as n or larger.

Learn more about how to find time and space complexity quickly using problem constraints.

Fast Track Your Learning with Our Quick Skills Quiz:

What is the best way of checking if an element exists in an unsorted array once in terms of time complexity? Select the best that applies.


Recommended Readings


Got a question? Ask the Teaching Assistant anything you don't understand.

Still not clear? Ask in the Forum,  Discord or Submit the part you don't understand to our editors.


TA 👨‍🏫