2778. Sum of Squares of Special Elements
Problem Description
You are given an integer array nums that uses 1-based indexing (the first element is at index 1, not 0). The array has length n.
An element nums[i] is considered special if its index i divides the length n evenly. In other words, nums[i] is special when n % i == 0.
Your task is to find all the special elements in the array, square each of them, and return the sum of these squared values.
Example walkthrough:
- If nums = [1, 2, 3, 4]andn = 4
- Index 1: 4 % 1 == 0✓ (1 divides 4), sonums[1] = 1is special
- Index 2: 4 % 2 == 0✓ (2 divides 4), sonums[2] = 2is special
- Index 3: 4 % 3 != 0✗ (3 doesn't divide 4), sonums[3] = 3is not special
- Index 4: 4 % 4 == 0✓ (4 divides 4), sonums[4] = 4is special
- The special elements are 1, 2, and 4
- Return 1² + 2² + 4² = 1 + 4 + 16 = 21
The solution iterates through the array with 1-based indexing using enumerate(nums, 1), checks if each index divides n, and if so, includes the square of that element in the sum.
Intuition
The key insight is recognizing that we need to identify which positions in the array are divisors of the array's length. Since we're looking for indices i where n % i == 0, we're essentially finding all divisors of n that are also valid array indices (between 1 and n).
Think about it this way: if the array has length 6, the divisors of 6 are 1, 2, 3, and 6. These are exactly the positions we need to check. The elements at these positions are our "special" elements.
Once we identify these special positions, the problem becomes straightforward:
- Check each index to see if it divides n
- If it does, take the element at that position and square it
- Add all these squared values together
The elegance of the solution comes from using Python's enumerate(nums, 1) which gives us 1-based indexing directly, avoiding any off-by-one errors. We can then use a generator expression to combine all three steps into a single line: check divisibility (n % i == 0), square the element (x * x), and sum everything up (sum(...)).
This approach is optimal because we only need one pass through the array, checking each position once, giving us O(n) time complexity with O(1) extra space.
Solution Approach
The implementation uses a single-pass iteration with a generator expression to efficiently compute the sum of squares of special elements.
Step-by-step walkthrough:
- 
Get the array length: Store n = len(nums)to avoid repeated length calculations.
- 
Iterate with 1-based indexing: Use enumerate(nums, 1)which returns pairs of(index, value)where:- irepresents the 1-based index (starting from 1)
- xrepresents the element value at that position
 
- 
Check divisibility condition: For each position, evaluate n % i == 0to determine if the current index divides the array length evenly.
- 
Square and sum: When the condition is met, include x * xin the sum. The generator expressionx * x for i, x in enumerate(nums, 1) if n % i == 0produces the squares of all special elements.
- 
Return the result: The sum()function aggregates all squared values into the final answer.
Example execution with nums = [1, 2, 3, 4]:
- n = 4
- Iteration 1: i=1, x=1→4 % 1 == 0is True → include1 * 1 = 1
- Iteration 2: i=2, x=2→4 % 2 == 0is True → include2 * 2 = 4
- Iteration 3: i=3, x=3→4 % 3 == 1is False → skip
- Iteration 4: i=4, x=4→4 % 4 == 0is True → include4 * 4 = 16
- Final sum: 1 + 4 + 16 = 21
The solution leverages Python's generator expression for memory efficiency, as it computes values on-the-fly without creating intermediate lists.
Ready to land your dream job?
Unlock your dream job with a 5-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's walk through a concrete example with nums = [5, 1, 2, 7, 3, 9] where n = 6.
Step 1: Identify the array length
- n = len(nums) = 6
Step 2: Check each position to find special elements
We iterate through the array with 1-based indexing and check if each index divides 6:
- 
Position 1: nums[1] = 5- Check: 6 % 1 = 0✓ (1 divides 6)
- This is special! Include 5²in our sum
 
- Check: 
- 
Position 2: nums[2] = 1- Check: 6 % 2 = 0✓ (2 divides 6)
- This is special! Include 1²in our sum
 
- Check: 
- 
Position 3: nums[3] = 2- Check: 6 % 3 = 0✓ (3 divides 6)
- This is special! Include 2²in our sum
 
- Check: 
- 
Position 4: nums[4] = 7- Check: 6 % 4 = 2✗ (4 doesn't divide 6 evenly)
- Not special, skip this element
 
- Check: 
- 
Position 5: nums[5] = 3- Check: 6 % 5 = 1✗ (5 doesn't divide 6 evenly)
- Not special, skip this element
 
- Check: 
- 
Position 6: nums[6] = 9- Check: 6 % 6 = 0✓ (6 divides 6)
- This is special! Include 9²in our sum
 
- Check: 
Step 3: Calculate the sum of squares
- Special elements found: 5, 1, 2, and 9
- Sum of squares: 5² + 1² + 2² + 9² = 25 + 1 + 4 + 81 = 111
Implementation in code:
def sumOfSquares(nums):
    n = len(nums)
    return sum(x * x for i, x in enumerate(nums, 1) if n % i == 0)
The solution efficiently combines iteration, filtering, and calculation in a single pass through the array.
Solution Implementation
1class Solution:
2    def sumOfSquares(self, nums: List[int]) -> int:
3        """
4        Calculate the sum of squares of elements at positions that are divisors of the array length.
5      
6        Args:
7            nums: List of integers
8          
9        Returns:
10            Sum of squares of elements at special indices
11        """
12        # Get the total length of the input array
13        n = len(nums)
14      
15        # Iterate through the array with 1-based indexing
16        # Sum the squares of elements where the index divides the array length evenly
17        result = sum(
18            num * num  # Square the current element
19            for index, num in enumerate(nums, 1)  # Start enumeration from 1 (1-based indexing)
20            if n % index == 0  # Check if current index is a divisor of array length
21        )
22      
23        return result
241class Solution {
2    public int sumOfSquares(int[] nums) {
3        // Get the length of the input array
4        int arrayLength = nums.length;
5      
6        // Initialize the sum accumulator
7        int sumOfSquares = 0;
8      
9        // Iterate through positions 1 to n (inclusive)
10        for (int position = 1; position <= arrayLength; ++position) {
11            // Check if current position is a divisor of array length
12            if (arrayLength % position == 0) {
13                // If yes, add the square of the element at (position-1) index
14                // Note: position is 1-indexed, array is 0-indexed
15                int currentElement = nums[position - 1];
16                sumOfSquares += currentElement * currentElement;
17            }
18        }
19      
20        // Return the total sum of squares of elements at divisor positions
21        return sumOfSquares;
22    }
23}
241class Solution {
2public:
3    int sumOfSquares(vector<int>& nums) {
4        // Get the size of the input array
5        int n = nums.size();
6      
7        // Initialize the result variable to store sum of squares
8        int result = 0;
9      
10        // Iterate through all possible divisors of n (1-indexed)
11        for (int i = 1; i <= n; ++i) {
12            // Check if i is a divisor of n
13            if (n % i == 0) {
14                // If i divides n, add the square of the element at position (i-1)
15                // Note: i is 1-indexed, but array is 0-indexed, hence nums[i-1]
16                result += nums[i - 1] * nums[i - 1];
17            }
18        }
19      
20        // Return the sum of squares of elements at divisor positions
21        return result;
22    }
23};
241/**
2 * Calculates the sum of squares of elements at special positions.
3 * A position i is special if (i + 1) is a divisor of the array length n.
4 * 
5 * @param nums - The input array of numbers
6 * @returns The sum of squares of elements at special positions
7 */
8function sumOfSquares(nums: number[]): number {
9    // Get the length of the input array
10    const arrayLength: number = nums.length;
11  
12    // Initialize the sum accumulator
13    let sumOfSquaresResult: number = 0;
14  
15    // Iterate through each element in the array
16    for (let index: number = 0; index < arrayLength; index++) {
17        // Check if current position (index + 1) is a divisor of array length
18        // Note: We use (index + 1) because positions are 1-indexed in this problem
19        if (arrayLength % (index + 1) === 0) {
20            // If it's a special position, add the square of the element to the sum
21            sumOfSquaresResult += nums[index] * nums[index];
22        }
23    }
24  
25    // Return the final sum of squares
26    return sumOfSquaresResult;
27}
28Time and Space Complexity
Time Complexity: O(n)
The algorithm iterates through the list once using enumerate(nums, 1), which takes O(n) time. For each element, it performs:
- An index check n % i == 0which isO(1)
- A squaring operation x * xwhich isO(1)
- Adding to the sum which is O(1)
Since we perform constant-time operations for each of the n elements, the overall time complexity is O(n).
Space Complexity: O(1)
The algorithm uses a generator expression sum(x * x for i, x in enumerate(nums, 1) if n % i == 0) which evaluates lazily and doesn't create an intermediate list. It only maintains:
- The variable nto store the length
- The running sum accumulator inside the sum()function
- The iterator variables iandx
All of these use constant extra space regardless of input size, resulting in O(1) space complexity.
Learn more about how to find time and space complexity quickly.
Common Pitfalls
1. Confusing 0-based vs 1-based indexing
A frequent mistake is forgetting that the problem uses 1-based indexing and accidentally implementing the solution with standard 0-based indexing.
Incorrect approach:
# Wrong: Uses 0-based indexing
result = sum(num * num for i, num in enumerate(nums) if n % i == 0)
This will cause a ZeroDivisionError when i = 0 and miss the correct indices.
Correct approach:
# Correct: Uses 1-based indexing
result = sum(num * num for i, num in enumerate(nums, 1) if n % i == 0)
2. Using index instead of value for squaring
Another common error is squaring the index i instead of the element value num.
Incorrect approach:
# Wrong: Squares the index instead of the value
result = sum(i * i for i, num in enumerate(nums, 1) if n % i == 0)
Correct approach:
# Correct: Squares the element value
result = sum(num * num for i, num in enumerate(nums, 1) if n % i == 0)
3. Off-by-one errors with manual indexing
When using range-based iteration, developers might create off-by-one errors.
Incorrect approach:
# Wrong: Misses the last element
result = 0
for i in range(1, len(nums)):  # Should be range(1, len(nums) + 1)
    if n % i == 0:
        result += nums[i-1] ** 2
Correct approach:
# Correct: Includes all elements
result = 0
for i in range(1, len(nums) + 1):
    if n % i == 0:
        result += nums[i-1] ** 2
4. Inefficient repeated length calculations
While not incorrect, repeatedly calling len(nums) in loops reduces performance.
Inefficient approach:
result = sum(num * num for i, num in enumerate(nums, 1) if len(nums) % i == 0)
Efficient approach:
n = len(nums)
result = sum(num * num for i, num in enumerate(nums, 1) if n % i == 0)
Which of the following array represent a max heap?
Recommended Readings
Coding Interview 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
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 assets algo monster recursion jpg You first call Ben and ask
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!