原題連結:https://www.luogu.com.cn/problem/P2660
題意解讀:對一個長方形,切割出最少數量的正方形,計算所有正方形的邊長。
解題思路:
長方形長、寬為x,y
先判斷x,y哪個長,哪個短
長的作為l,短的作為s
先切出s * s的正方形,一共可以切出l / s個,累加周長ans += l / s * s * 4
在對剩下的s * (l % s)部分進行上述同樣的處理
直到l % s == 0,也就是沒有剩下的部分為止
整個過程遞迴處理,注意全程long long
100分程式碼:
#include <bits/stdc++.h>
using namespace std;
typedef long long LL;
LL x, y, ans;
void tian(LL l, LL s)
{
LL cnt = l / s; //分出邊長為s的正方形
ans += cnt * s * 4; //累加正方形邊長
if(l % s == 0) return; //如果正好分完正方形
LL maxx = max(l % s, s);
LL minx = min(l % s, s);
tian(maxx, minx); //對剩下的部分繼續遞迴
}
int main()
{
cin >> x >> y;
LL maxx = max(x, y);
LL minx = min(x, y);
tian(maxx, minx);
cout << ans;
return 0;
}