C++题解-Leecode 318. 最大单词长度乘积——Leecode每日一题系列
Posted 来老铁干了这碗代码
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了C++题解-Leecode 318. 最大单词长度乘积——Leecode每日一题系列相关的知识,希望对你有一定的参考价值。
今天是坚持每日一题打卡的第二十二天
题目链接:https://leetcode-cn.com/problems/maximum-product-of-word-lengths/
题解汇总:https://zhanglong.blog.csdn.net/article/details/121071779
题目描述
给定一个字符串数组 words,找到 length(word[i]) * length(word[j]) 的最大值,并且这两个单词不含有公共字母。你可以认为每个单词只包含小写字母。如果不存在这样的两个单词,返回 0。
示例 1:
输入: [“abcw”,“baz”,“foo”,“bar”,“xtfn”,“abcdef”]
输出: 16
解释: 这两个单词为 “abcw”, “xtfn”。
示例 2:
输入: [“a”,“ab”,“abc”,“d”,“cd”,“bcd”,“abcd”]
输出: 4
解释: 这两个单词为 “ab”, “cd”。
示例 3:
输入: [“a”,“aa”,“aaa”,“aaaa”]
输出: 0
解释: 不存在这样的两个单词。
提示:
2 <= words.length <= 1000
1 <= words[i].length <= 1000
words[i] 仅包含小写字母
核心思路: 位运算 + 字符串
由于字母只有26位,因此可以采用或运算的方式求出每个单词中字母出现的位置和次数
同时,如果两个数相与为0,则代表这两个字符串无字母重复。
class Solution
private:
static const int MAX_LEN = 1000 + 10;
public:
int maxProduct(vector<string>& words)
int arr[MAX_LEN] = 0, pos = 0;
int res = 0;
for (int i = 0; i < words.size(); i++)
int t = 0;
for (auto j : words[i])
t = t | (1 << (j-'a'));
arr[pos++] = t;
for (int i = 0; i < pos; i++)
for(int j = i + 1; j < pos; j++)
if ((arr[i] & arr[j]) == 0) res = max(res, int(words[i].size() * words[j].size()));
return res;
;
以上是关于C++题解-Leecode 318. 最大单词长度乘积——Leecode每日一题系列的主要内容,如果未能解决你的问题,请参考以下文章