给你三个整数数组nums1
、nums2
和nums3
,请你构造并返回一个与这三个数组都不同的数组,且由至少在两个数组中出现的所有值组成。数组中的元素可以按任意顺序排列。
示例 1:
输入:nums1 = [1,1,3,2], nums2 = [2,3], nums3 = [3]
输出:[3,2]
解释:至少在两个数组中出现的所有值为:
- 3 ,在全部三个数组中都出现过。
- 2 ,在数组 nums1 和 nums2 中出现过。
示例 2:
输入:nums1 = [3,1], nums2 = [2,3], nums3 = [1,2]
输出:[2,3,1]
解释:至少在两个数组中出现的所有值为:
- 2 ,在数组 nums2 和 nums3 中出现过。
- 3 ,在数组 nums1 和 nums2 中出现过。
- 1 ,在数组 nums1 和 nums3 中出现过。
示例 3:
输入:nums1 = [1,2,2], nums2 = [4,3,3], nums3 = [5]
输出:[]
解释:不存在至少在两个数组中出现的值。
提示:
1 <= nums1.length, nums2.length, nums3.length <= 100
1 <= nums1[i], nums2[j], nums3[k] <= 100
Python:
class Solution:
def twoOutOfThree(self, nums1: List[int], nums2: List[int], nums3: List[int]) -> List[int]:
set1, set2, set3 = set(nums1), set(nums2), set(nums3)
return list((set1&set2)|(set2&set3)|(set1&set3))
Java:
class Solution {
public List<Integer> twoOutOfThree(int[] nums1, int[] nums2, int[] nums3) {
HashSet<Integer> set1 = new HashSet<>();
HashSet<Integer> set2 = new HashSet<>();
HashSet<Integer> set3 = new HashSet<>();
HashSet<Integer> set4 = new HashSet<>();
for(int num: nums1)
set1.add(num);
for(int num: nums2)
set2.add(num);
for(int num: nums3)
set3.add(num);
for(int num: nums1)
set4.add(num);
set1.retainAll(set2);
set2.retainAll(set3);
set4.retainAll(set3);
set1.addAll(set2);
set1.addAll(set4);
return new ArrayList<Integer>(set1);
}
}
留言