848. Shifting Letters
Problem Description
The problem requires us to perform a series of shifts on a string s
composed of lowercase English letters, based on the integers contained in a parallel array shifts
. For each letter in s
, we define the operation shift()
which takes a letter to the next one in the alphabetical order, wrapping around from 'z' to 'a'. For every element shifts[i]
, representing a number x
, we apply the shift operation x
times to the first i + 1
letters of the string s
. Our goal is to apply all these shifts accordingly and return the modified string.
Intuition
The solution capitalizes on the observation that the effect of shifting letters is cumulative. That is, a shift on the first letter affects all subsequent shifts. Instead of applying each shift one by one to all applicable letters—which would be time-consuming—, we can compute the total shifts required for each letter starting from the end of the string.
Here's a step-by-step breakdown of the intuition:
-
Recognize that if we shift the first letter of the string, it affects the shift operations for all other letters in the string. For example, if the first letter should be shifted by 5, then all subsequent letters should also account for this shift.
-
Utilize the fact that shifts wrap around the alphabet, which means we can use modulus (
%
) to simplify the shifts. Since there are 26 letters in the English alphabet, any shift count will only have a unique effect within a range of 26 (e.g., shifting 27 times is the same as shifting once). -
Start from the end of the string and work backwards. By doing so, we can maintain a running total of shifts needed as we move towards the start, adding the current shift value to our total. Each letter's shift is then a simple combination of its original position and the cumulative shifts applied to it.
-
Apply the total shift value to each letter by converting the letter to its corresponding alphabet index (0 for 'a', 1 for 'b', etc.), adding the shift value, and then taking the result modulo 26 to handle wrap-around.
-
Build the resulting string by converting the shifted indices back into characters, appending the result to form the final string.
The provided solution code implements this approach efficiently, resulting in a final string that reflects all the required shifts.
Solution Approach
The solution approach for the problem uses a reverse iteration through the shifts
array, and the python ord()
and ascii_lowercase
functions for character manipulation. Here's a detailed step-by-step explanation:
-
Initialization: We start by converting the input string
s
into a list of individual characters to allow easy manipulation since strings in Python are immutable. We also define a variablet
to keep track of the cumulative shift. -
Reverse Iteration: We loop through the
shifts
array in reverse order, usingrange(n - 1, -1, -1)
. This allows us to accumulate shifts starting from the end of the string, ensuring that each letter is shifted the correct number of times as per the problem definition. -
Cumulative Shift: In each iteration, we update
t
by adding the current shift valueshifts[i]
. This effectively creates a cumulative shift countt
that is applied to every character at indexi
and to all characters before it. -
Character Shifting: For each character at index
i
, we calculate the new character after shifting:- First, by finding the current character's position in the alphabet
ord(s[i]) - ord('a')
- Then, we add the total shift value
t
to this position. - We use modulo 26
( ... ) % 26
to ensure that if the shift takes us past 'z', we wrap around back to the start of the alphabet. - We find the new character using
ascii_lowercase[j]
wherej
is the result of the modulo operation. This provides us with the appropriate shifted character.
- First, by finding the current character's position in the alphabet
-
Building the Result: We update each character in our list with its corresponding shifted character.
-
Returning the Final String: Finally, we join the list of characters into a string using
''.join(s)
and return this as the final result.
Here is the code snippet that encapsulates the solution approach:
class Solution:
def shiftingLetters(self, s: str, shifts: List[int]) -> str:
n, t = len(s), 0
s = list(s)
for i in range(n - 1, -1, -1):
t += shifts[i]
j = (ord(s[i]) - ord('a') + t) % 26
s[i] = ascii_lowercase[j]
return ''.join(s)
This code carefully combines the character shifting with cumulative totals and the alphanumeric positioning of each letter to deliver an optimal and effective solution with linear-time complexity.
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 walk through a simple example using the solution approach described.
Given:
- String
s = "abc"
- Shifts
shifts = [3, 5, 9]
The goal is to shift each letter in the string based on the corresponding value in the shifts
array, applying this value as a shift to the first i + 1
letters in the string.
Here's how we apply the solution approach:
-
Initialization: Convert string
s
into a list['a', 'b', 'c']
to allow for easy manipulation. -
Reverse Iteration: Loop through
shifts
in reverse order: indices2, 1, 0
. -
Cumulative Shift:
- For index
2
,t += shifts[2]
, sot = 9
. - For index
1
,t += shifts[1]
, sot = 9 + 5 = 14
. - For index
0
,t += shifts[0]
, sot = 14 + 3 = 17
.
- For index
-
Character Shifting:
- At index
2 (c)
: The shift is9
. New character index:(2 + 9) % 26 = 11
. The new character isascii_lowercase[11] = 'l'
. - At index
1 (b)
: The cumulative shift is14
. New character index:(1 + 14) % 26 = 15
. The new character isascii_lowercase[15] = 'p'
. - At index
0 (a)
: The cumulative shift is17
. New character index:(0 + 17) % 26 = 17
. The new character isascii_lowercase[17] = 'r'
.
- At index
-
Building the Result: Update the list with shifted characters to get
['r', 'p', 'l']
. -
Returning the Final String: Join the list to form the final string
"rpl"
.
The resulted shifted string after applying all shifts is "rpl"
.
This example demonstrates how applying the cumulative shift from the end of the string reduces the time complexity of the algorithm, as each shift value is added once to the total, and each letter is shifted individually only once.
Solution Implementation
1from string import ascii_lowercase
2
3class Solution:
4 def shiftingLetters(self, s: str, shifts: List[int]) -> str:
5 # Initialize necessary variables
6 # Get the length of the string
7 string_length = len(s)
8 # Total cumulative shifts count
9 cumulative_shift = 0
10 # Convert string to a list of characters to allow modification
11 str_list = list(s)
12
13 # Process each character from the end to the beginning
14 for i in range(string_length - 1, -1, -1):
15 # Increase cumulative shift by the current value
16 cumulative_shift += shifts[i]
17 # Calculate new character position by adding cumulative_shifts
18 # Take modulus by 26 to find the correct position after 'z'
19 new_char_index = (ord(str_list[i]) - ord('a') + cumulative_shift) % 26
20 # Update the character in the list using the new index
21 str_list[i] = ascii_lowercase[new_char_index]
22
23 # Join the list of characters into a string
24 # and return the resulting string
25 return ''.join(str_list)
26
27# The changes made include the following:
28# - Import ascii_lowercase to be used later in the code.
29# - Rename variables to be more descriptive.
30# - Add comments to explain each step of the code for clarity.
31
1class Solution {
2 // This method shifts the letters of a given string based on the values in the 'shifts' array
3 public String shiftingLetters(String s, int[] shifts) {
4 // Convert the string to a character array for in-place manipulation
5 char[] characters = s.toCharArray();
6 // Get the length of the character array
7 int length = characters.length;
8 // 'totalShifts' will accumulate the amount of shift to be applied
9 long totalShifts = 0;
10
11 // Iterate over the characters from the end to the beginning
12 for (int i = length - 1; i >= 0; --i) {
13 // Cumulative addition of shifts for the current character
14 totalShifts += shifts[i];
15 // Calculate the new position for the current character after shift
16 int newPosition = (int) ((characters[i] - 'a' + totalShifts) % 26);
17 // Update the character in the array to its new shifted character
18 characters[i] = (char) ('a' + newPosition);
19 }
20
21 // Return the new string created from the shifted character array
22 return new String(characters);
23 }
24}
25
1class Solution {
2public:
3 // Function to shift letters in the string based on the shifts vector.
4 string shiftingLetters(string s, vector<int>& shifts) {
5 long long totalShifts = 0; // Initialize total shifts to 0
6 int stringLength = s.size(); // Get the size of the string
7
8 // Loop through the string starting from the end
9 for (int i = stringLength - 1; i >= 0; --i) {
10 totalShifts += shifts[i]; // Add shifts for current position to total shifts
11 totalShifts %= 26; // Avoid overflow and keep within valid alphabet indexes
12
13 // Calculate the new offset for current letter based on the total shifts
14 int newLetterIndex = (s[i] - 'a' + totalShifts) % 26;
15 s[i] = 'a' + newLetterIndex; // Set the new letter in the string
16 }
17
18 return s; // Return the modified string after shifts
19 }
20};
21
1// Function to shift letters in a string based on the shifts array.
2function shiftingLetters(s: string, shifts: number[]): string {
3 let totalShifts: number = 0; // Initialize total shifts to 0
4 const stringLength: number = s.length; // Get the length of the string
5 let shiftedString: string[] = s.split(''); // Convert the string to an array for easy modification
6
7 // Loop through the string starting from the end
8 for (let i: number = stringLength - 1; i >= 0; --i) {
9 totalShifts += shifts[i]; // Add the shift for the current position to the total shifts
10 totalShifts %= 26; // Avoid overflow and keep within valid alphabet indexes
11
12 // Calculate the new offset for the current letter based on the total shifts
13 let newLetterIndex: number = (shiftedString[i].charCodeAt(0) - 'a'.charCodeAt(0) + totalShifts) % 26;
14 shiftedString[i] = String.fromCharCode('a'.charCodeAt(0) + newLetterIndex); // Update the letter in the array
15 }
16
17 return shiftedString.join(''); // Join the array back into a string and return it
18}
19
Time and Space Complexity
Time Complexity
The time complexity of the code is O(n)
, where n
is the length of the string s
. This is because the function contains a single loop that iterates backward through the length of the string and shifts
list only once. Inside the loop, it performs constant time operations such as addition, modulo operation, and index access, which do not depend on the size of n
.
Space Complexity
The space complexity of the code is O(n)
, mainly because the string s
is converted to a list which will contain n
characters. Temporary variables t
and j
use constant space, and the incremental updates within the loop do not increase space usage with respect to the input size. Thus, the space used is proportional to the length of the input string.
Learn more about how to find time and space complexity quickly using problem constraints.
You are given an array of intervals where intervals[i] = [start_i, end_i]
represent the start and end of the ith
interval. You need to merge all overlapping intervals and return an array of the non-overlapping intervals that cover all the intervals in the input.
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!