Anagram and Palindrome Problems Explained — Java DSA Guide for Beginners
- The frequency array trick (26 slots, letter - 'a' indexing) solves anagram detection in O(n) time and O(1) space — memorise this pattern cold.
- The two-pointer technique for palindrome checking is O(n) time O(1) space — left pointer starts at 0, right at length-1, they march inward until they meet or a mismatch is found.
- Always run BOTH the odd-centre (i, i) and even-centre (i, i+1) expansions in the expand-from-centre palindrome approach — missing the even case is the #1 silent bug.
- Anagram: same characters, different order. Detect with frequency array (int[26]) in O(n) time, O(1) space.
- Palindrome: reads same forwards and backwards. Check with two pointers in O(n) time, O(1) space.
- Group anagrams: sort each word's characters as HashMap key. O(n * k log k).
- Longest palindromic substring: expand around center. O(n^2) time, O(1) space.
- Spell checkers use anagram detection to suggest corrections.
- DNA sequence analysis uses palindrome logic to find restriction sites.
- Skipping normalize (lowercase + strip spaces) before checking. 'Racecar' returns false without normalization.
Anagram check fails on mixed-case input like 'Astronomer' and 'Moon starer'.
Print the index: System.out.println('A' - 'a') — should be -32, which is invalidAdd trace: System.out.println("char=" + ch + " index=" + (ch - 'a'))Palindrome check fails on 'A man a plan a canal Panama'.
Print cleaned string: System.out.println(input.replaceAll('[^a-z0-9]', ''))Verify the cleaned string is 'amanaplanacanalpanama'Longest palindromic substring returns wrong result on even-length palindromes.
Test with 'abba' — expected 'bb', if you get 'a' the even expansion is missingAdd trace: System.out.println("odd=" + oddLen + " even=" + evenLen)Anagram check returns true for different-length strings.
Test with 'abc' and 'abcd' — should return falseVerify: if (s1.length() != s2.length()) return false is the first lineProduction Incident
Production Debug GuideSymptom-first investigation path for string comparison bugs.
s1.length() != s2.length()) return false. Without it, the frequency array can balance out on different-length strings.Anagram and palindrome problems are the two most common string manipulation patterns in technical interviews and production systems. Anagram detection powers spell checkers, plagiarism detectors, and autocomplete suggestions. Palindrome checking underpins DNA restriction site analysis, content moderation, and cybersecurity pattern matching.
The naive approach to anagram detection compares every permutation — factorial time complexity. The efficient approach uses a frequency array: O(n) time, O(1) space for fixed alphabets. Similarly, palindrome checking with two pointers is O(n) time, O(1) space, compared to O(n) space for the reverse-and-compare approach.
The common misconception is that these are 'word game' problems with no real-world relevance. In production, anagram detection identifies reordered log entries as duplicates, palindrome logic finds symmetric patterns in genomic data, and both patterns combine in search engines for fuzzy matching. Understanding the frequency array trick (letter - 'a' indexing) and the expand-around-center technique is what separates candidates who solve problems from those who understand them.
Worked Example — Grouping Anagrams and Detecting Palindromes
Group anagrams from ['eat','tea','tan','ate','nat','bat']: 1. For each word, sort its characters as a key: 'eat'→'aet', 'tea'→'aet', 'tan'→'ant', 'ate'→'aet', 'nat'→'ant', 'bat'→'abt'. 2. Group by key: {'aet':['eat','tea','ate'], 'ant':['tan','nat'], 'abt':['bat']}. 3. Return list of groups.
Check if 'A man a plan a canal Panama' is a palindrome: 1. Strip non-alphanumeric, lowercase: 'amanaplanacanalpanama'. 2. Two pointers: left=0 ('a'), right=19 ('a'). Match. 3. left=1 ('m'), right=18 ('m'). Match. ... Continue until left >= right. Result: palindrome.
Longest palindromic substring in 'babad' using expand-around-center: 1. Center at index 1 ('a'): expand → 'bab' (length 3). 2. Center at index 2 ('b'): expand → 'aba' (length 3). 3. Result: 'bab' or 'aba', both length 3.
package io.thecodeforge.algo; import java.util.*; public class StringWorkedExamples { /** * Groups words by anagram families using sorted-character keys. */ public static List<List<String>> groupAnagrams(String[] words) { Map<String, List<String>> groups = new HashMap<>(); for (String word : words) { char[] chars = word.toLowerCase().toCharArray(); Arrays.sort(chars); String key = new String(chars); groups.computeIfAbsent(key, k -> new ArrayList<>()).add(word); } return new ArrayList<>(groups.values()); } /** * Checks if a string is a palindrome public static boolean isPalindrome(String s) {\ (alphanumeric only, case-insensitive). */n String cleaned = s.toLowerCase().replaceAll("[^a-z0-9]", ""); int left = 0, right = cleaned.length() - 1; while (left < right) { if (cleaned.charAt(left) != cleaned.charAt(right)) return false; left++; right--; } return true; } public static void main(String[] args) { String[] words = {"eat", "tea", "tan", "ate", "nat", "bat"}; System.out.println("Groups: " + groupAnagrams(words)); System.out.println("Palindrome: " + isPalindrome("A man a plan a canal Panama")); } }
Palindrome: true
- Frequency comparison: count characters, compare counts. Anagram detection, group anagrams.
- Positional comparison: compare characters at mirrored positions. Palindrome check, longest palindrome.
- Group anagrams: frequency comparison + HashMap grouping by canonical key.
- Longest palindrome: positional comparison + expand around every possible center.
- Most interview problems combine both building blocks.
Anagram and Palindrome Algorithms — Plain English
ANAGRAM — same characters, different arrangement: Algorithm: 1. If len(s) != len(t): return False. 2. Build frequency count for each string (or use Counter). 3. Return counts_equal. O(n) time, O(1) space for fixed alphabet.
PALINDROME — reads same forward and backward: Algorithm: 1. left=0, right=len(s)-1. 2. While left < right: a. If s[left] != s[right]: return False. b. left++, right--. 3. Return True. O(n) time, O(1) space.
Worked example — is 'racecar' a palindrome? left=0(r),right=6(r): match. left=1(a),right=5(a): match. left=2(c),right=4(c): match. left=3(e)>=right=3. Stop. True.
Worked example — are 'listen' and 'silent' anagrams? Count 'listen' = {l:1,i:1,s:1,t:1,e:1,n:1}. Count 'silent' = same. Equal. True.
package io.thecodeforge.algo; public class AnagramPalindromePlain { /** Anagram check: O(n) time, O(1) space. */ public static boolean areAnagrams(String s1, String s2) { if (s1.length() != s2.length()) return false; int[] freq = new int[26]; for (int i = 0; i < s1.length(); i++) { freq[Character.toLowerCase(s1.charAt(i)) - 'a']++; freq[Character.toLowerCase(s2.charAt(i)) - 'a']--; } for (int count : freq) { if (count != 0) return false; } return true; } /** Palindrome check: O(n) time, O(1) space. */ public static boolean isPalindrome(String s) { String cleaned = s.toLowerCase().replaceAll("[^a-z0-9]", ""); int left = 0, right = cleaned.length() - 1; while (left < right) { if (cleaned.charAt(left) != cleaned.charAt(right)) return false; left++; right--; } return true; } public static void main(String[] args) { System.out.println(areAnagrams("listen", "silent")); // true System.out.println(isPalindrome("racecar")); // true } }
true
- toLowerCase() before frequency array indexing. Uppercase produces negative indices.
- replaceAll('[^a-z0-9]', '') before palindrome check. Spaces and punctuation cause false negatives.
- Length check before anagram frequency comparison. Different lengths cannot be anagrams.
- Test with: 'Astronomer' and 'Moon starer' (mixed case + spaces). Must return true.
- Test with: 'A man a plan a canal Panama' (spaces + punctuation). Must return true.
What Is an Anagram — And How Do You Detect One in Code?
Two strings are anagrams if they contain exactly the same characters in exactly the same frequencies — just arranged differently. 'Astronomer' and 'Moon starer' are anagrams (ignoring spaces). 'Cat' and 'Car' are NOT — because 't' and 'r' are different characters.
The core insight is this: if you count how many times each letter appears in both strings, an anagram will produce identical frequency counts. That's your algorithm.
The simplest way to implement this in Java is with a frequency array of size 26 — one slot for each letter of the alphabet. You increment the count for each character in the first string, then decrement for each character in the second string. If every slot ends up at zero, they're anagrams. This runs in O(n) time and O(1) space — because the array is always size 26, no matter how long the strings are.
Why not just sort both strings and compare? You can — and it works — but sorting costs O(n log n). The frequency array approach is strictly faster. For small strings it barely matters, but in a system processing millions of queries per second, that difference is huge. Good engineers think about this from the start.
package io.thecodeforge.algo; public class AnagramChecker { /** * Checks if two strings are anagrams of each other. * Ignores case, ignores spaces — just like real word puzzles. * * Time Complexity: O(n) — we scan each string once * Space Complexity: O(1) — fixed-size array of 26, regardless of input size */ public static boolean areAnagrams(String firstWord, String secondWord) { // Step 1: Normalise both strings — lowercase, no spaces String cleanFirst = firstWord.toLowerCase().replaceAll("\\s", ""); String cleanSecond = secondWord.toLowerCase().replaceAll("\\s", ""); // Step 2: Quick sanity check — if lengths differ after cleaning, // they can't possibly be anagrams if (cleanFirst.length() != cleanSecond.length()) { return false; } // Step 3: Create a frequency array — 26 slots, one per letter a-z int[] letterFrequency = new int[26]; // Step 4: Walk through the first word, incrementing the count for (char letter : cleanFirst.toCharArray()) { letterFrequency[letter - 'a']++; } // Step 5: Walk through the second word, DECREMENTING the count for (char letter : cleanSecond.toCharArray()) { letterFrequency[letter - 'a']--; } // Step 6: If every slot is exactly zero, the frequencies matched perfectly for (int frequency : letterFrequency) { if (frequency != 0) { return false; } } return true; } public static void main(String[] args) { System.out.println(areAnagrams("listen", "silent")); // true System.out.println(areAnagrams("Astronomer", "Moon starer")); // true System.out.println(areAnagrams("cat", "car")); // false System.out.println(areAnagrams("hello", "helloo")); // false System.out.println(areAnagrams("a", "a")); // true } }
true
false
false
true
- 'a' - 'a' = 0, 'b' - 'a' = 1, ..., 'z' - 'a' = 25. Maps to int[26] indices.
- Only works for lowercase a-z. Uppercase 'A' - 'a' = -32 (invalid index).
- Always call toLowerCase() before using this trick on user input.
- For full ASCII: use int[128] and index by character's ASCII value directly.
- For Unicode: use HashMap<Character, Integer> instead of an array.
What Is a Palindrome — And the Two-Pointer Trick That Makes It Easy
A palindrome reads the same forwards and backwards. 'Racecar'. 'Madam'. 'A man a plan a canal Panama' (if you strip spaces and ignore case). The concept is beautifully simple, but there's a subtle trap: do you handle even-length and odd-length palindromes differently?
The answer with the two-pointer technique is no — and that's what makes it elegant. You place one pointer at the very start of the string and one at the very end. You compare the characters those pointers are pointing to. If they match, you move both pointers inward — left pointer goes right, right pointer goes left. If they ever don't match, it's not a palindrome. You stop when the pointers meet or cross.
For 'racecar' (7 characters, odd length): r==r ✓, a==a ✓, c==c ✓, middle 'e' is never compared against anything. For 'abba' (4 characters, even length): a==a ✓, b==b ✓, pointers cross, done. Both cases handled by the exact same loop.
This is O(n) time and O(1) space — you're not creating any new data structures, just using two integer indices as pointers. This matters in memory-constrained environments.
package io.thecodeforge.algo; public class PalindromeChecker { /** * Checks if a string is a valid palindrome using the two-pointer technique. * Ignores spaces and case. * * Time Complexity: O(n) — each character is visited at most once * Space Complexity: O(1) — only two integer pointers */ public static boolean isPalindrome(String inputText) { String cleanedText = inputText.toLowerCase().replaceAll("[^a-z0-9]", ""); if (cleanedText.length() <= 1) { return true; } int leftIndex = 0; int rightIndex = cleanedText.length() - 1; while (leftIndex < rightIndex) { char leftChar = cleanedText.charAt(leftIndex); char rightChar = cleanedText.charAt(rightIndex); if (leftChar != rightChar) { return false; } leftIndex++; rightIndex--; } return true; } public static void main(String[] args) { System.out.println(isPalindrome("racecar")); // true System.out.println(isPalindrome("abba")); // true System.out.println(isPalindrome("A man a plan a canal Panama")); // true System.out.println(isPalindrome("hello")); // false System.out.println(isPalindrome("z")); // true } }
true
true
false
true
- Ask: case-sensitive? Most problems expect case-insensitive.
- Ask: ignore non-alphanumeric? Most problems expect yes.
- Ask: empty string palindrome? Usually yes (vacuously true).
- Ask: single character palindrome? Always yes.
- State your assumptions explicitly. Interviewers reward this.
Levelling Up — Grouping Anagrams and Finding the Longest Palindromic Substring
Once you're comfortable with the basics, interviews throw harder variants at you. The two most common are: (1) Given a list of words, group all the anagrams together. (2) Find the longest substring inside a string that is itself a palindrome.
For grouping anagrams, the key insight is that if you sort the letters of any word, all its anagrams produce the same sorted string — that sorted string becomes a key in a HashMap. 'eat', 'tea', 'ate' all sort to 'aet'. You group words by their sorted key.
For the longest palindromic substring, the classic approach is 'expand from centre'. For every character in the string (and every gap between characters for even-length palindromes), you expand outward as long as the characters on both sides match. You track the longest expansion you found. This runs in O(n²) time — acceptable for interview settings. There's a fancier O(n) algorithm called Manacher's, but interviewers don't expect it unless you're at a top-tier FAANG role.
These two problems show up in the same interview as 'easy/medium' pairs. Nail them both.
package io.thecodeforge.algo; import java.util.*; public class AdvancedStringProblems { public static List<List<String>> groupAnagrams(String[] words) { Map<String, List<String>> anagramGroups = new HashMap<>(); for (String word : words) { char[] wordCharacters = word.toCharArray(); Arrays.sort(wordCharacters); String sortedKey = new String(wordCharacters); anagramGroups.computeIfAbsent(sortedKey, k -> new ArrayList<>()).add(word); } return new ArrayList<>(anagramGroups.values()); } public static String longestPalindromicSubstring(String inputText) { if (inputText == null || inputText.length() < 1) return ""; int longestStart = 0; int longestEnd = 0; for (int centreIndex = 0; centreIndex < inputText.length(); centreIndex++) { int oddLength = expandFromCentre(inputText, centreIndex, centreIndex); int evenLength = expandFromCentre(inputText, centreIndex, centreIndex + 1); int maxLengthAtThisCentre = Math.max(oddLength, evenLength); if (maxLengthAtThisCentre > longestEnd - longestStart + 1) { longestStart = centreIndex - (maxLengthAtThisCentre - 1) / 2; longestEnd = centreIndex + maxLengthAtThisCentre / 2; } } return inputText.substring(longestStart, longestEnd + 1); } private static int expandFromCentre(String text, int leftPointer, int rightPointer) { while (leftPointer >= 0 && rightPointer < text.length() && text.charAt(leftPointer) == text.charAt(rightPointer)) { leftPointer--; rightPointer++; } return rightPointer - leftPointer - 1; } public static void main(String[] args) { String[] wordList = {"eat", "tea", "tan", "ate", "nat", "bat"}; List<List<String>> groups = groupAnagrams(wordList); System.out.println("Anagram Groups:"); for (List<String> group : groups) { System.out.println(" " + group); } System.out.println(); System.out.println("Longest palindrome in 'babad': " + longestPalindromicSubstring("babad")); System.out.println("Longest palindrome in 'cbbd': " + longestPalindromicSubstring("cbbd")); System.out.println("Longest palindrome in 'racecar': " + longestPalindromicSubstring("racecar")); System.out.println("Longest palindrome in 'abacaba': " + longestPalindromicSubstring("abacaba")); } }
[eat, tea, ate]
[tan, nat]
[bat]
Longest palindrome in 'babad': bab
Longest palindrome in 'cbbd': bb
Longest palindrome in 'racecar': racecar
Longest palindrome in 'abacaba': abacaba
int[26] vs HashMap — Choosing the Right Frequency Counter
The choice between int[26] and HashMap<Character, Integer> for frequency counting is a production performance decision, not just an interview preference.
int[26] is O(1) access with no hashing overhead, no autoboxing, and O(1) comparison via Arrays.equals (exactly 26 comparisons). It is strictly faster for lowercase English-only inputs. Benchmarks show 3-5x speedup over HashMap for anagram detection on strings of length 1000+.
HashMap is the correct choice when the character set is unbounded: uppercase, digits, Unicode, or arbitrary byte sequences. It trades performance for generality.
The decision rule is mechanical: if the problem guarantees lowercase a-z, use int[26]. If the character set is unbounded, use HashMap. Always state your assumption explicitly in interviews.
package io.thecodeforge.algo; import java.util.Arrays; import java.util.HashMap; import java.util.Map; public class FrequencyCounterBenchmark { /** int[26] anagram check: O(n) time, O(1) space. */ public static boolean anagramWithArray(String s1, String s2) { if (s1.length() != s2.length()) return false; int[] freq = new int[26]; for (int i = 0; i < s1.length(); i++) { freq[s1.charAt(i) - 'a']++; freq[s2.charAt(i) - 'a']--; } for (int count : freq) { if (count != 0) return false; } return true; } /** HashMap anagram check: O(n) time, O(k) space where k = unique chars. */ public static boolean anagramWithMap(String s1, String s2) { if (s1.length() != s2.length()) return false; Map<Character, Integer> freq = new HashMap<>(); for (char c : s1.toCharArray()) { freq.merge(c, 1, Integer::sum); } for (char c : s2.toCharArray()) { freq.merge(c, -1, Integer::sum); if (freq.get(c) == 0) freq.remove(c); } return freq.isEmpty(); } public static void main(String[] args) { // Generate a long test string StringBuilder sb = new StringBuilder(1_000_000); for (int i = 0; i < 1_000_000; i++) { sb.append((char) ('a' + (i % 26))); } String s1 = sb.toString(); String s2 = new StringBuilder(s1).reverse().toString(); // Benchmark int[26] long start = System.nanoTime(); for (int i = 0; i < 100; i++) { anagramWithArray(s1, s2); } long arrayTime = System.nanoTime() - start; // Benchmark HashMap start = System.nanoTime(); for (int i = 0; i < 100; i++) { anagramWithMap(s1, s2); } long mapTime = System.nanoTime() - start; System.out.println("int[26]: " + arrayTime / 1_000_000 + " ms"); System.out.println("HashMap: " + mapTime / 1_000_000 + " ms"); System.out.println("Speedup: " + (mapTime / Math.max(arrayTime, 1)) + "x"); } }
HashMap: 187 ms
Speedup: 4x
- int[26]: O(1) access, O(1) comparison (26 comparisons), no autoboxing. Best for lowercase a-z.
- int[128]: O(1) access, O(1) comparison (128 comparisons). Best for full ASCII.
- HashMap: O(1) amortized access, O(k) comparison. Best for Unicode or unbounded character sets.
- Benchmark: int[26] is 3-5x faster than HashMap for anagram detection on 1M-char strings.
- Decision rule: if the problem guarantees a character set, use an array. Otherwise, use HashMap.
| Aspect | Frequency Array Approach | Sort-and-Compare Approach | Two-Pointer Palindrome | Expand-Around-Center |
|---|---|---|---|---|
| Time Complexity | O(n) — single pass through each string | O(n log n) — sorting dominates | O(n) — each character visited once | O(n^2) — 2n-1 centers, each expands up to n/2 |
| Space Complexity | O(1) — fixed 26-slot array always | O(n) — sorted copy of string created | O(1) — two integer pointers | O(1) — no extra data structures |
| Code Simplicity | Moderate — requires index mapping trick | Very simple — Arrays.sort + equals() | Simple — two pointers marching inward | Moderate — odd and even center handling |
| Works for Unicode? | No — only handles 26 English letters as-is | Yes — Arrays.sort handles any char set | Yes — compare any characters | Yes — compare any characters |
| Best for | Performance-critical / interview optimal answer | Quick solution or non-ASCII characters | Palindrome check (not longest) | Longest palindromic substring |
| Handles duplicates? | Yes — frequency count tracks exact quantities | Yes — sorted duplicates stay adjacent | N/A — single string comparison | N/A — single string expansion |
| Interview expectation | Primary expected answer | Acceptable alternative | Primary for palindrome check | Primary for longest palindrome |
🎯 Key Takeaways
- The frequency array trick (26 slots, letter - 'a' indexing) solves anagram detection in O(n) time and O(1) space — memorise this pattern cold.
- The two-pointer technique for palindrome checking is O(n) time O(1) space — left pointer starts at 0, right at length-1, they march inward until they meet or a mismatch is found.
- Always run BOTH the odd-centre (i, i) and even-centre (i, i+1) expansions in the expand-from-centre palindrome approach — missing the even case is the #1 silent bug.
- Normalise your strings first — lowercase and strip spaces/punctuation — BEFORE running any anagram or palindrome logic. Skipping this step causes subtle failures on real-world inputs.
- int[26] is 3-5x faster than HashMap for lowercase-only frequency counting. The choice is mechanical: guaranteed character set → array, unbounded → HashMap.
- Group anagrams with sorted-character keys in a HashMap. For long words, use frequency-count keys (O(k) vs O(k log k)).
- Always test with: 'abba' (even palindrome), 'A man a plan a canal Panama' (normalization), 'Astronomer' and 'Moon starer' (mixed case + spaces).
- Broad try-catch blocks mask real errors. Let ArrayIndexOutOfBoundsException propagate so normalization bugs surface immediately.
⚠ Common Mistakes to Avoid
Interview Questions on This Topic
- QGiven a string, determine if it is a valid palindrome considering only alphanumeric characters and ignoring case — what is your approach and what is its time and space complexity?
- QGiven an array of strings, group all anagrams together and return them as a list of lists — walk me through your solution and explain why you chose that data structure.
- QHow would you find ALL palindromic substrings in a string, not just the longest one? What changes in your approach — and what is the total time complexity now?
- QHow would you check if two strings are anagrams in O(n) time and O(1) space? What constraint on the input makes O(1) space possible, and when does that assumption break?
- QExplain the expand-around-center technique for finding the longest palindromic substring. Why is it preferred over dynamic programming for this problem? What is the space complexity difference?
- QHow would you group a list of 100,000 words by anagram families? Compare the sorted-key approach (O(k log k) per word) with the frequency-key approach (O(k) per word). When does each approach win?
- QYour spell checker uses anagram detection to suggest corrections. It returns 'no suggestions' for 34% of correctly-spelled words. What is the most likely root cause and how do you fix it?
- QHow would you find the longest palindromic subsequence (not substring) of a string? What algorithm would you use and what is the time complexity?
- QDescribe a production scenario where anagram or palindrome detection is critical. What pattern did you use, what edge cases did you encounter, and what was the performance impact?
- QHow would you check if a string is a k-palindrome (can be made a palindrome by removing at most k characters)? What approach would you use?
Frequently Asked Questions
What is the difference between an anagram and a palindrome?
An anagram is a relationship between TWO strings — one is a rearrangement of the other ('listen' and 'silent'). A palindrome is a property of ONE string — it reads the same forwards and backwards ('racecar'). They're completely different concepts that just happen to both involve rearranging characters.
Is every palindrome an anagram of itself?
Yes, technically — any string is an anagram of itself since it contains the same characters with the same frequencies. But the more interesting question is whether the reverse of a palindrome is an anagram of the original. It always is, because the reverse contains identical characters. This is a fun edge case worth mentioning in interviews to show deep thinking.
Why use a frequency array instead of a HashMap for anagram checking?
When the input is strictly lowercase English letters (a-z), the frequency array is faster and uses less memory. A HashMap has hashing overhead and stores boxed Integer objects. The array is a fixed 26 slots of primitive ints. If you're dealing with Unicode, full ASCII, or arbitrary character sets, switch to a HashMap — but always state your assumption about the character set to your interviewer.
What is the longest palindromic substring and how is it solved efficiently?
Expand around center: for each index i and each gap between i and i+1, expand outward while characters match. Track the maximum expansion. O(n^2) time, O(1) space. Manacher's algorithm solves it in O(n) but is rarely expected in interviews.
How do you check if a string is a palindrome ignoring non-alphanumeric characters?
Use two pointers. Normalize first: toLowerCase().replaceAll('[^a-z0-9]', ''). Then advance left and right pointers inward, comparing characters. O(n) time, O(1) space (excluding the cleaned string).
Why is sorting-based anagram detection O(n log n) instead of O(n)?
Sorting a string of length n takes O(n log n) time. The O(n) alternative uses a frequency count array of size 26 (for lowercase letters) — increment counts for one string, decrement for the other, then check all counts are zero.
What is the difference between checking a palindrome and finding the longest palindromic substring?
Checking a palindrome is O(n) with two pointers. Finding the longest palindromic substring requires checking all possible centers (2n-1 for both odd and even lengths), expanding around each, giving O(n^2) time. Manacher's algorithm solves it in O(n) using symmetry properties.
How does the letter - 'a' trick work and when does it break?
'a' has ASCII value 97. 'a' - 'a' = 0, 'b' - 'a' = 1, ..., 'z' - 'a' = 25. This maps lowercase letters to int[26] indices. It breaks on uppercase ('A' - 'a' = -32), digits, or Unicode. Always call toLowerCase() before using this trick.
Developer and founder of TheCodeForge. I built this site because I was tired of tutorials that explain what to type without explaining why it works. Every article here is written to make concepts actually click.