comments | difficulty | edit_url | tags | |||
---|---|---|---|---|---|---|
true |
中等 |
|
给定一个整数数组 arr
,返回所有 arr
的非空子数组的不同按位或的数量。
子数组的按位或是子数组中每个整数的按位或。含有一个整数的子数组的按位或就是该整数。
子数组 是数组内连续的非空元素序列。
示例 1:
输入:arr = [0] 输出:1 解释: 只有一个可能的结果 0 。
示例 2:
输入:arr = [1,1,2] 输出:3 解释: 可能的子数组为 [1],[1],[2],[1, 1],[1, 2],[1, 1, 2]。 产生的结果为 1,1,2,1,3,3 。 有三个唯一值,所以答案是 3 。
示例 3:
输入:arr = [1,2,4] 输出:6 解释: 可能的结果是 1,2,3,4,6,以及 7 。
提示:
1 <= nums.length <= 5 * 104
0 <= nums[i] <= 109
题目求的是子数组按位或操作的结果的数量,如果我们枚举子数组的结束位置
因此,我们用一个哈希表
接下来,我们枚举子数组的结束位置
最终,我们返回哈希表
时间复杂度
class Solution:
def subarrayBitwiseORs(self, arr: List[int]) -> int:
ans = set()
s = set()
for x in arr:
s = {x | y for y in s} | {x}
ans |= s
return len(ans)
class Solution {
public int subarrayBitwiseORs(int[] arr) {
Set<Integer> ans = new HashSet<>();
Set<Integer> s = new HashSet<>();
for (int x : arr) {
Set<Integer> t = new HashSet<>();
for (int y : s) {
t.add(x | y);
}
t.add(x);
ans.addAll(t);
s = t;
}
return ans.size();
}
}
class Solution {
public:
int subarrayBitwiseORs(vector<int>& arr) {
unordered_set<int> ans;
unordered_set<int> s;
for (int x : arr) {
unordered_set<int> t;
for (int y : s) {
t.insert(x | y);
}
t.insert(x);
ans.insert(t.begin(), t.end());
s = move(t);
}
return ans.size();
}
};
func subarrayBitwiseORs(arr []int) int {
ans := map[int]bool{}
s := map[int]bool{}
for _, x := range arr {
t := map[int]bool{x: true}
for y := range s {
t[x|y] = true
}
for y := range t {
ans[y] = true
}
s = t
}
return len(ans)
}
function subarrayBitwiseORs(arr: number[]): number {
const ans: Set<number> = new Set();
const s: Set<number> = new Set();
for (const x of arr) {
const t: Set<number> = new Set([x]);
for (const y of s) {
t.add(x | y);
}
s.clear();
for (const y of t) {
ans.add(y);
s.add(y);
}
}
return ans.size;
}