JavaScript Program to Mirror Characters of a String
Last Updated :
09 Jul, 2024
Our task is to mirror characters from the N-th position up to the end of a given string, where 'a' will be converted into 'z', 'b' into 'y', and so on. This JavaScript problem requires mirroring the characters in a string starting from a specified position. There are various approaches available to accomplish this, such as utilizing loops and maps. In this article, we will explore various methods to find the mirror characters of a string.
Examples:
Input : N = 3
paradox
Output : paizwlc
We mirror characters from position 3 to end.
Input : N = 6
pneumonia
Output : pnefnlmrz
Method 1: Creating a String:
In this method, we maintain a string (or a character array) containing the English lowercase alphabet. Starting from the pivot point up to the length of the string, we retrieve the reversed alphabetical counterpart of a character by using its ASCII value as an index. By applying this approach, we convert the given string into the desired mirrored form.
Syntax:
let modifiedString = "";
for (let i = 0; i < startPosition; i++)
modifiedString = modifiedString + inputString[i];
for (let i = startPosition; i < inputStringLength; i++)
modifiedString = modifiedString + reverseAlphabet[inputString[i].charCodeAt() - 'a'.charCodeAt()];
Example: In the code we will implement above approach by creating a string.
JavaScript
function reverseAlphabetFromPosition(
inputString, startPosition) {
let reverseAlphabet =
"zyxwvutsrqponmlkjihgfedcba";
let inputStringLength =
inputString.length;
let newString = "";
for (let i = 0; i < startPosition; i++)
newString += inputString[i];
for (let i = startPosition; i < inputStringLength; i++)
newString += reverseAlphabet[inputString[i].
charCodeAt() - 'a'.charCodeAt()];
return newString;
}
let givenString = "geeksforgeeks";
let startingPosition = 5;
console.log(
reverseAlphabetFromPosition(
givenString, startingPosition - 1));
Time Complexity: O(n)
Space Complexity: O(n)
Method 2: Using a for loop
- Initialize an empty string to store the mirrored result.
- Iterate through the characters of the given string using a loop.
- When the loop index is equal to or greater than the starting position, replace the current character with its mirror (e.g., 'a' becomes 'z' and 'b' becomes 'y').
- Append the mirrored character to the result string.
Syntax:
for (let i = 0; i < givenString.length; i++) {
// condition
}
Example: In the code we will implement above approach by using single for loop.
JavaScript
let givenString = "geeksforgeeks";
let startingPosition = 5;
let mirroredString = '';
for (let i = 0; i < givenString.length; i++) {
if (i >= startingPosition - 1) {
mirroredString +=
String.fromCharCode(219 - givenString.charCodeAt(i));
} else {
mirroredString += givenString[i];
}
}
console.log(mirroredString);
Time Complexity: O(n)
Space Complexity: O(n)
Method 3: Using Custom Mapping
- Create a character mapping to represent the mirror transformations.
- Initialize an empty string for the mirrored result.
- Iterate through the characters of the given string.
- If the character is in the mapping, replace it with the mapped character; otherwise, keep it as is.
Syntax:
const mirrorMap = {
'a': 'z', 'b': 'y', 'c': 'x', 'd': 'w', 'e': 'v',
'f': 'u', 'g': 't', 'h': 's', 'i': 'r', 'j': 'q',
'k': 'p', 'l': 'o', 'm': 'n', 'n': 'm', 'o': 'l',
'p': 'k', 'q': 'j', 'r': 'i', 's': 'h', 't': 'g',
'u': 'f', 'v': 'e', 'w': 'd', 'x': 'c', 'y': 'b',
'z': 'a'
};
Example: In the code we will implement above approach by using map.
JavaScript
let givenString = "geeksforgeeks";
let startingPosition = 5;
const mirrorMap = {
'a': 'z', 'b': 'y', 'c': 'x', 'd': 'w', 'e': 'v',
'f': 'u', 'g': 't', 'h': 's', 'i': 'r', 'j': 'q',
'k': 'p', 'l': 'o', 'm': 'n', 'n': 'm', 'o': 'l',
'p': 'k', 'q': 'j', 'r': 'i', 's': 'h', 't': 'g',
'u': 'f', 'v': 'e', 'w': 'd', 'x': 'c', 'y': 'b',
'z': 'a'
};
let mirroredString = '';
for (let char of givenString) {
startingPosition--;
if (startingPosition > 0) {
mirroredString += char;
}
else mirroredString += mirrorMap[char] || char;
}
console.log(mirroredString);
Time Complexity: O(n)
Space Complexity: O(n)
Method 4: Using Array.reduce() Method
Using the Array.reduce() method to mirror a string involves converting the string into an array of characters, then applying reduce to accumulate the characters in reverse order, effectively reversing the string.
Example: In this example The function mirrorString uses split('') and reduce() to reverse a string by accumulating characters in reverse order.
JavaScript
function mirrorString(str) {
return str.split('').reduce((reversed, char) => char + reversed, '');
}
console.log(mirrorString("Hello, World!"));
Method 5: Using Array.map() Method
In this method, we convert the string into an array of characters using split(''). Then, we use the map() method to iterate through each character. For characters after the specified starting position, we calculate their mirrored counterparts based on their ASCII values. Finally, we join the characters back into a string.
Example:
JavaScript
function mirrorStringFromPosition(inputString, startPosition) {
const startIdx = startPosition - 1;
const mirroredString = inputString
.split('')
.map((char, index) => {
if (index >= startIdx) {
// Calculate mirrored character based on ASCII values
const mirroredCharCode = 219 - char.charCodeAt();
return String.fromCharCode(mirroredCharCode);
}
return char;
})
.join('');
return mirroredString;
}
const givenString = "geeksforgeeks";
const startingPosition = 5;
console.log(mirrorStringFromPosition(givenString, startingPosition));
Time Complexity: O(n)
Space Complexity: O(n)
Method 6: Using Alphabet Calculation
In this approach we calculates the mirrored character by subtracting the character's position in the alphabet from the position of the last letter ('z' or 'Z').
Example:
JavaScript
function mirrorCharacters(str) {
const mirror = char => {
if (char >= 'a' && char <= 'z') {
return String.fromCharCode('a'.charCodeAt(0) +
('z'.charCodeAt(0) - char.charCodeAt(0)));
}
if (char >= 'A' && char <= 'Z') {
return String.fromCharCode('A'.charCodeAt(0) +
('Z'.charCodeAt(0) - char.charCodeAt(0)));
}
return char;
};
return str.split('').map(mirror).join('');
}
const input = "geeksforgeeks";
const result = mirrorCharacters(input);
console.log(result);
Method 7: Using ASCII Value Manipulation
In this approach, we directly manipulate the ASCII values of the characters to find their mirrored counterparts. This method involves calculating the mirrored character by subtracting the character's ASCII value from the ASCII value of 'z' and adding the ASCII value of 'a'. This approach ensures constant time complexity for each character transformation.
Example: This example demonstrates the use of the ASCII value manipulation approach to mirror characters in a string from a specified position.
JavaScript
function mirrorStringFromN(inputString, N) {
let result = '';
for (let i = 0; i < inputString.length; i++) {
if (i < N) {
result += inputString[i];
} else {
let mirroredChar = String.fromCharCode('a'.charCodeAt(0) + ('z'.charCodeAt(0) - inputString[i].charCodeAt(0)));
result += mirroredChar;
}
}
return result;
}
// Test cases
console.log(mirrorStringFromN('paradox', 3)); // Output: paizwlc
console.log(mirrorStringFromN('pneumonia', 6)); // Output: pnefnlmrz
Similar Reads
Non-linear Components In electrical circuits, Non-linear Components are electronic devices that need an external power source to operate actively. Non-Linear Components are those that are changed with respect to the voltage and current. Elements that do not follow ohm's law are called Non-linear Components. Non-linear Co
11 min read
JavaScript Tutorial JavaScript is a programming language used to create dynamic content for websites. It is a lightweight, cross-platform, and single-threaded programming language. It's an interpreted language that executes code line by line, providing more flexibility.JavaScript on Client Side: On the client side, Jav
11 min read
Web Development Web development is the process of creating, building, and maintaining websites and web applications. It involves everything from web design to programming and database management. Web development is generally divided into three core areas: Frontend Development, Backend Development, and Full Stack De
5 min read
Spring Boot Tutorial Spring Boot is a Java framework that makes it easier to create and run Java applications. It simplifies the configuration and setup process, allowing developers to focus more on writing code for their applications. This Spring Boot Tutorial is a comprehensive guide that covers both basic and advance
10 min read
React Interview Questions and Answers React is an efficient, flexible, and open-source JavaScript library that allows developers to create simple, fast, and scalable web applications. Jordan Walke, a software engineer who was working for Facebook, created React. Developers with a JavaScript background can easily develop web applications
15+ min read
Class Diagram | Unified Modeling Language (UML) A UML class diagram is a visual tool that represents the structure of a system by showing its classes, attributes, methods, and the relationships between them. It helps everyone involved in a projectâlike developers and designersâunderstand how the system is organized and how its components interact
12 min read
Steady State Response In this article, we are going to discuss the steady-state response. We will see what is steady state response in Time domain analysis. We will then discuss some of the standard test signals used in finding the response of a response. We also discuss the first-order response for different signals. We
9 min read
JavaScript Interview Questions and Answers JavaScript (JS) is the most popular lightweight, scripting, and interpreted programming language. JavaScript is well-known as a scripting language for web pages, mobile apps, web servers, and many other platforms. Both front-end and back-end developers need to have a strong command of JavaScript, as
15+ min read
React Tutorial React is a JavaScript Library known for front-end development (or user interface). It is popular due to its component-based architecture, Single Page Applications (SPAs), and Virtual DOM for building web applications that are fast, efficient, and scalable.Applications are built using reusable compon
8 min read
Backpropagation in Neural Network Back Propagation is also known as "Backward Propagation of Errors" is a method used to train neural network . Its goal is to reduce the difference between the modelâs predicted output and the actual output by adjusting the weights and biases in the network.It works iteratively to adjust weights and
9 min read