2217. Find Palindrome With Fixed Length


Problem Description

The task here is to find certain special numbers called "positive palindromes." A positive palindrome is a number that reads the same both forward and backward, and it does not have any leading zeros. Given two inputs: an array of integers named queries and a positive integer intLength, our goal is to determine the intLength-digit palindrome corresponding to each query.

For each integer in queries, we interpret it as the queries[i]-th smallest positive palindrome of length intLength. If this palindrome exists, we add it to our answer array; otherwise, we append -1 to indicate there's no such palindrome for that query.

If we think about the nature of palindromes, we can realize that for a palindrome of a given length, the first half of the number dictates the second half due to the mirror-like property of palindromes. Therefore, finding a palindrome can be done by constructing its first half and then mirroring it to create the second half.

The problem requires us to handle the fact that palindromes of even and odd lengths behave slightly differently: an odd-length palindrome will have a single digit in the middle that isn't mirrored.

Intuition

The solution utilizes the pattern that palindromes of a certain length can be constructed by taking a base number and mirroring its digits. The base number is essentially the first half of the palindrome.

  • For intLength that is odd, the middle digit is part of the base.
  • For intLength that is even, the base directly mirrors itself to form the whole palindrome.

To construct the smallest intLength-digit palindrome, we need to start with the smallest base possible that, once mirrored, forms a palindrome of that length. This smallest base number is 10^(l-1) where l is the length of the base. The base itself is half of intLength: l = (intLength + 1) // 2.

The scope of possible bases ranges from this smallest base to 10^l - 1. This is because 10^l would result in a palindrome exceeding intLength digits, violating the problem constraints.

With this understanding, the solution consists of the following steps:

  1. Calculate the length l of the base number for the palindrome. If intLength is even, l is half of intLength. If intLength is odd, l is half of intLength, rounded up.

  2. Determine the starting point (start) and the endpoint (end) for possible bases—the starting point being 10^(l-1) and the endpoint being 10^l - 1.

  3. Iterate over each query in queries:

    • Calculate a tentative palindrome base v by adding the 0-based index of the query (q - 1) to the starting point.
    • If this base is greater than the range's endpoint (end), append -1 to the answers array (ans), signifying no such palindrome exists.
    • Otherwise, create a string (s) for the first half of the palindrome (which is v), mirror it, and append it to itself. For odd intLength, ignore the last digit of the mirrored portion to prevent duplication of the middle digit.
    • Convert the resulting string back to an integer and append it to ans.
  4. Return the completed ans list, which now contains the queries[i]-th smallest palindrome or -1 for each query tested.

Learn more about Math patterns.

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

Which data structure is used to implement recursion?

Solution Approach

The solution approach leverages simple integer and string operations to generate palindromes of a specific length. Here's a more detailed breakdown of the implementation:

  1. Determine Base Length (l):

    • The first step in the algorithm involves calculating the length of the base number l, from which the entire palindrome can be constructed. This length is found by dividing intLength by 2 and rounding up if necessary. It uses the right shift operator >> 1 which is equivalent to dividing by 2.
    1l = (intLength + 1) >> 1
  2. Define Start and End Range for Bases:

    • To form palindromes of intLength, the starting point is the smallest possible positive integer of half that length, which is 10**(l - 1). The endpoint is the largest integer of that half-length, 10**l - 1. These define the range of numbers that can be the first half of a palindrome.
    1start, end = 10 ** (l - 1), 10**l - 1
  3. Iterate Over Queries and Construct Palindromes:

    • The main logic happens in a loop iterating over each query. For each query, a base value v for the palindrome is created by adding the query's 0-based index to the start of the range. Then the solution checks whether v exceeds the end, in which case it adds -1 to the answer array, indicating that no such palindrome exists within the given length constraint.
    1v = start + q - 1
    2if v > end:
    3    ans.append(-1)
  4. Constructing the Full Palindrome String:

    • When a valid base v is found, it is converted to a string s. To construct the whole palindrome, s is concatenated with its reverse (s[::-1]). For palindromes of an odd length, the middle character should not be duplicated, so the slice [intLength % 2:] trims the first character from the reversed string before concatenation if intLength is odd.
    1s += s[::-1][intLength % 2 :]
  5. Finalize and Return the Answer:

    • After constructing the full palindrome string for each query, it is converted back to an integer and appended to the answer array ans. Once all queries are processed, ans is returned as the result containing the requested palindromes or -1 when no such palindrome exists.
    1ans.append(int(s))

The algorithm effectively uses string manipulation to leverage the inherent symmetry of palindromes, constructing them in an optimal manner by only dealing with half the number and mirroring it to get the full length. This means the time complexity is primarily determined by the number of queries and the computational complexity of string manipulation, both of which are managed efficiently within the provided problem constraints.

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

Given a sorted array of integers and an integer called target, find the element that equals to the target and return its index. Select the correct code that fills the ___ in the given code snippet.

1def binary_search(arr, target):
2    left, right = 0, len(arr) - 1
3    while left ___ right:
4        mid = (left + right) // 2
5        if arr[mid] == target:
6            return mid
7        if arr[mid] < target:
8            ___ = mid + 1
9        else:
10            ___ = mid - 1
11    return -1
12
1public static int binarySearch(int[] arr, int target) {
2    int left = 0;
3    int right = arr.length - 1;
4
5    while (left ___ right) {
6        int mid = left + (right - left) / 2;
7        if (arr[mid] == target) return mid;
8        if (arr[mid] < target) {
9            ___ = mid + 1;
10        } else {
11            ___ = mid - 1;
12        }
13    }
14    return -1;
15}
16
1function binarySearch(arr, target) {
2    let left = 0;
3    let right = arr.length - 1;
4
5    while (left ___ right) {
6        let mid = left + Math.trunc((right - left) / 2);
7        if (arr[mid] == target) return mid;
8        if (arr[mid] < target) {
9            ___ = mid + 1;
10        } else {
11            ___ = mid - 1;
12        }
13    }
14    return -1;
15}
16

Example Walkthrough

Let's walk through a small example to illustrate the solution approach with queries = [1, 2, 4] and intLength = 3.

  1. Determine the Base Length (l):

    • Since intLength is 3, which is odd, we calculate l as (3 + 1) >> 1, yielding l = 2.
  2. Define Start and End Range for Bases:

    • The starting point start is 10**(2 - 1), which equals 10.
    • The endpoint end is 10**2 - 1, which equals 99.
  3. Iterate Over Queries and Construct Palindromes:

    • The algorithm will loop over the queries [1, 2, 4] to find the corresponding palindromes.
  4. Constructing Palindromes:

    • For the first query (1):

      • We calculate v as start + 1 - 1, which is 10.
      • v is within the range, so we proceed to construct the palindrome.
      • The string representation of v is '10', and because intLength is 3 (odd), we don't repeat the middle digit when reversing.
      • The palindrome becomes '101', and we append the integer 101 to our answer ans.
    • For the second query (2):

      • We calculate v as start + 2 - 1, which is 11.
      • This is also within range, so the palindrome would be '111', and we add 111 to ans.
    • For the fourth query (4):

      • We calculate v as start + 4 - 1, which is 13.
      • This base is not greater than end, so we construct the palindrome '131' and add 131 to ans.
  5. Finalize and Return the Answer:

    • Since there is no third query, we do not perform any action for it as it was not given in queries.
    • We also note that no queries in this example exceed our range, so there is no need to add -1 at any point.
    • Our final answer ans is [101, 111, 131].

The algorithm has successfully determined the queries[i]-th smallest positive palindrome of length intLength for each provided query. The palindromes are [101, 111, 131] for the 1st, 2nd, and 4th smallest palindromes of length 3, respectively.

Solution Implementation

1from typing import List
2
3class Solution:
4    def kth_palindrome(self, queries: List[int], int_length: int) -> List[int]:
5        # Calculate the number of digits in the first half of the palindrome
6        half_length = (int_length + 1) >> 1
7      
8        # Define the start and end of the range for the first half of the palindrome
9        start = 10 ** (half_length - 1)
10        end = (10 ** half_length) - 1
11      
12        # Initialize an empty list to store the answers
13        answers = []
14      
15        # Iterate over each query to find the k-th palindrome
16        for query in queries:
17            # Calculate the value in the first half by offsetting the start with the query index
18            value = start + query - 1
19          
20            # If the value exceeds the end boundary, the palindrome doesn't exist
21            if value > end:
22                answers.append(-1)
23                continue
24          
25            # Convert the first half to a string
26            half_str = str(value)
27          
28            # Construct the full palindrome by concatenating the first half and its reverse
29            # If the integer length is odd, skip the last digit of the reversed half
30            palindrome = half_str + half_str[::-1][int_length % 2:]
31          
32            # Append the palindrome to the answers list, converting it back to an integer
33            answers.append(int(palindrome))
34      
35        # Return the list of answers
36        return answers
37
1class Solution {
2
3    // Function to find kth palindromic number with specified length
4    public long[] kthPalindrome(int[] queries, int intLength) {
5        // Initialize an array for the answers with the same length as the queries array
6        long[] palindromes = new long[queries.length];
7        // Calculate the length of the first half of the palindromes
8        int halfLength = (intLength + 1) >> 1;
9        // Determine the start position of palindromes
10        long startNum = (long) Math.pow(10, halfLength - 1);
11        // Determine the end position of palindromes
12        long endNum = (long) Math.pow(10, halfLength) - 1;
13
14        // Iterate through all the queries
15        for (int i = 0; i < queries.length; ++i) {
16            // Calculate the value for current palindrome
17            long value = startNum + queries[i] - 1;
18          
19            // If the value exceeds the upper bound of halfLength palindrome, set the result as -1
20            if (value > endNum) {
21                palindromes[i] = -1;
22                continue;
23            }
24
25            // Convert the number to a string
26            String halfPalindrome = Long.toString(value);
27            // Generate the full palindrome string
28            String fullPalindrome = halfPalindrome + 
29                            new StringBuilder(halfPalindrome).reverse().substring(intLength % 2);
30
31            // Add to the results after parsing the string back to a long
32            palindromes[i] = Long.parseLong(fullPalindrome);
33        }
34        // Return the array containing all the palindrome numbers
35        return palindromes;
36    }
37}
38
1#include <vector>
2#include <cmath>
3#include <algorithm>
4#include <string>
5
6class Solution {
7public:
8    // This function finds the kth smallest palindrome of a given length.
9    std::vector<long long> kthPalindrome(std::vector<int>& queries, int intLength) {
10        // Calculate the length of half of the palindrome 
11        // because a palindrome reads the same backward as forward.
12        int halfLength = (intLength + 1) >> 1;  // equivalent to (intLength + 1) / 2 but faster
13      
14        // Starting value for half of the palindrome (e.g., 100...0 with halfLength number of digits)
15        long long start = std::pow(10, halfLength - 1);
16
17        // Ending value for half of the palindrome (e.g., 999...9 with halfLength number of digits)
18        long long end = std::pow(10, halfLength) - 1;
19      
20        // Vector to store the resulting palindromes.
21        std::vector<long long> palindromes;
22
23        // Loop through each query to find the respective palindrome.
24        for (int q : queries) {
25            // Calculate the value for this query by offsetting from the starting value.
26            long long value = start + q - 1;
27
28            // If the calculated number exceeds the largest number with halfLength digits, it is not possible
29            // to generate the palindrome, so we add -1.
30            if (value > end) {
31                palindromes.push_back(-1);
32                continue;
33            }
34
35            // Convert the number to the first half of the palindrome.
36            std::string firstHalf = std::to_string(value);
37
38            // Prepare the second half by reversing the first half.
39            std::string secondHalf = firstHalf;
40            std::reverse(secondHalf.begin(), secondHalf.end());
41
42            // If the palindrome is of odd length, we omit the last digit in the second half.
43            if (intLength % 2 == 1) {
44                secondHalf = secondHalf.substr(1);
45            }
46
47            // Combine both halves to form the full palindrome.
48            std::string fullPalindromeStr = firstHalf + secondHalf;
49
50            // Convert the string to a long long and add to the results.
51            palindromes.push_back(std::stoll(fullPalindromeStr));
52        }
53
54        // Return the vector containing all the found palindromes.
55        return palindromes;
56    }
57};
58
1function kthPalindrome(queries: number[], intLength: number): number[] {
2    // Determine if the integer's length is odd.
3    const isOdd = intLength % 2 === 1;
4
5    // Calculate the base number, which is the smallest number of the given integer length.
6    // It's used to generate palindromes by prefixing it to its reverse (or almost reverse if the length is odd).
7    const baseNumber = 10 ** (Math.floor(intLength / 2) + (isOdd ? 1 : 0) - 1);
8
9    // Calculate the maximum valid query based on the integer length, used for bounds checking.
10    const maxQueryValue = baseNumber * 9;
11
12    // Map each query to its corresponding palindrome or -1 if the query is out of bounds.
13    return queries.map(query => {
14        if (query > maxQueryValue) {
15            return -1; // Query value exceeds the upper limit of possible palindromes.
16        }
17      
18        // Calculate the palindrome's non-reversed part.
19        const nonReversedPartOfPalindrome = baseNumber + query - 1;
20      
21        // Convert the number to a string, reverse it, and slice off the first digit if the length is odd.
22        const reversedPartOfPalindrome = nonReversedPartOfPalindrome
23            .toString()
24            .split('')
25            .reverse()
26            .slice(isOdd ? 1 : 0)
27            .join('');
28      
29        // Construct the full palindrome and return it as a number.
30        const palindrome = Number(nonReversedPartOfPalindrome.toString() + reversedPartOfPalindrome);
31        return palindrome;
32    });
33}
34
Not Sure What to Study? Take the 2-min Quiz:

Which of the following is a min heap?

Time and Space Complexity

Time Complexity

The time complexity of the given code can be broken down into a couple of key operations that occur within the loop running once for each element in queries.

  1. Calculation of the half-length: This is done only once before the loop, taking a constant time, so it does not affect the total time complexity.

  2. The loop: The main loop runs once for each query in queries, hence, if there are n queries, the loop runs n times.

  3. String operations within the loop:

    • Creating the s string: This involves creating a string representation of an integer which is O(L) where L is the number of digits in the integer.
    • String slicing and concatenation: The slicing s[::-1] takes O(L) time and the concatenation s[::-1][intLength % 2 :] also takes O(L) time, as the length of the slice is proportional to L.
    • Creating the ans list append operation: Appending to the list is O(1).

Since L (length of the palindrome) is at most half of intLength and intLength itself is a constant with respect to the length of queries, the operations inside the loop that depend on intLength can be considered to occur in constant time as well. Thus, the total time complexity for the loop can be approximated as O(n) where n is the number of queries.

Space Complexity

For space complexity, we are mostly concerned with additional space that the program uses aside from the input and output.

  1. The ans list: This list increases proportionally with the number of queries n, so the space complexity contribution here is O(n).

  2. Temporary variables v and s: These are used for each query and do not depend on the number of queries. They do not increase the space complexity beyond O(n).

Therefore, the overall space complexity is O(n) where n is the number of queries.

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

Fast Track Your Learning with Our Quick Skills Quiz:

Problem: Given a list of tasks and a list of requirements, compute a sequence of tasks that can be performed, such that we complete every task once while satisfying all the requirements.

Which of the following method should we use to solve this problem?


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 👨‍🏫