满足这是一道 ST 表经典题——静态区间最大值 请注意最大数据时限只有 0.8s,数据强度不低,请务必保证你的每次查询复杂度为 � ( 1 ) O(1)。若使用更高时间复杂度算法不保证能通过。 如果您认为您的代码时间复杂度正确但是 TLE,可以尝试使用快速读入: inline int read() { int x=0,f=1;char ch=getchar(); while (ch<'0'||ch>'9'){if (ch=='-') f=-1;ch=getchar();} while (ch>='0'&&ch<='9'){x=x*10+ch-48;ch=getchar();} return x*f; } 函数返回值为读入的第一个整数。 快速读入作用仅为加快读入,并非强制使用。#include<iostream> #include<cstdio> #include<algorithm> using namespace std; int n[200005], m,a,b,c,d; int correct(int c1, int c2) { int j = 0; for (int i = c1; i <= c2; i++) j = max(n[i], j); return j; } inline int read() { int x = 0, f = 1; char ch = getchar(); while (ch < '0' || ch>'9') { if (ch == '-') f = -1; ch = getchar(); } while (ch >= '0' && ch <= '9') { x = x * 10 + ch - 48; ch = getchar(); } return x * f; } int main() { int i = 1; cin >> a >> b; for(i;i<=a;i++) n[i] = read(); while (b--) { cin >> c >> d; cout << correct(c, d) << endl;; } return 0; }怎么修改
时间: 2023-10-24 15:04:39 浏览: 97
DC/DC转换器数据表——静态电流解密:部分
要将上述代码修改为满足题目要求的时间复杂度O(1),可以使用ST表(Sparse Table)数据结构。以下是修改后的代码:
```cpp
#include <iostream>
#include <cstdio>
#include <algorithm>
using namespace std;
const int MAXN = 200005;
const int MAXLOG = 20;
int n[MAXN], m, a, b, c, d;
int st[MAXN][MAXLOG];
void initST()
{
for (int i = 1; i <= a; i++)
st[i][0] = n[i];
for (int j = 1; (1 << j) <= a; j++)
{
for (int i = 1; i + (1 << j) - 1 <= a; i++)
{
st[i][j] = max(st[i][j - 1], st[i + (1 << (j - 1))][j - 1]);
}
}
}
int query(int l, int r)
{
int k = 0;
while ((1 << (k + 1)) <= r - l + 1)
k++;
return max(st[l][k], st[r - (1 << k) + 1][k]);
}
inline int read()
{
int x = 0, f = 1;
char ch = getchar();
while (ch < '0' || ch > '9')
{
if (ch == '-')
f = -1;
ch = getchar();
}
while (ch >= '0' && ch <= '9')
{
x = x * 10 + ch - 48;
ch = getchar();
}
return x * f;
}
int main()
{
int i = 1;
cin >> a >> b;
for (i; i <= a; i++)
n[i] = read();
initST();
while (b--)
{
cin >> c >> d;
cout << query(c, d) << endl;
}
return 0;
}
```
在这个修改后的代码中,我们使用ST表数据结构来存储每个区间的最大值。在预处理阶段,我们计算出每个长度为2^j的区间的最大值,并存储在`st`数组中。然后,当需要查询c到d范围内的最大值时,我们根据区间长度选择合适的j值,并使用`st[l][k]`和`st[r - (1 << k) + 1][k]`来获取结果。这样,每次查询的时间复杂度都是O(1),满足题目要求。
另外,我们还使用了快速读入来加快输入速度,以适应题目给定的时间限制。
阅读全文