1726.同积元组

【LetMeFly】1726.同积元组:哈希表(组合数学)

力扣题目链接:https://leetcode.cn/problems/tuple-with-same-product/

给你一个由 不同 正整数组成的数组 nums ,请你返回满足 a * b = c * d 的元组 (a, b, c, d) 的数量。其中 abcd 都是 nums 中的元素,且 a != b != c != d

 

示例 1:

输入:nums = [2,3,4,6]
输出:8
解释:存在 8 个满足题意的元组:
(2,6,3,4) , (2,6,4,3) , (6,2,3,4) , (6,2,4,3)
(3,4,2,6) , (4,3,2,6) , (3,4,6,2) , (4,3,6,2)

示例 2:

输入:nums = [1,2,4,5,10]
输出:16
解释:存在 16 个满足题意的元组:
(1,10,2,5) , (1,10,5,2) , (10,1,2,5) , (10,1,5,2)
(2,5,1,10) , (2,5,10,1) , (5,2,1,10) , (5,2,10,1)
(2,10,4,5) , (2,10,5,4) , (10,2,4,5) , (10,2,4,5)
(4,5,2,10) , (4,5,10,2) , (5,4,2,10) , (5,4,10,2)

 

提示:

  • 1 <= nums.length <= 1000
  • 1 <= nums[i] <= 104
  • nums 中的所有元素 互不相同

方法一:哈希表(组合数学)

本题的数据量为$10^3$,大约可以在$O(n^2)$的时间复杂度内解决。

因此我们只需要预先两层遍历一下nums数组,将所有的两数之积出现的次数统计出来并放入哈希表中。这样,对于两数之积$k$,我们可以通过哈希表在$O(1)$的时间复杂度内得到两数之积为$k$的数对的个数。

最后就是组合数学的问题了。对于两数之积$k$,有多少个$(a,b,c,d)$使得$a\times b=k=c\times d\ ①$呢?

假设有$v$个“两数之积”等于$k$,那么我们可以先从这$v$个数对中选出两个($A_v^2$),分别放在等式$①$的左边和右边($a_1\times b_1=a_2\times b_2$)。然后对于$a_1$和$b_1$,有两种顺序($(a_1, b_1)$和$(b_1, a_1)$),$a_2,b_2$也有两种顺序。也就是说,对于$a_1\times b_1=a_2\times b_2$,一共有$2\times2=4$种顺序($a_1,b_1,a_2,b_2$、$b_1,a_1,a_2,b_2$、$a_1,b_1,b_2,a_2$、$b_1,a_1,b_2,a_2$)。

也就是说,如果有$v$个两数之积等于$k$,那么有$A_v^2\times 4$种“(a, b, c, d)”四元组使得$a\times b=c\times d$。

对于所有的$k$,累加上式即可。

  • 时间复杂度$O(len(nums)^2)$
  • 空间复杂度$O(len(nums)^2)$

AC代码

C++

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
class Solution {
public:
int tupleSameProduct(vector<int>& nums) {
unordered_map<int, int> ma;
for (int i = 0; i < nums.size(); i++) {
for (int j = i + 1; j < nums.size(); j++) {
ma[nums[i] * nums[j]]++;
}
}
int ans = 0;
for (auto&& [k, v] : ma) {
ans += v * (v - 1) * 4;
}
return ans;
}
};

Python

皮一下:

1
2
3
4
5
6
# from collections import Counter
# from typing import List

class Solution:
def tupleSameProduct(self, nums: List[int]) -> int:
return sum([v * (v - 1) * 4 for _, v in Counter([nums[i] * nums[j] for i in range(len(nums)) for j in range(i + 1, len(nums))]).items()])

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


1726.同积元组
https://blog.letmefly.xyz/2023/10/19/LeetCode 1726.同积元组/
作者
Tisfy
发布于
2023年10月19日
许可协议