1554. Strings Differ by One Character

MediumHash TableStringHash FunctionRolling Hash
Leetcode Link

Problem Description

In this problem, you are given a list of strings called dict, where each string is of the same length. Your task is to determine whether there are at least two strings in the list that differ from each other by exactly one character, and this difference must be at the same position in both strings. If such a pair of strings exists, you should return true. If no such pairs exist, you should return false.

Intuition

The core idea behind the solution is to use hashing to efficiently check for the string pair with the one-character difference. To compare strings while allowing for one difference, we mask each position in the strings one at a time and see if this version of strings has been seen before.

Here's the sequence of thoughts leading to the solution approach:

  1. If we could somehow ignore one character in each string and then compare them, we could easily identify if only one character was different.
  2. Hashing is efficient for quickly searching a collection of items.
  3. We can iterate over each string and temporarily replace each character one by one with a placeholder (in this case, an asterisk '*'), creating a masked version of the string.
  4. We then check if this masked string has already been encountered i.e., present in our hash set.
  5. If we find the masked string in the set, it means there's another word in the list that could match this string with exactly one character difference.
  6. If not, we add this masked string to the set and continue the process with the next string.
  7. Finally, if we never find a matching masked string, it means there are no such pairs, and we return false.

This approach is clever because it avoids the need to compare every string with every other string directly, which would be time-consuming, especially as the list size grows.

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

Which two pointer technique does Quick Sort use?

Solution Approach

The Python code provided for the solution utilizes a set data structure to keep track of all the masked versions of the strings encountered so far. A set is chosen for its efficient O(1) average time complexity for adding elements and checking for membership.

Let's go through the algorithm step by step:

  1. Initialize an empty set s to hold the masked versions of the strings.

  2. Iterate through each word in the given dict.

  3. For each word, iterate over the length of the word using a range loop to get each index i.

  4. In each iteration, construct a new string t by concatenating:

    • The substring of word from the beginning up to but not including i (denoted by word[:i]).
    • A placeholder asterisk "*" which acts as a mask for the character at position i.
    • The substring of word from just after i to the end (denoted by word[i + 1 :]).
  5. Check if the new masked string t is already in the set s.

    • If t is already in the set, this means there is another string in the list which differs from the current string by exactly one character at the same index. Thus, we return True.
  6. If t is not in the set, add this new masked version of the string to the set s for future comparisons.

  7. Continue this process until all words have been processed or until a match is found.

  8. If no match is found after processing all words, return False.

Using this approach, the time complexity of comparing the strings becomes O(N*M) where N is the number of strings and M is the length of each string, because for each word we iterate over its length once and each operation inside the loop is O(1) due to the nature of set operations.

Example of how the masking works with an input list ["abcd", "accd", "bccd"]:

  • For "abcd", we'll add to the set: "*bcd", "a*cd", "ab*d", "abc*"
  • For "accd", we'll add and compare: "*ccd", "a*cd". As "a*cd" is already in the set, we detect that "accd" differs from "abcd" by one character ('b' vs 'c'), thus we can return True.

By applying the masking technique, we save time by not having to compare each string with every other string in a brute-force manner.

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

Depth first search can be used to find whether two components in a graph are connected.

Example Walkthrough

Let's take an example list of strings ["pine", "sine", "ping", "cling", "singe"], where we want to determine if there's at least one pair of strings that only differ by one character at the same position.

Following the solution approach step by step:

  1. Initialize an empty set: s = {}

  2. We process the first word "pine".

    • Create masks: "ine", "pne", "pie", "pin"
    • Add these to the set: s = {"*ine", "p*ne", "pi*e", "pin*"}
  3. Now, process the second word "sine".

    • Create masks: "ine", "sne", "sie", "sin"
    • Checking these against the set:
      • "*ine" is found in the set (matching "pine" masked as "*ine"), meaning "pine" and "sine" differ by one character.
      • Since we found a match, we return True.
      • There is no need to process further as we've found at least one pair of strings meeting the criteria.

If we had not found a match for "sine", we would then add its masked versions to the set and continue with the next word.

In this example, we quickly identified a pair without having to compare every word to every other word, thus demonstrating the efficiency of the solution.

Solution Implementation

1class Solution:
2    def differByOne(self, dict: List[str]) -> bool:
3        # Initialize a set to store modified words
4        seen = set()
5      
6        # Iterate over each word in the dictionary
7        for word in dict:
8            # Iterate over each character in the word
9            for i in range(len(word)):
10                # Create a new word by replacing the current character with a '*'
11                temp_word = word[:i] + "*" + word[i + 1:]
12                # Check if the modified word is already in the set (seen)
13                if temp_word in seen:
14                    # If found, return True since two words differ by exactly one character
15                    return True
16                # Otherwise, add the modified word to the set
17                seen.add(temp_word)
18      
19        # Return False if no such pair of words is found in the dictionary
20        return False
21
1class Solution {
2
3    /**
4     * Checks if there are two strings in the provided array that differ by exactly one character.
5     * 
6     * @param dict An array of strings.
7     * @return true if there are two strings differing by one character, otherwise false.
8     */
9    public boolean differByOne(String[] dict) {
10        // Create a HashSet to store unique patterns of the words
11        Set<String> patterns = new HashSet<>();
12      
13        // Iterate over each word in the dictionary
14        for (String word : dict) {
15            // Replace each character one by one with '*' to create patterns
16            for (int i = 0; i < word.length(); ++i) {
17                // Generate a new pattern by replacing the character at index 'i' with '*'
18                String pattern = word.substring(0, i) + "*" + word.substring(i + 1);
19              
20                // If the pattern already exists in the set, return true
21                if (patterns.contains(pattern)) {
22                    return true;
23                }
24              
25                // Add the new pattern to the set
26                patterns.add(pattern);
27            }
28        }
29      
30        // If no pattern has two matching strings, return false
31        return false;
32    }
33
34}
35
1#include <vector>
2#include <string>
3#include <unordered_set>
4
5class Solution {
6public:
7    // Function checks if any two strings in the given dictionary differ by exactly one character
8    bool differByOne(std::vector<std::string>& dict) {
9        // Create an unordered set to keep track of unique patterns
10        std::unordered_set<std::string> patterns;
11
12        // Iterate through each word in the dictionary
13        for (const auto& word : dict) {
14            // Iterate through each character in the word
15            for (size_t i = 0; i < word.size(); ++i) {
16                // Make a copy of the word to create a pattern
17                std::string pattern = word;
18                // Replace the i-th character with a wildcard symbol '*'
19                pattern[i] = '*';
20              
21                // Check if the pattern is already in the set
22                if (patterns.count(pattern)) {
23                    // If found, two words in the dict differ by one character
24                    return true;
25                }
26                // If not found, insert the new pattern into the set
27                patterns.insert(pattern);
28            }
29        }
30        // If no such pair of words found, return false
31        return false;
32    }
33};
34
1// A variable to keep track of unique patterns
2const patterns: Set<string> = new Set<string>();
3
4// Function checks if any two strings in the given array differ by exactly one character
5function differByOne(dict: string[]): boolean {
6    // Iterate through each word in the array
7    for (const word of dict) {
8        // Iterate through each character in the word
9        for (let i = 0; i < word.length; ++i) {
10            // Make a copy of the word to create a pattern
11            let pattern = word.substring(0, i) + '*' + word.substring(i + 1);
12          
13            // Check if the pattern is already in the set
14            if (patterns.has(pattern)) {
15                // If found, two strings in the array differ by one character
16                return true;
17            }
18            // If not found, insert the new pattern into the set
19            patterns.add(pattern);
20        }
21    }
22    // If no such pair of strings is found, return false
23    return false;
24}
25
Not Sure What to Study? Take the 2-min Quiz:

Consider the classic dynamic programming of longest increasing subsequence:

Find the length of the longest subsequence of a given sequence such that all elements of the subsequence are sorted in increasing order.

For example, the length of LIS for [50, 3, 10, 7, 40, 80] is 4 and LIS is [3, 7, 40, 80].

What is the recurrence relation?

Time and Space Complexity

Time Complexity

The time complexity of the given code is primarily determined by the two nested loops: the outer loop iterates over each word in the dictionary, and the inner loop iterates over each character in a word to create a new string pattern with a wildcard character "*". This new string pattern has the same length as the original word, but with one of the characters replaced.

If n is the number of words in the dictionary and m is the average length of a word, then the outer loop runs n times, and the inner loop runs m times for each word. Therefore, the total number of iterations is n * m. Inside the inner loop, there's a string concatenation operation which takes O(m) time since it involves creating a new string of length m. Then it checks the presence of this pattern in the set and possibly adds it to the set. Both of these set operations take O(1) time on average.

Combining these factors, the overall time complexity is O(n * m^2), where n is the number of words and m is the length of each word.

Space Complexity

The space complexity is mainly due to the set s that stores all unique word patterns with the wildcard. In the worst case, we store n * m different patterns since each word can lead to m different patterns. Since each pattern is of length m, they can be thought to occupy m space each.

Therefore, the space complexity is O(n * m^2), as we need to store n * m patterns, each of length m.

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

Fast Track Your Learning with Our Quick Skills Quiz:

How many times is a tree node visited in a depth first search?


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