标签:namespace for 时间 while name names ace 重复元素 const
核心思想就是缩减时间复杂度
for (int i = 0; i < n; i++) {
for (int j = 0; j < n; j++) {
时间复杂度是O(n * n)
}
}
双指针模板
for (i = 0; j = 0; j < n; j++) {
while (j < i && check(i, j)) {
j++;
}
}
简单例题举例,假如有一个字符串,单词用空格分割,就一个空格,开头无空格,输出所有单词
假如输入 hs yyds tql 输出 hs yyds tql
代码如下
#include<iostream>
#include<string.h>
using namespace std;
int main() {
char str[1000];
gets(str);
int n = strlen(str);
for (int i = 0; i < n; i++) {
int j = i;
while (j < n && str[j] != ‘ ‘) {
j++;
}
for (int k = i; k < j; k++) {
cout<<str[k];
}
cout<<endl;
i = j;
}
}
例题:
给定一个长度为 n 的整数序列,请找出最长的不包含重复的数的连续区间,输出它的长度。
第一行包含整数 n。
第二行包含 n 个整数(均在 0~105 范围内),表示整数序列。
共一行,包含一个整数,表示最长的不包含重复的数的连续区间的长度。
1≤n≤105
5
1 2 2 3 5
3
解释输出3是因为最长区间为[2, 3 ,5]
题解:
#include<bits/stdc++.h> //万能头文件
using namespace std;
const int N = 100010;
int n;
int a[N], s[N];
int main() {
cin>>n;
for (int i = 0; i < n; i++) {
cin>>a[i];
}
int res = 0;
for (int i = 0, j = 0; i < n; i++) {
s[a[i]]++;
while (s[a[i]] > 1) {
s[a[j]]--;
j++;
}
res = max(res, i - j + 1);
}
cout<<res<<endl;
return 0;
}
朴素算法模板
时间复杂度 O(n * n)
for (int i = 0; i < n; i++) {
for (int j = 0; j <= i; j++) {
if (check(j, i)) { //判断是否有重复元素
res = max(res, i - j + 1);
}
}
}
双指针
for (int i = 0; i < n; i++) {
while (j <= i && check(j, i)) {
j++;
}
res = max(res, i - j + 1)
}
标签:namespace for 时间 while name names ace 重复元素 const
原文地址:https://www.cnblogs.com/mrmrwjk/p/14764986.html