comments | difficulty | edit_url | rating | source | tags | |||
---|---|---|---|---|---|---|---|---|
true |
中等 |
1495 |
第 312 场周赛 Q2 |
|
给你一个长度为 n
的整数数组 nums
。
考虑 nums
中进行 按位与(bitwise AND)运算得到的值 最大 的 非空 子数组。
- 换句话说,令
k
是nums
任意 子数组执行按位与运算所能得到的最大值。那么,只需要考虑那些执行一次按位与运算后等于k
的子数组。
返回满足要求的 最长 子数组的长度。
数组的按位与就是对数组中的所有数字进行按位与运算。
子数组 是数组中的一个连续元素序列。
示例 1:
输入:nums = [1,2,3,3,2,2] 输出:2 解释: 子数组按位与运算的最大值是 3 。 能得到此结果的最长子数组是 [3,3],所以返回 2 。
示例 2:
输入:nums = [1,2,3,4] 输出:1 解释: 子数组按位与运算的最大值是 4 。 能得到此结果的最长子数组是 [4],所以返回 1 。
提示:
1 <= nums.length <= 105
1 <= nums[i] <= 106
由于按位与的操作,不会使得数字变大,因此最大值就是数组中的最大值。
题目可以转换为求最大值在数组中最多连续出现的次数。
我们先遍历数组
时间复杂度
class Solution:
def longestSubarray(self, nums: List[int]) -> int:
mx = max(nums)
ans = cnt = 0
for x in nums:
if x == mx:
cnt += 1
ans = max(ans, cnt)
else:
cnt = 0
return ans
class Solution {
public int longestSubarray(int[] nums) {
int mx = Arrays.stream(nums).max().getAsInt();
int ans = 0, cnt = 0;
for (int x : nums) {
if (x == mx) {
ans = Math.max(ans, ++cnt);
} else {
cnt = 0;
}
}
return ans;
}
}
class Solution {
public:
int longestSubarray(vector<int>& nums) {
int mx = ranges::max(nums);
int ans = 0, cnt = 0;
for (int x : nums) {
if (x == mx) {
ans = max(ans, ++cnt);
} else {
cnt = 0;
}
}
return ans;
}
};
func longestSubarray(nums []int) (ans int) {
mx := slices.Max(nums)
cnt := 0
for _, x := range nums {
if x == mx {
cnt++
ans = max(ans, cnt)
} else {
cnt = 0
}
}
return
}
function longestSubarray(nums: number[]): number {
const mx = Math.max(...nums);
let [ans, cnt] = [0, 0];
for (const x of nums) {
if (x === mx) {
ans = Math.max(ans, ++cnt);
} else {
cnt = 0;
}
}
return ans;
}
impl Solution {
pub fn longest_subarray(nums: Vec<i32>) -> i32 {
let mx = *nums.iter().max().unwrap();
let mut ans = 0;
let mut cnt = 0;
for &x in nums.iter() {
if x == mx {
cnt += 1;
ans = ans.max(cnt);
} else {
cnt = 0;
}
}
ans
}
}
/**
* @param {number[]} nums
* @return {number}
*/
var longestSubarray = function (nums) {
const mx = Math.max(...nums);
let [ans, cnt] = [0, 0];
for (const x of nums) {
if (x === mx) {
ans = Math.max(ans, ++cnt);
} else {
cnt = 0;
}
}
return ans;
};