国王游戏(贪心 + 高精度乘法 + 高精度除法 + 高精度比较大小)

题目描述

恰逢 H 国国庆,国王邀请 n 位大臣来玩一个有奖游戏。

首先,他让每个大臣在左、右手上面分别写下一个整数,国王自己也在左、右手上各写一个整数。

然后,让这 n 位大臣排成一排,国王站在队伍的最前面。

排好队后,所有的大臣都会获得国王奖赏的若干金币,每位大臣获得的金币数分别是:

排在该大臣前面的所有人的左手上的数的乘积除以他自己右手上的数,然后向下取整得到的结果。

国王不希望某一个大臣获得特别多的奖赏,所以他想请你帮他重新安排一下队伍的顺序,使得获得奖赏最多的大臣,所获奖赏尽可能的少。

注意,国王的位置始终在队伍的最前面。

输入格式

第一行包含一个整数 n,表示大臣的人数。
第二行包含两个整数 a 和 b,之间用一个空格隔开,分别表示国王左手和右手上的整数。
接下来 n 行,每行包含两个整数 a 和 b,之间用一个空格隔开,分别表示每个大臣左手和右手上的整数。

输出格式

输出只有一行,包含一个整数,表示重新排列后的队伍中获奖赏最多的大臣所获得的金币数。

数据范围

1≤n≤1000
0

输入样例:

3
1 1
2 3
7 4
4 6

输出样例:

2

题解:首先用贪心的思想先排序,排序的规律为a.x * a.y < b.x * b.y, 这个结果可以证出来,我就不多描述了, 其次是这道题给出的数非常的大,很明显要用高精度来做。

代码如下:

#include
using namespace std;
struct p{
    int x, y;
}a[1010];
bool cmp(p a, p b)
{
    return a.x * a.y < b.x * b.y;
}
vector<int> mul(vector<int> a, int b) //高精度乘法
{
    reverse(a.begin(), a.end());
    vector<int> c;
    int t = 0;
    for(int i = 0; i < a.size(); i++){
        t += a[i] * b;
        c.push_back(t % 10);
        t /= 10;
    }
    while(t){
        c.push_back(t % 10);
        t /= 10;
    }
    reverse(c.begin(), c.end());
    return c;
}
vector<int> div(vector<int> a, int b)  //高精度除法
{
    vector<int> c;
    bool flag = false;
    int t = 0;
    for(int i = 0; i < a.size(); i++){
        t = t * 10 + a[i];
        int x = t / b;
        if(x || flag){
            flag = true;
            c.push_back(x);
        }
        t %= b;
    }
    return c;
}
vector<int> max_vec(vector<int> a, vector<int> b)  //比较大小
{ 
    if(a.size() != b.size())
        return a.size() > b.size() ? a : b;
    else
        return a > b ? a : b;
}
void output(vector<int > a) //输出
{
    for(int i = 0; i < a.size(); i++)
        cout << a[i];
    cout << endl;
}
int main()
{
    int n;
    cin >> n;
    for(int i = 0; i <= n; i++)
        cin >> a[i].x >> a[i].y;
    sort(a + 1, a + n + 1, cmp);
    vector<int> ans, now;
    now.push_back(1);
    for(int i = 1; i <= n; i++){
        now = mul(now, a[i - 1].x);
        ans = max_vec(ans, div(now, a[i].y));
    }
    output(ans);
    return 0;
}

你可能感兴趣的:(数据结构与算法题解总集)