PREV-282 杨辉三角形【第十二届】【蓝桥杯省赛】【B组】
data:image/s3,"s3://crabby-images/3b2dc/3b2dcb1803d6b43965f118d52d0bfe3d0354df5b" alt=""
data:image/s3,"s3://crabby-images/e7a1e/e7a1e4cbeafa48ca305ac43474caadb3e7778c21" alt=""
(二分查找 + 递推):
解析:
1.杨辉三角具有对称性:
data:image/s3,"s3://crabby-images/03325/03325e4374ed218ef20d195d7d3bc3e37c89850e" alt=""
2.杨辉三角具有一定规律
data:image/s3,"s3://crabby-images/62bbe/62bbed810228314998cd6d5fe57f5f554a1a4242" alt=""
data:image/s3,"s3://crabby-images/730ef/730eff91ae56ef47c64adf530e01981545116901" alt=""
通过观察发现,第一次出现的地方一定在左部靠右的位置,所以从后往前进行查找
代码:
cpp
#include <iostream>
#include <algorithm>
using namespace std;
typedef long long LL;
LL n;
LL C(int a, int b)
{
LL res = 1;
for (int i = 1, j = a; i <= b; i ++, j --)
{
res = res * j / i;
if (res > n)
return res;
}
return res;
}
//检查第k斜行
bool check(int k)
{
LL l = 2 * k, r = max(n, l);
while (l < r)
{
LL mid = (l + r) / 2;
if (C(mid, k) >= n) r = mid;
else l = mid + 1;
}
if (C(l, k) != n) return false;
else
{
//k是行数
LL res = (l + 1) * l / 2 + k + 1;
printf("%lld\n", res);
return true;
}
}
int main()
{
cin >> n;
for (int i = 16;; i --)
if (check(i))
break;
return 0;
}