2240.买钢笔和铅笔的方案数

【LetMeFly】2240.买钢笔和铅笔的方案数

力扣题目链接:https://leetcode.cn/problems/number-of-ways-to-buy-pens-and-pencils/

给你一个整数 total ,表示你拥有的总钱数。同时给你两个整数 cost1 和 cost2 ,分别表示一支钢笔和一支铅笔的价格。你可以花费你部分或者全部的钱,去买任意数目的两种笔。

请你返回购买钢笔和铅笔的 不同方案数目 。

 

示例 1:

输入:total = 20, cost1 = 10, cost2 = 5
输出:9
解释:一支钢笔的价格为 10 ,一支铅笔的价格为 5 。
- 如果你买 0 支钢笔,那么你可以买 0 ,1 ,2 ,3 或者 4 支铅笔。
- 如果你买 1 支钢笔,那么你可以买 0 ,1 或者 2 支铅笔。
- 如果你买 2 支钢笔,那么你没法买任何铅笔。
所以买钢笔和铅笔的总方案数为 5 + 3 + 1 = 9 种。

示例 2:

输入:total = 5, cost1 = 10, cost2 = 10
输出:1
解释:钢笔和铅笔的价格都为 10 ,都比拥有的钱数多,所以你没法购买任何文具。所以只有 1 种方案:买 0 支钢笔和 0 支铅笔。

 

提示:

  • 1 <= total, cost1, cost2 <= 106

方法一:单方枚举

首先令$cost1 \leq cost2$(如果不,就swap(cost1, cost2))。

我们可以算出最多买多少根钢笔2($M2 = \lfloor \frac{total}{cost2} \rfloor$)。

这样,我们就可以从$0$到$M2$枚举钢笔2的个数。

购买了$i$个钢笔2时,购买钢笔1的方案数为$\lceil \frac{total - i \times cost2}{cost1} \rceil$。

  • 时间复杂度$O($\lfloor \frac{total}{cost2} \rfloor$)$(如果cost1不大于cost2就交换二者)
  • 空间复杂度$O(1)$

AC代码

C++

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
typedef long long ll;
class Solution {
public:
ll waysToBuyPensPencils(int total, int cost1, int cost2) {
ll ans = 0;
if (cost1 > cost2) { // let cost1 <= cost2
swap(cost1, cost2);
}
int M2 = total / cost2; // max2
for (int i = 0; i <= M2; i++) {
ans += (total - cost2 * i) / cost1 + 1;
}
return ans;
}
};

Python

1
2
3
4
5
6
7
8
9
class Solution:
def waysToBuyPensPencils(self, total: int, cost1: int, cost2: int) -> int:
if cost1 > cost2:
cost1, cost2 = cost2, cost1
ans = 0
M2 = total // cost2
for i in range(M2 + 1):
ans += (total - i * cost2) // cost1 + 1
return ans

同步发文于CSDN,原创不易,转载经作者同意后请附上原文链接哦~
Tisfy:https://letmefly.blog.csdn.net/article/details/132617507


2240.买钢笔和铅笔的方案数
https://blog.letmefly.xyz/2023/09/01/LeetCode 2240.买钢笔和铅笔的方案数/
作者
Tisfy
发布于
2023年9月1日
许可协议