318.最大单词长度乘积

【LetMeFly】318.最大单词长度乘积

力扣题目链接:https://leetcode.cn/problems/maximum-product-of-word-lengths/

给你一个字符串数组 words ,找出并返回 length(words[i]) * length(words[j]) 的最大值,并且这两个单词不含有公共字母。如果不存在这样的两个单词,返回 0

 

示例 1:

输入:words = ["abcw","baz","foo","bar","xtfn","abcdef"]
输出:16 
解释这两个单词为 "abcw", "xtfn"

示例 2:

输入:words = ["a","ab","abc","d","cd","bcd","abcd"]
输出:4 
解释这两个单词为 "ab", "cd"

示例 3:

输入:words = ["a","aa","aaa","aaaa"]
输出:0 
解释不存在这样的两个单词。

 

提示:

  • 2 <= words.length <= 1000
  • 1 <= words[i].length <= 1000
  • words[i] 仅包含小写字母

方法一:模拟

对于一个单词(字符串),我们可以使用一个整数二进制下的低26位代表这个单词中出现过的字母。这个整数的低$i$位代表字母$i$是否出现过。

这样,对于两个单词是否有相同的字母,我们只需要看这两个单词对应的整数与运算的结果是否为$0$即可。

  • 时间复杂度$O(n^2\times L)$,其中$n=len(words)$
  • 空间复杂度$O(n)$

方法二:模拟+哈希表小优化

方法一中,我们需要遍历每一个单词对应的整数,以观察二者是否有相同的字母。

方法二中的小优化是:使用哈希表存储整数$mask$对应单词的最大长度。复杂度不变,但是对于出现的字母相同的所有单词,只会存储一次。

  • 时间复杂度$O(n^2\times L)$,其中$n=len(words)$
  • 空间复杂度$O(n)$

AC代码

C++

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
class Solution {
private:
int genMask(string& s) {
int ans = 0;
for (char c : s) {
ans |= (1 << (c - 'a'));
}
return ans;
}
public:
int maxProduct(vector<string>& words) {
unordered_map<int, int> ma;
int ans = 0;
for (string& s : words) {
int mask = genMask(s);
int length = s.size();
for (auto&& [thatMask, thatLength] : ma) {
if (!(mask & thatMask)) {
ans = max(ans, length * thatLength);
}
}
ma[mask] = max(ma[mask], length);
}
return ans;
}
};

Python

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
# from typing import List
# from collections import defaultdict

class Solution:
def genMask(self, s: str) -> int:
ans = 0
for c in s:
ans |= (1 << (ord(c) - ord('a')))
return ans

def maxProduct(self, words: List[str]) -> int:
ma = defaultdict(int)
ans = 0
for s in words:
mask, length = self.genMask(s), len(s)
for key, val in ma.items():
if not key & mask:
ans = max(ans, val * length)
ma[mask] = max(ma[mask], length)
return ans

同步发文于CSDN,原创不易,转载经作者同意后请附上原文链接哦~
Tisfy:https://letmefly.blog.csdn.net/article/details/134254146


318.最大单词长度乘积
https://blog.letmefly.xyz/2023/11/06/LeetCode 0318.最大单词长度乘积/
作者
Tisfy
发布于
2023年11月6日
许可协议