2644. Find the Maximum Divisibility Score
Problem Description
The problem provides us with two arrays: nums
(containing integers) and divisors
(containing possible divisors). We are tasked with finding the integer from divisors
which has the highest divisibility score, where the divisibility score of an element in divisors
is the count of elements in nums
that it can divide evenly (without leaving a remainder). In case more than one divisor has the same highest score, we need to return the smallest among them.
To put it simply, we want to answer the question: "Which number in divisors
divides the most numbers in nums
with no remainder?" and if there's a tie, we select the smallest number.
Intuition
This problem is suited for a brute force approach that checks each number in divisors
against every number in nums
to calculate its divisibility score.
-
We begin by setting a variable
mx
to 0, to keep track of the maximum score found so far, and another variableans
to keep the divisor with the maximum score. We initializeans
with the first element ofdivisors
since we need to return an element fromdivisors
in case all scores are zero. -
We iterate over each divisor in
divisors
. For each divisor, we count how many numbers innums
are divisible by it. This is done using a summation with a conditional check, where we use the modulo operator%
to test if the remainder is zero (meaning divisibility). -
If the current divisor's score is greater than the maximum score we've seen (
mx
), we updatemx
with this new score and also updateans
with the current divisor. -
If the current divisor's score is equal to the maximum score but less than the current
ans
, we updateans
to this divisor since it is smaller and we want the smallest divisor in case of a tie.
By the end of the iteration, ans
will hold the divisor with the highest divisibility score, and in the case of a tie, the smallest one amongst them. This algorithm guarantees that we look at each possibility, and eventually, the correct answer is identified and returned.
Solution Approach
The solution provided in the reference code implements the brute force approach described in the intuition section. Here is a detailed breakdown of the approach:
- We have a
for
loop that goes through each elementdiv
in thedivisors
array. - Inside the loop, we have a key expression
sum(x % div == 0 for x in nums)
. This expression counts the number of elements innums
that are divisible bydiv
(thex % div == 0
part checks ifx
is divisible bydiv
without a remainder).- This is a generator comprehension within the
sum
function that goes over each elementx
innums
and yields1
ifx
is divisible bydiv
, and0
otherwise. Thesum
function then adds up these 0s and 1s to get the total count.
- This is a generator comprehension within the
- The
cnt
variable is used to hold this count, which represents the divisibility score of the current divisordiv
. - We compare
cnt
againstmx
to determine if we have found a higher divisibility score:- If
cnt
is greater thanmx
, we have indeed found a new divisor with a higher score. We assigncnt
tomx
, anddiv
toans
. - If
cnt
is equal tomx
butdiv
is smaller than the currentans
, then we updateans
withdiv
. This ensures that among divisors with the same highest score, we will return the smallestdivisor
.
- If
- No additional data structures are required, making this approach efficient in terms of space complexity. The time complexity can be considered as O(n * m), where 'n' is the length of the
nums
array and 'm' is the length of thedivisors
array, since eachdivisor
is checked against allnums
.
The algorithm employs a simple comparison-based technique, and its strength lies in its straightforwardness and direct mapping to the problem statement without any need for optimization tricks or complicated data structures. This is highly suitable for scenarios where the array sizes are manageable and high efficiency is not a critical requirement.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's consider two small arrays to illustrate the solution approach:
nums = [4, 8, 12]
divisors = [2, 3, 4]
Now, we want to figure out which number in divisors
can divide the most numbers in nums
without leaving a remainder, and if there's a tie, we choose the smallest number.
-
We start with an initial maximum score
mx
set to 0 and the current answerans
set to the first element indivisors
, which is 2. -
We then iterate through each number in
divisors
to calculate its divisibility score:- When
div = 2
:4 % 2 == 0
(true, score is 1)8 % 2 == 0
(true, score is 2)12 % 2 == 0
(true, score is 3)- Total score for 2 is 3.
mx
is updated to 3,ans
is updated to 2.
- When
div = 3
:4 % 3 != 0
(false, score remains 0)8 % 3 != 0
(false, score remains 0)12 % 3 == 0
(true, score is 1)- Total score for 3 is 1, which is less than
mx
(3). We don't updatemx
orans
.
- When
div = 4
:4 % 4 == 0
(true, score is 1)8 % 4 == 0
(true, score is 2)12 % 4 == 0
(true, score is 3)- Total score for 4 is also 3, equal to
mx
. However, sinceans
is smaller (2 < 4), we do not updateans
.
- When
-
After the iteration, the highest score is 3 with
ans
being 2. Since there's a tie between 2 and 4, we take the smaller number which is 2.
Thus, the final answer is 2, because it can divide all three numbers in nums
with no remainder and is the smallest among the divisors with the highest divisibility score.
Solution Implementation
1class Solution:
2
3 def max_div_score(self, nums: List[int], divisors: List[int]) -> int:
4 # Initialize max_score with the first element in divisors and
5 # max_count with zero to keep track of the highest score and count.
6 max_score, max_count = divisors[0], 0
7
8 # Loop through each divisor in the divisors list.
9 for divisor in divisors:
10 # Count how many numbers in nums are divisible by the current divisor.
11 count_divisible = sum(num % divisor == 0 for num in nums)
12
13 # If the current count is higher than the max_count found so far,
14 # update max_count and max_score with the current count and divisor
15 if max_count < count_divisible:
16 max_count, max_score = count_divisible, divisor
17 # If the current count is equal to the max_count, but the divisor is smaller
18 # than the max_score, update the max_score to the current divisor.
19 elif max_count == count_divisible and max_score > divisor:
20 max_score = divisor
21
22 # Return the divisor that has the highest divisibility score, giving preference
23 # to the smallest divisor in case of a tie.
24 return max_score
25
1class Solution {
2 // Method to find the divisor with the highest divisibility score.
3 // Divisibility score is defined by how many numbers in nums are divisible by the divisor.
4 public int maxDivScore(int[] nums, int[] divisors) {
5 // Initialize the answer with the first divisor, assuming it has the maximum score initially.
6 int maxDivisor = divisors[0];
7 // Initialize the maximum count of divisible numbers for any divisor.
8 int maxCount = 0;
9 // Iterate through all the divisors
10 for (int divisor : divisors) {
11 // Initialize count for the current divisor.
12 int count = 0;
13 // Count how many numbers in nums are divisible by this divisor.
14 for (int num : nums) {
15 if (num % divisor == 0) {
16 count++;
17 }
18 }
19 // Update the maxDivisor and maxCount if the current divisor has a higher count.
20 if (maxCount < count) {
21 maxCount = count;
22 maxDivisor = divisor;
23 } else if (maxCount == count) {
24 // If the current divisor has the same count, choose the smallest one.
25 maxDivisor = Math.min(maxDivisor, divisor);
26 }
27 }
28 // Return the divisor with the highest divisibility score.
29 return maxDivisor;
30 }
31}
32
1#include <vector>
2#include <algorithm> // include necessary headers for std::min
3
4class Solution {
5public:
6 // Function to find the divisor that has the maximum divisibility score.
7 // The score for a divisor is defined as the number of elements in 'nums'
8 // that are divisible by this divisor.
9 int maxDivScore(vector<int>& nums, vector<int>& divisors) {
10 // Initialize the answer with the first divisor as a starting point.
11 int maxScoreDivisor = divisors[0];
12 // Initialize the maximum count of divisible numbers to zero.
13 int maxDivisibleCount = 0;
14
15 // Iterate over each divisor.
16 for (int divisor : divisors) {
17 // Count how many numbers in 'nums' are divisible by 'divisor'.
18 int divisibleCount = 0;
19 for (int num : nums) {
20 if (num % divisor == 0) {
21 ++divisibleCount;
22 }
23 }
24 // If the current count is greater than the maximum found so far, update the maximum count
25 // and change the answer to the current divisor.
26 if (maxDivisibleCount < divisibleCount) {
27 maxDivisibleCount = divisibleCount;
28 maxScoreDivisor = divisor;
29 // If the current count equals the maximum found so far, select the smaller divisor.
30 } else if (maxDivisibleCount == divisibleCount) {
31 maxScoreDivisor = std::min(maxScoreDivisor, divisor);
32 }
33 }
34
35 // Return the divisor with the maximum divisibility score.
36 // In case of a tie, the smallest such divisor is returned.
37 return maxScoreDivisor;
38 }
39};
40
1// Function that calculates the maximum division score for a given array of numbers and divisors.
2// The division score is defined by the number of times the numbers in the array can be evenly divided by the divisors.
3// The function returns the divisor that gives the highest division score. In case of a tie, it returns the smallest divisor.
4function maxDivScore(nums: number[], divisors: number[]): number {
5 let bestDivisor: number = divisors[0]; // Initialize bestDivisor as the first divisor
6 let maxDivisibleCount: number = 0; // Initialize maximum divisible count (division score) as 0
7
8 // Loop through each divisor
9 for (const divisor of divisors) {
10 // Calculate the division score for the current divisor by reducing the nums array
11 const divisibleCount = nums.reduce((count, num) => count + (num % divisor === 0 ? 1 : 0), 0);
12
13 // Update the bestDivisor and maxDivisibleCount if this divisor has a higher division score
14 if (maxDivisibleCount < divisibleCount) {
15 maxDivisibleCount = divisibleCount;
16 bestDivisor = divisor;
17 } else if (maxDivisibleCount === divisibleCount && bestDivisor > divisor) {
18 // If the division score is the same but the current divisor is smaller, update the bestDivisor
19 bestDivisor = divisor;
20 }
21 }
22
23 // Return the divisor with the highest division score (bestDivisor)
24 return bestDivisor;
25}
26
Time and Space Complexity
The given Python code defines the method maxDivScore
which finds the divisor from the list divisors
that maximizes the number of elements in nums
that can be evenly divided by it. In case of ties, the smallest such divisor is returned.
Time Complexity:
The time complexity of the method can be determined by analyzing the for loop and the sum function within it. The for loop iterates once for each element in divisors
. Inside the loop, the sum function iterates over each element in nums
:
- Let
n
be the length ofnums
. - Let
d
be the length ofdivisors
.
For each divisor, we perform n
modulus operations and n
equality checks. Therefore, for all divisors, we perform this operation d
times. The time complexity is O(n*d)
because we have two nested loops: one iterating over divisors and the other over nums.
Space Complexity:
The space complexity is determined by the extra space used by the function beyond the input lists. In this case, the only extra space used are a few variables (ans
, mx
, div
, and cnt
) that remain constant regardless of input size. Hence, the space complexity is O(1)
as there are no data structures used that scale with the size of the input.
Learn more about how to find time and space complexity quickly using problem constraints.
In a binary min heap, the minimum element can be found in:
Recommended Readings
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Runtime Overview When learning about algorithms and data structures you'll frequently encounter the term time complexity This concept is fundamental in computer science and offers insights into how long an algorithm takes to complete given a certain input size What is Time Complexity Time complexity represents the amount of time
Want a Structured Path to Master System Design Too? Don’t Miss This!