2452. Words Within Two Edits of Dictionary
Problem Description
In this problem, we are given two arrays of strings: queries
and dictionary
. Each string consists only of lowercase English letters, and every string in both arrays is of the same length.
We need to perform edits on the words in queries
. An edit is defined as changing any single letter in a word to any other letter. Our objective is to determine which words from queries
can be transformed into any word from dictionary
using at most two such edits.
The output should be a list of words from queries
that can be matched with any word in dictionary
after performing no more than two edits. The returned list must preserve the original order of words as they appear in queries
.
Intuition
The intuition behind the solution is to iterate over each word in queries
and each word in dictionary
, comparing them letter by letter. For each pair of words, we count the number of letters that are different between them. This count is the number of edits needed to transform the query word into the dictionary word.
Since we are allowed up to two edits, we look for pairs of words where the number of differing letters is less than or equal to two. If such a pair is found, the query word qualifies as a match, and we add it to our answer list.
We proceed with this process until we have checked the word from queries
against all words in dictionary
, ensuring we do not exceed two edits. The crucial observation is that any query word can be transformed into any dictionary word by changing at most two letters - signifying that the edit distance between them is less than or equal to two.
This approach ensures that we examine all possible pairs of words, and when a match is found, we immediately move to the next word in queries
to maintain efficiency. We exit the inner loop early using break
once we append the query word to the answer list, as we do not need any more comparisons for that word.
Solution Approach
The given Python code defines a class Solution
with a method twoEditWords
, which takes two parameters: queries
and dictionary
. These parameters are lists of strings representing the words we will be working with. The method returns a list of strings.
class Solution:
def twoEditWords(self, queries: List[str], dictionary: List[str]) -> List[str]:
ans = []
for s in queries:
for t in dictionary:
if sum(a != b for a, b in zip(s, t)) < 3:
ans.append(s)
break
return ans
The algorithm proceeds with the following steps:
- Initialize an empty list
ans
to store the final matching words fromqueries
. - Iterate over each word
s
fromqueries
. - For each word
s
, iterate over each wordt
fromdictionary
. - Zip the two words
s
andt
to compare their corresponding letters. The built-inzip
function pairs up elements from two iterables, allowing us to iterate over them in parallel. - Use a generator expression inside the
sum
function to count the number of differing letters betweens
andt
. We compare each pair of letters and count a difference whenever a pair does not match(a != b)
. - If the count is less than 3 (meaning we can turn
s
intot
with at most two edits), we appends
to our answer list. This is because we are only allowed a maximum of two edits. - Once a word from
queries
matches a word fromdictionary
, break out of the inner loop to avoid unnecessary comparisons and move to the next word inqueries
. - After going through all the words in
queries
, return the answer listans
.
This solution uses a brute-force approach and takes advantage of Python's concise syntax for list comprehension and the sum
function. This approach works efficiently when the dataset is not prohibitively large since it explores all possible pairs of words from queries
and dictionary
and calculates the edit distance in a straightforward manner.
However, it's worth noting that this algorithm has a quadratic time complexity with respect to the number of words in queries
and dictionary
. Therefore, for very large datasets, the performance might be a concern, and more sophisticated algorithms could be required to optimize the search and comparison processes.
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 take a small example to illustrate the solution approach using the Python code provided.
Suppose we have the following arrays:
queries
= ["abc", "def", "ghi"]dictionary
= ["abd", "def", "hij"]
The question tells us that we can make at most two edits on each word in queries
to see if it can match any word in dictionary
. Let's walk through each word:
-
Starting with the first word in
queries
, which is "abc":- When we compare "abc" to "abd" in
dictionary
, we notice that they differ by one character (c
!=d
). Since only one edit is needed, "abc" can be transformed into "abd" with a single change. Therefore, "abc" satisfies the condition of two or fewer edits and is appended to our answer list. - We do not need to compare "abc" further with other words in
dictionary
because we found a match. We move to the next word inqueries
.
- When we compare "abc" to "abd" in
-
Now, look at the second word in
queries
, "def":- Comparing "def" with "abd" from
dictionary
, we find three different characters, meaning we need more than two edits, so we move to the next word indictionary
. - The next comparison is between "def" from
queries
and "def" fromdictionary
. They are identical, so zero edits are required, and "def" is added to our answer list. Then we exit the inner loop and proceed to the next query.
- Comparing "def" with "abd" from
-
Finally, for the third word in
queries
, "ghi":- We compare "ghi" with "abd" from
dictionary
, and all three characters are different, requiring more than two edits. So we continue to the next word indictionary
. - We compare "ghi" with "def" from
dictionary
, but again all characters differ, so we move on to the last word. - The last comparison is between "ghi" from
queries
and "hij" fromdictionary
. Here we see that only one character differs (g
!=h
), so we can make one edit to match them. "ghi" is then added to our answer list, and we finish reviewingqueries
.
- We compare "ghi" with "abd" from
The final returned list (ans) from the twoEditWords
method is ["abc", "def", "ghi"], preserving the original order from queries
. Each of these words can be transformed into a word in dictionary
with no more than two edits.
Using this example, we can see how the solution approach successfully iterates over the queries
and dictionary
, compares the words, and keeps track of the number of edits necessary to determine if a word from queries
can be turned into any word in dictionary
within the allowed edits.
Solution Implementation
1class Solution:
2 def twoEditWords(self, queries: List[str], dictionary: List[str]) -> List[str]:
3 # Initialize a list to hold the answer.
4 result = []
5
6 # Iterate through each word in the queries list.
7 for query_word in queries:
8 # Now, compare with each word in the dictionary.
9 for dictionary_word in dictionary:
10 # If the count of differing characters is less than 3,
11 # it means they are within two edits of each other.
12 if sum(1 for q_char, d_char in zip(query_word, dictionary_word) if q_char != d_char) < 3:
13 # We've found a word in the dictionary that is within two edits.
14 # Add the query word to the result list.
15 result.append(query_word)
16 # No need to check the rest of the dictionary for this word.
17 break
18
19 # Return the list of words that are within two edits of any word in the dictionary.
20 return result
21
1import java.util.ArrayList;
2import java.util.List;
3
4class Solution {
5 public List<String> twoEditWords(String[] queries, String[] dictionary) {
6 // Initialize an ArrayList to store the result.
7 List<String> result = new ArrayList<>();
8
9 // Assume all strings in queries have the same length as the first string's length.
10 int queryLength = queries[0].length();
11
12 // Iterate through each string in queries.
13 for (String query : queries) {
14 // Compare each query with each string in the dictionary.
15 for (String word : dictionary) {
16 // Initialize a count to track the number of differing characters.
17 int differenceCount = 0;
18
19 // Check for character differences between the query and the dictionary word.
20 for (int i = 0; i < queryLength; ++i) {
21 if (query.charAt(i) != word.charAt(i)) {
22 differenceCount++;
23 }
24 }
25
26 // If there are fewer than 3 differences, add the query to the result list.
27 if (differenceCount < 3) {
28 result.add(query);
29 // Since we found a word in the dictionary that is within
30 // two edits of the query, we break out of the dictionary loop.
31 break;
32 }
33 }
34 }
35
36 // Return the list of queries that are within two edits of some dictionary word.
37 return result;
38 }
39}
40
1#include <vector>
2#include <string>
3
4using std::vector;
5using std::string;
6
7class Solution {
8public:
9 // Function to return a vector of strings from queries that are at most two edits
10 // away from any string in the dictionary.
11 vector<string> twoEditWords(vector<string>& queries, vector<string>& dictionary) {
12 vector<string> result; // To hold the result strings
13 for (auto& query : queries) { // Iterate through each query
14 for (auto& word : dictionary) { // Iterate through each word in the dictionary
15 // Ensure the length difference is not greater than 2
16 if (std::max(query.size(), word.size()) - std::min(query.size(), word.size()) > 2) {
17 continue;
18 }
19
20 int count = 0; // Counter to track differences
21 for (size_t i = 0; i < query.size() && i < word.size(); ++i) {
22 if (query[i] != word[i]) {
23 ++count; // Increment count if characters differ
24 }
25 }
26 // Add the length difference for any additional characters
27 count += std::abs(static_cast<int>(query.size()) - static_cast<int>(word.size()));
28
29 if (count < 3) { // If less than three edits
30 result.emplace_back(query); // Add query to result
31 break; // Break since only one match is needed
32 }
33 }
34 }
35 return result; // Return the resulting vector
36 }
37};
38
1// Check if each query string is at most two edits away from any string in the dictionary.
2function twoEditWords(queries: string[], dictionary: string[]): string[] {
3 // Assuming all queries are of the same length as stated by the first query's length.
4 const queryLength = queries[0].length;
5
6 // Filter and return only those queries that are within two edits of any dictionary word.
7 return queries.filter(query => {
8 // Iterate over each word in the dictionary to compare with the query.
9 for (const word of dictionary) {
10 let differences = 0; // Counter for character differences between query and dictionary word
11
12 // Compare each character of the query with the dictionary word.
13 for (let i = 0; i < queryLength; i++) {
14 // If characters do not match, increment the differences count.
15 // If differences exceed 2, break out of the loop as it is no longer a valid match.
16 if (query[i] !== word[i] && ++differences > 2) {
17 break;
18 }
19 }
20
21 // If the word in the dictionary is at most two edits away from the query, it's a match.
22 if (differences <= 2) {
23 return true;
24 }
25 }
26
27 // If no words in the dictionary are within two edits of the query, filter it out.
28 return false;
29 });
30}
31
Time and Space Complexity
Time Complexity
The given code has two nested loops; the outer loop iterates through each string in queries
, while the inner loop iterates through each string in dictionary
. Within the inner loop, there's a comparison of corresponding characters in two strings (from queries
and dictionary
) made using a generator expression with a zip
function and sum
. This comparison runs in O(min(len(s), len(t))) time, where len(s)
and len(t)
represent the lengths of the individual strings being compared.
To determine the time complexity of the entire code, we have to consider the lengths of the queries
and dictionary
lists and the average lengths of the strings within them. Let n
denote the number of strings in queries
, m
denote the number of strings in dictionary
, and L
be the average length of the strings in both lists. The total time complexity is thus:
O(n * m * L)
For every string in queries
, every string in dictionary
is checked, and for each comparison, an iteration over the length of the strings occurs.
Space Complexity
The space complexity of the code consists of the space needed to store the ans
list and the temporary space for the comparison operation. The ans
list, in the worst case, will store all strings from queries
. Therefore, its space complexity depends on the length of the output list, which is at most n
(where n
is the number of strings in queries
).
The generator expression with zip
and sum
does not create a list of differences but rather creates an iterator, which takes constant space.
Hence, the space complexity is:
O(n)
This represents the space needed to store the ans
list. The rest of the operations use constant additional space (ignoring the overhead of the input and the internal working storage of Python's function calls).
Learn more about how to find time and space complexity quickly using problem constraints.
Which of the two traversal algorithms (BFS and DFS) can be used to find whether two nodes are connected?
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!