318. Maximum Product of Word Lengths
Problem Description
Given an array of strings named words
, the goal is to find the maximum product of the lengths of any two words in the array that do not have any letters in common. More formally, we want to find the maximum value of length(word[i]) * length(word[j])
where word[i]
and word[j]
are such that no letter appears in both words simultaneously. If there are no such pairs of words that satisfy this condition, the function should return 0
.
Intuition
The straightforward approach to solve this problem would be to compare each pair of words and check if they have any common letters. However, this would require checking every pair which leads to a time complexity of O(n^2 * m), where n is the number of words and m is the average length of a word, rendering this approach inefficient for large input sizes.
To optimize this, we can preprocess each word to create a bitmask that represents the set of characters of the word. In the bitmask, the i-th bit is set if the word contains the i-th letter of the alphabet. Since there are only 26 lowercase English letters, this bitmask can be represented by an integer. By comparing the bitmasks of two words, we can efficiently check if two words have common letters. If the result of a bitwise AND operation between two masks is zero, then the two words do not share any common letters.
With the bitmask precomputation step, the time complexity is reduced significantly because the comparison of every pair now only takes constant time, O(1), leading to an overall time complexity of O(n^2 + n * m). Here’s a step-by-step breakdown of the solution approach:
- Iterate through each word in the input, calculate its bitmask, and store these masks in an array.
- Iterate through all pairs of words. For each pair, use the precomputed bitmasks to check if the words share common letters by performing a bitwise AND operation.
- If the words do not share any common letters (bitwise AND result is 0), calculate the product of their lengths and update the answer with the maximum product found so far.
- After checking all pairs, return the maximum product found.
This bitmasking technique leverages the power of bitwise operations to significantly improve the time efficiency for checking if two words have common letters.
Solution Approach
The solution uses a bit manipulation technique along with an array for storing the bitmasks. Here's a step-by-step breakdown of the implementation:
-
Initial Setup
- Calculate the number
n
of words in the input list. - Initialize an array
mask
of lengthn
to store the bitmasks which will represent the unique characters of each word by setting the bit position corresponding to each letter.
- Calculate the number
-
Creating Bitmasks
- Iterate through the list of words with the index
i
. For each wordword[i]
, do the following:- Initialize
mask[i]
to0
. - For each character
ch
inword[i]
, shift1
left byord(ch) - ord('a')
bits to create a bitmask for the letter. - Use the bitwise OR
|
operation to updatemask[i]
by turning on the bit corresponding to each character in the word.
- Initialize
- Iterate through the list of words with the index
-
Finding the Maximum Product
- Initialize a variable
ans
to0
for storing the maximum product found. - Iterate through all unique pairs of words with indices
i
andj
(withj
>i
to avoid duplication of pairs), to compare their bitmasks.- If the bitwise AND
&
ofmask[i]
andmask[j]
is0
, it means the words have no common letters. - If so, calculate the product of their lengths
len(words[i]) * len(words[j])
. - Update
ans
with the maximum of itself and the calculated product.
- If the bitwise AND
- Initialize a variable
-
Returning the Result
- After checking all pairs, return
ans
as the final result.
- After checking all pairs, return
The code uses bitmasks stored in an integer to efficiently represent and compare the characters of the words. Rather than checking each letter individually for every pair, the solution leverages bitwise operations to check for common letters in constant time, greatly enhancing performance.
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 an example array of strings words = ["abc", "de", "fg", "hi", "aeh"]
.
-
The first step is to represent each word by a bitmask. Let's work through the words:
- For word "abc", the bitmask would be (set bit positions at 0, 1, 2):
0b111
which is7
in decimal. - For word "de", the bitmask would be (set bit positions at 3, 4):
0b11000
which is24
in decimal. - For word "fg", the bitmask would be (set bit positions at 5, 6):
0b1100000
which is96
in decimal. - For word "hi", the bitmask would be (set bit positions at 7, 8):
0b110000000
which is384
in decimal. - For "aeh", the bitmask is (set bit positions at 0, 4, 7):
0b10010001
which is145
in decimal.
- For word "abc", the bitmask would be (set bit positions at 0, 1, 2):
-
As a result, the
mask
array after processing thewords
array would be[7, 24, 96, 384, 145]
. -
In the next step, we will look for pairs of words with no overlapping bits in their bitmasks:
- Compare "abc" (7) and "de" (24):
(7 & 24)
equals0
which means no common letters. Product of lengths equals3 * 2 = 6
. - Compare "abc" (7) and "fg" (96):
(7 & 96)
equals0
; product is3 * 2 = 6
. - Compare "abc" (7) and "hi" (384):
(7 & 384)
equals0
; product is3 * 2 = 6
. - Compare "abc" (7) and "aeh" (145):
(7 & 145)
is not0
as they share letters, so do not calculate product. - Compare "de" (24) and "fg" (96):
(24 & 96)
equals0
; product is2 * 2 = 4
. - Compare "de" (24) and "hi" (384):
(24 & 384)
equals0
; product is2 * 2 = 4
. - Compare "de" (24) and "aeh" (145):
(24 & 145)
is not0
, so do not calculate product. - Compare "fg" (96) and "hi" (384):
(96 & 384)
equals0
; product is2 * 2 = 4
. - Compare "fg" (96) and "aeh" (145):
(96 & 145)
equals0
; product of lengths is2 * 3 = 6
. - Compare "hi" (384) and "aeh" (145):
(384 & 145)
equals0
; product is2 * 3 = 6
.
- Compare "abc" (7) and "de" (24):
-
The final step is to find the maximum product from these comparisons:
- The calculated products are
6, 6, 6, 4, 4, 4, 6, 6
. - The maximum product is
6
.
- The calculated products are
-
Return the maximum product, which is
6
. The words yielding this product are "abc" with "de", "abc" with "fg", "abc" with "hi", "fg" with "aeh", and "hi" with "aeh".
This illustrates how the bitmask approach greatly simplifies the computation and avoids the overhead of checking each letter individually. The final solution would implement the process outlined in the “Solution Approach” section efficiently by leveraging bitwise operations and precomputation of the bitmasks for each word.
Solution Implementation
1from typing import List
2
3class Solution:
4 def max_product(self, words: List[str]) -> int:
5 # Get the number of words in the list
6 num_words = len(words)
7 # Create a list to store the bitmask representation of each word
8 masks = [0] * num_words
9
10 # Generate a bitmask for each word where bit i is set if the
11 # word contains the i-th letter of the alphabet
12 for i, word in enumerate(words):
13 for ch in word:
14 masks[i] |= 1 << (ord(ch) - ord('a'))
15
16 # Initialize max_product to 0
17 max_product = 0
18
19 # Compare every pair of words to find the maximum product of lengths
20 # of two words which have no characters in common (no common bits in the bitmask).
21 for i in range(num_words - 1):
22 for j in range(i + 1, num_words):
23 if masks[i] & masks[j] == 0: # No common characters
24 # Update max_product if this pair has a larger product
25 max_product = max(max_product, len(words[i]) * len(words[j]))
26
27 # Return the maximum product found
28 return max_product
29
1class Solution {
2 public int maxProduct(String[] words) {
3 // Get the length of the words array
4 int length = words.length;
5 // Create an array to store the bitmask representation of each word
6 int[] bitMasks = new int[length];
7
8 // Convert each word into a bitmask representation and store it in the bitMasks array
9 for (int i = 0; i < length; ++i) {
10 for (char c : words[i].toCharArray()) {
11 // Set the bit corresponding to the character 'c'
12 bitMasks[i] |= (1 << (c - 'a'));
13 }
14 }
15
16 // Initialize the maximum product to 0
17 int maxProduct = 0;
18
19 // Compare each pair of words to find the pair with the maximum product of lengths
20 // where the words do not share any common characters
21 for (int i = 0; i < length - 1; ++i) {
22 for (int j = i + 1; j < length; ++j) {
23 // Check if the two words share any common characters using the '&' bitwise operator
24 if ((bitMasks[i] & bitMasks[j]) == 0) {
25 // Calculate the product of the lengths of the two words
26 int product = words[i].length() * words[j].length();
27 // Update maxProduct with the maximum value between the existing maxProduct and the current product
28 maxProduct = Math.max(maxProduct, product);
29 }
30 }
31 }
32
33 // Return the maximum product found
34 return maxProduct;
35 }
36}
37
1#include <vector>
2#include <string>
3#include <algorithm>
4using namespace std;
5
6class Solution {
7public:
8 int maxProduct(vector<string>& words) {
9 int wordsCount = words.size(); // Count of the words in the vector
10 vector<int> masks(wordsCount); // Bitmasks for each word
11
12 // Create bitmasks. Each bit in mask represents if a character ('a' to 'z') is in the word
13 for (int i = 0; i < wordsCount; ++i) {
14 for (char ch : words[i]) {
15 masks[i] |= 1 << (ch - 'a'); // Set the bit corresponding to the current character
16 }
17 }
18
19 int maxProduct = 0; // Initialize max product to be 0
20 // Compare each pair of words
21 for (int i = 0; i < wordsCount - 1; ++i) {
22 for (int j = i + 1; j < wordsCount; ++j) {
23 // If two words have no common letters, their masks will not share any common bits
24 // The bitwise AND of their masks will be 0
25 if (!(masks[i] & masks[j])) {
26 // Update max product if this pair gives us a bigger product
27 maxProduct = max(maxProduct, (int)(words[i].size() * words[j].size()));
28 }
29 }
30 }
31
32 // Return the maximum product found
33 return maxProduct;
34 }
35};
36
1// Import statements are not necessary in plain TypeScript, and there are no direct equivalents for `vector` and `using namespace std;` from C++
2
3// Function to calculate the maximum product of lengths of two words that don't share common characters
4function maxProduct(words: string[]): number {
5 const wordsCount: number = words.length; // Count of the words in the array
6 const masks: number[] = new Array(wordsCount); // Bitmasks for each word
7
8 // Initialize all masks to 0
9 masks.fill(0);
10
11 // Create bitmasks. Each bit in a mask represents if a character ('a' to 'z') is in the word
12 for (let i = 0; i < wordsCount; ++i) {
13 for (const char of words[i]) {
14 masks[i] |= 1 << (char.charCodeAt(0) - 'a'.charCodeAt(0)); // Set the bit corresponding to the current character
15 }
16 }
17
18 let maxProduct = 0; // Initialize max product to be 0
19
20 // Compare each pair of words
21 for (let i = 0; i < wordsCount - 1; ++i) {
22 for (let j = i + 1; j < wordsCount; ++j) {
23 // If two words have no common letters, their masks will not share any common bits
24 if ((masks[i] & masks[j]) === 0) {
25 // The bitwise AND of their masks will be 0
26 // Update max product if this pair gives us a bigger product
27 maxProduct = Math.max(maxProduct, words[i].length * words[j].length);
28 }
29 }
30 }
31
32 // Return the maximum product found
33 return maxProduct;
34}
35
Time and Space Complexity
The provided code calculates the maximum product of the lengths of two words such that the two words do not share any common characters. The analysis of time and space complexity is as follows:
Time Complexity
-
Calculating the bitmask for each word: The first loop goes through each word and each character within those words to create a bitmask. This process occurs in
O(N * L)
time, whereN
is the number of words, andL
is the average length of the words. -
Comparing the bitmasks: The nested loop compares each pair of generated bitmasks. This results in
O(N^2)
comparisons, since each word's bitmask is compared with every other word's bitmask. -
Checking for common characters and updating the maximum product happens in constant time,
O(1)
, for each pair of words compared.
Combining these steps, the overall time complexity is O(N * L + N^2)
.
Since typically L <= 1000
and the main contributing factor for large inputs is N
, and because N^2
grows faster than N * L
, the N^2
term dominates for large N
, so the overall time complexity can be considered O(N^2)
.
Space Complexity
-
The space used to store the bitmasks: For
N
words, we store a bitmask for each, which usesO(N)
space. -
No additional significant space is used, since other variables use constant space.
Hence, the space complexity of the code is O(N)
.
Learn more about how to find time and space complexity quickly using problem constraints.
Is the following code DFS or BFS?
void search(Node root) { if (!root) return; visit(root); root.visited = true; for (Node node in root.adjacent) { if (!node.visited) { search(node); } } }
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!