1085 Perfect Sequence (25分)

PAT甲级官网

题目

1085 Perfect Sequence (25分)_第1张图片Sample Input:

10 8
2 3 20 4 5 1 6 7 8 9

Sample Output:

8

分析

这道题目看似平平无奇,事实上隐藏着一个剪枝的小技巧,如果不进行只是使用循环的话,可能会超时。

要点

转换下思路,利用前面的结果来剪枝,先进行排序,使用result来保存之前最长的长度,后面就可以直接从i+result开始,跳过result个之前比较过的值。

知识点

  • 使用尽可能多的数组成符合 M < N * q的数组
  • N是最小,M是最大

题解

#include 
#include 
#include 
using namespace std;
int main(){
    int n;
    long long p;
    scanf("%d%lld", &n, &p);
    vector<int> v(n);
    for (int i = 0; i < n; i++)
        cin >> v[i];
    sort(v.begin(), v.end()); ///对顺序没要求就应该先排序
    int result = 0, temp = 0;
    for (int i = 0; i < n; i++) {
        for (int j = i + result; j < n; j++) {
            if (v[j] <= v[i] * p) {
                temp = j - i + 1;
                if (temp > result) ///result
                    result = temp;
            } else {
                break;
            }
        }
    }
    cout << result;
    return 0;
}

你可能感兴趣的:(#,PAT)