合并序列

题目大意:合并k个序列为一个,满足本来在同一序列中的两个数的相对位置不变。 定义一个序列 A 的不和谐度为序列中使得A[i] > A[i + 1]成立的 i 的总数,请输出一种,合并方案,使得合并后的序列不和谐度最小。

Input:

1
2
3
4
输入的第一行包括一个整数 K。
接下来 K 行,每数 5 个整数 Ni, Ai[1], xi, yi, pi描述一个序列。
其中 Ni为序列长度,Ai[1]
为序列第一个数字。序列中剩余元素的生成规则如下:对于j ≥ 2, A𝑖[j] = (A𝑖[j − 1] × x𝑖 +y𝑖)𝑚𝑜𝑑 p𝑖

Output:

1
0

题目分析:

1
2
3
4
5
首先我们考虑把每个序列单拎出来看
对于每一个序列,人为规定分成几块:保证每一个块里都是单调递增的
纵观全局,每一个序列都被分成了几块,每一块都是单调递增的
所以不同序列的对应的块在合并的时,也将会是单调递增的
所以答案就是每一个序列的块的个数的最大值再减一

代码如下:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
#include <bits/stdc++.h>
#define int long long
using namespace std;

const int N = 2e5 + 66;

inline int read()
{
int s(0), w(1);
char ch = getchar();
while (ch < '0' || ch > '9') {if (ch == '-') w = -1; ch = getchar();}
while (ch >= '0' && ch <= '9') s = s * 10 + ch - '0', ch = getchar();
return s * w;
}

inline void put(int x)
{
if (! x) putchar('0');
if (x < 0) putchar('-'), x = -x;
int num(0); char c[66];
while (x) c[++ num] = x % 10 + 48, x /= 10;
while (num) putchar(c[num --]);
return (void)(putchar('\n'));
}

int k, n;
int a[N], res;

inline int calc()
{
int i, j, ans(0);
for (i = 1; i <= n; i = j + 1)
{
j = i;
++ ans;
while (a[j] < a[j + 1]) ++ j;
}
return ans - 1;
}

signed main()
{
int i, t; k = read();

for (t = 1; t <= k; ++ t)
{
n = read(), a[1] = read();
int x = read(), y = read(), p = read();
for (i = 2; i <= n; ++ i) a[i] = (a[i - 1] * x + y) % p;
res = max(res, calc());
}

put(res);
return 0;
}