1952. Three Divisors
Problem Description
The problem requires determining whether a given integer n
has exactly three positive divisors. An integer m
is considered a divisor of n
if there exists another integer k
such that n = k * m
. For n
to have exactly three positive divisors, it must have 1 and itself as divisors, and exactly one other divisor in between.
Intuition
The intuition behind the solution is based on the properties of numbers with exactly three divisors. In such cases, n
would have to be a square of a prime number since the divisors of n
would then be 1, the prime number itself, and the square of the prime (which is n
). This is because prime numbers only have two divisors: 1 and themselves. When squared, they introduce exactly one new divisor, the square itself.
The solution approach starts by iterating through possible divisors starting from 1 and going up to the square root of n
. For each potential divisor i
, the code checks if i
divides n
evenly (i.e., n % i == 0
). If it does, it increments a counter. Special attention is needed when i
and n/i
are the same, which occurs if n
is a perfect square. In this special case, the counter should only be increased by 1 to avoid double-counting the divisor.
If the total count becomes 3, it means we've found exactly two divisors (other than 1 and n
itself). The loop can stop at the square root of n
because if n
has a divisor greater than its square root, then it must also have a corresponding divisor smaller than the square root (since n
can be factored into a product of two numbers, one of which must be less than or equal to the square root). Hence, any number with more than one divisor apart from 1 below its square root would have more than three positive divisors overall.
The function isThree
returns True
if the counter equals 3, indicating n
has exactly three positive divisors. Otherwise, it returns False
.
Learn more about Math patterns.
Solution Approach
The solution employs a simple but effective algorithm to determine if the given number n
has exactly three divisors. The primary data structure used is a simple integer variable cnt
that is used to keep track of the count of divisors found.
Here's the step-by-step breakdown of how the implementation works:
- Initialize a counter
cnt
to zero. This will keep track of the number of divisors ofn
. - Start iterating
i
from1
through ton
's square root, which is the maximum possible value for divisors ofn
other thann
itself. We check up ton // i
to avoid considering any factors larger than the square root ofn
, since those would indicate that 'n' has more than 3 divisors. - For each
i
, check if it's a divisor ofn
by using the modulo operation (n % i == 0
). If it is,i
is a divisor ofn
.- If
i
is equal ton // i
, incrementcnt
by 1 becausen
is a perfect square andi
is its square root. We increment by 1 to avoid overcounting the divisor. - Otherwise, increment
cnt
by 2, as bothi
andn // i
are distinct divisors ofn
.
- If
- After the loop, return whether the counter
cnt
equals 3. Ifcnt
equals 3, it means that we have found exactly one divisor ofn
other than 1 andn
itself, which signifies thatn
is a perfect square of a prime number. Thus,n
would have exactly three positive divisors.
This implementation uses constant space (for the counter) and has a time complexity of O(sqrt(n)), as it only needs to iterate through values up to the square root of n
.
The use of the square root as an upper bound for the loop is a common optimization technique in algorithms dealing with factors or divisors since the properties of divisors come in pairs; for a given divisor pair a
and b
such that a * b = n
, one of them must be less than or equal to the square root of n
, and the other must be greater than or equal to it.
No complex data structures or patterns are needed, just careful iteration and checking based on the mathematical properties of divisors.
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 illustrate the solution approach using a small example. Suppose we want to check whether the integer n = 9
has exactly three positive divisors.
-
We initialize a counter
cnt
to zero to keep track of the number of divisors ofn
. -
We start iterating
i
from1
through to the square root ofn
. In our case,n = 9
, so the square root is3
. -
We check if
i = 1
is a divisor ofn
usingn % i
. Since9 % 1 == 0
,1
is a divisor ofn
. We incrementcnt
by1
(since the counterpart of1
isn
itself, which we don't count now). -
We then check the next integer
i = 2
. Does9 % 2 == 0
? No, so2
is not a divisor ofn
, and we leavecnt
unchanged. -
Finally, we check if
i = 3
is a divisor. Since9 % 3 == 0
,3
is a divisor ofn
. However, in this case,i
is equal ton // i
(since9 // 3 == 3
), which meansn
is a perfect square and3
is its square root. Therefore, we incrementcnt
by1
again, to account separately for the divisor3
and for the number9
itself. -
At this point, we've finished iterating through all the numbers up to the square root of
n
. Our countercnt
now equals2
(as we found that both1
and3
are divisors, and we countn
itself separately). -
We check if
cnt
equals3
. As our count is2
, we can conclude thatn = 9
does indeed have exactly three positive divisors:1
,3
, and9
itself. -
Hence, the function would return
True
forn = 9
.
Through this example, we can observe the ease with which we can determine if a number has exactly three divisors by leveraging its prime factorization and the properties of perfect squares.
Solution Implementation
1class Solution:
2 def isThree(self, num: int) -> bool:
3 # Initialize a variable to count the number of divisors
4 divisor_count = 0
5
6 # Initialize a loop variable starting at 1
7 divisor = 1
8
9 # Loop through possible divisors up to the square root of num
10 while divisor <= num // divisor:
11 # If divisor evenly divides num, increment the divisor count
12 if num % divisor == 0:
13 # If the divisor squared is num, it should only be counted once
14 if divisor == num // divisor:
15 divisor_count += 1
16 else:
17 # Otherwise, there are two distinct divisors (divisor and num // divisor)
18 divisor_count += 2
19 # Move to the next possible divisor
20 divisor += 1
21
22 # Return True if the total count of divisors is exactly 3, which means
23 # 'num' is a prime number that has divisors: 1, itself, and one additional number.
24 return divisor_count == 3
25
1class Solution {
2 // Method to check if the given number has exactly three divisors
3 public boolean isThree(int number) {
4 int divisorCount = 0; // Initializing count of divisors
5
6 // Loop from 1 to the square root of the number
7 for (int i = 1; i <= number / i; ++i) {
8 // Check if 'i' is a divisor of 'number'
9 if (number % i == 0) {
10 // If 'i' is a divisor, increment divisorCount by 1 if 'i' squared is 'number'
11 // otherwise increment by 2 to count both 'i' and 'number / i' as divisors
12 divisorCount += (number / i == i) ? 1 : 2;
13 }
14 }
15
16 // The number has exactly three divisors if divisorCount is 3
17 return divisorCount == 3;
18 }
19}
20
1class Solution {
2public:
3 // Function to check if the given number has exactly three divisors
4 bool isThree(int num) {
5 int divisorsCount = 0; // Initialize a counter for the number of divisors
6
7 // Loop to count divisors. Loop runs from 1 to sqrt(num) to avoid unnecessary checks
8 for (int i = 1; i <= num / i; ++i) {
9 // Check if 'i' is a divisor of 'num'
10 if (num % i == 0) {
11 // Increase divisor count by 1 if 'i' is the square root of 'num' (i.e., a divisor that is counted only once)
12 // Otherwise, increase count by 2 for both divisors 'i' and 'num / i'
13 divisorsCount += (num / i == i) ? 1 : 2;
14 }
15 }
16 // A number has exactly three divisors if it has one pair of distinct divisors and one repeated (i.e., 1 and the number itself is a perfect square)
17 return divisorsCount == 3;
18 }
19};
20
1/**
2 * Determines if a positive integer `n` has exactly three divisors.
3 * A number has exactly three divisors if it is a square of a prime number.
4 * @param {number} n - The positive integer to check.
5 * @return {boolean} - Returns true if `n` has exactly three divisors; otherwise, false.
6 */
7function isThree(n: number): boolean {
8 let divisorCount: number = 0; // Initialize counter for the number of divisors.
9
10 // Loop through potential divisors from 1 up to the square root of `n`.
11 // If `i` is a divisor of `n`, then n/i is also a divisor.
12 // This halves the number of iterations needed as divisors come in pairs.
13 for (let i: number = 1; i <= n / i; ++i) {
14 if (n % i === 0) { // Check if `i` is a divisor of `n`.
15 // If `n / i` equals `i`, it's the square root and should only be counted once.
16 // Otherwise, increment the counter by 2 to account for both `i` and `n / i`.
17 divisorCount += (n / i === i) ? 1 : 2;
18 }
19 }
20
21 // Check if the total number of divisors is exactly three.
22 return divisorCount === 3;
23}
24
25// Example usage:
26// const result: boolean = isThree(4);
27// console.log(result); // Output would be true since 4 has exactly three divisors: 1, 2, and 4.
28
Time and Space Complexity
The given code is used to determine whether an integer n
has exactly three positive divisors. To find this out, the code iterates through potential divisors and checks how many divisors n
has.
Time Complexity
The time complexity of this code is O(sqrt(n))
. This is because the loop runs from 1 up to sqrt(n)
. The condition i <= n // i
is equivalent to i * i <= n
, ensuring that we do not check divisors greater than the square root of n
. When we find a divisor i
, we add 2 to the count (cnt
) since i
and n // i
are two distinct divisors unless i
equals n // i
(which can only happen if n
is a perfect square), in which case we add 1.
Space Complexity
The space complexity of this code is O(1)
. The algorithm uses a fixed number of integer variables that do not depend on the input size. Hence, the space requirement remains constant irrespective of the input n
.
Learn more about how to find time and space complexity quickly using problem constraints.
What's the relationship between a tree and a graph?
Recommended Readings
Math for Technical Interviews How much math do I need to know for technical interviews The short answer is about high school level math Computer science is often associated with math and some universities even place their computer science department under the math faculty However the reality is that you
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
Want a Structured Path to Master System Design Too? Don’t Miss This!