练习题 乘积小于K的子数组

题目

给你一个整数数组 nums 和一个整数 k ,请你返回子数组内所有元素的乘积严格小于 k 的连续子数组的数目。

示例 1:

输入:nums = [10,5,2,6], k = 100
输出:8
解释:8 个乘积小于 100 的子数组分别为:[10]、[5]、[2],、[6]、[10,5]、[5,2]、[2,6]、[5,2,6]。
需要注意的是 [10,5,2] 并不是乘积小于 100 的子数组。

示例 2:

输入:nums = [1,2,3], k = 0
输出:0

提示: 

  • 1 <= nums.length <= 3 * 104
  • 1 <= nums[i] <= 1000
  • 0 <= k <= 106
提交代码
//乘积小于K的子数组

//求乘积小于K的子数组的数目
//连续一段元素的关系
//滑动窗口(同向双指针)

#include
#include
using namespace std;

vector nums;//整数数组
int k;//目标整数
int result = 0;//结果
int multification = 1;//乘积结果 
int n;//整数数组长度 

//滑动窗口
void slidingWindow(){
	int left = 0,right;//左右指针
	
	//循环右移右指针 
	for(right = 0;right < n;right++){
		//并入右侧元素
		multification *= nums[right];
		
		//循环左移左侧元素
		while(multification >= k && left <= right){
			multification /= nums[left];
			left++;
		}
		
		result += (right - left + 1);
	} 
} 

int main(){
	//输入整数数组 
	int t; 
	
	while(cin.peek() != '\n'){
		scanf("%d",&t);
		nums.push_back(t);
	}
	
	//输入目标整数
	scanf("%d",&k); 
	
	//-------------------------------
	
	n = nums.size();//整数数组长度 
	
	//滑动窗口
	slidingWindow();
	
	//输出结果
	printf("%d",result);
	
	return 0;
} 
 总结

解题思路:题目求连续子数组的乘积相关的问题,属于连续一段元素的群体关系,适用于滑动窗口(同向双指针),移动左指针时输入不满足条件的进入循环移动左指针,满足条件时跳出循环右移一位右指针。

你可能感兴趣的:(练习题,算法,数据结构,leetcode,c++,笔记)