目录
- 100263. 哈沙德数 简单
- 100235. 换水问题 II 中等
- 100266. 交替子数组计数 中等
100263. 哈沙德数 简单
100263. 哈沙德数
分析:
按题意将数的各个数位进行求和,计算即可。
代码:
class Solution {
public:int sumOfTheDigitsOfHarshadNumber(int x) {int t = x, ans = 0;while(t){ans += t % 10;t /= 10;}return x % ans == 0 ? ans : -1;}
};
100235. 换水问题 II 中等
100235. 换水问题 II
分析:
Empty Bottles >= numExchange
时才能用足够数量的空瓶换成一个满水瓶。
按照题意模拟即可。
代码:
class Solution {
public:int maxBottlesDrunk(int numBottles, int numExchange) {int i=0 , n = numBottles;for(;;i++){if(n < i+numExchange) break;n -= (i+numExchange-1);}return numBottles + (numBottles < numExchange ? 0 : i);}
};
100266. 交替子数组计数 中等
100266. 交替子数组计数
分析:
对于每一个数,计算其能属于的最长的交替子数组,该最长的交替子数组的子数组均为交替数组(根据等差数列求和即可计算数量)。
代码:
class Solution {
public:long long countAlternatingSubarrays(vector<int>& nums) {int n = nums.size(), l=1;long long ans=0;for(int i=1;i<n;i++){if(nums[i]!=nums[i-1]) l++;else{ans += (1LL*l*(l+1)/2);l=1;}}ans += (1LL*l*(l+1)/2);return ans;}
};