https://leetcode-cn.com/problems/longest-substring-without-repeating-characters/
class Solution {
public:
int lengthOfLongestSubstring(string s) {
// 哈希集合,记录每个字符是否出现过
unordered_set<char> occ;
int n = s.size();
// 右指针,初始值为 -1,相当于我们在字符串的左边界的左侧,还没有开始移动
int rk = -1, ans = 0;
// 枚举左指针的位置,初始值隐性地表示为 -1
for (int i = 0; i < n; ++i) {
if (i != 0) {
// 左指针向右移动一格,移除一个字符
occ.erase(s[i - 1]);
}
while (rk + 1 < n && !occ.count(s[rk + 1])) {
// 不断地移动右指针
occ.insert(s[rk + 1]);
++rk;
}
// 第 i 到 rk 个字符是一个极长的无重复字符子串
ans = max(ans, rk - i + 1);
}
return ans;
}
};
下面使用并查集找到连通分支 并查集采用了优化
#include<iostream>
using namespace std;
int find(int *a,int x){ //并查集找连通分支
int t=x;
while (a[t]!=t){
t=a[t];
}
int i=x,j;
while(i!=t){ //统一*
j=a[i];
a[i]=t;
i=j;
}
return t;
}
void join(int *a,int x,int y){
int tx=find(a,x);//5
for (int i = 1; i <= 6; ++i){
cout<<a[i]<<" ";
}
cout<<endl;
int ty=find(a,y);
for (int i = 1; i <= 6; ++i){
cout<<a[i]<<" ";
}
cout<<endl;
if (tx!=ty){
a[tx]=ty;
}
}
int main(){
int a[100];
cout<<"请输入图的节点数 和 边数"<<endl;
int n,m;
cin>>n>>m;
for (int i = 1; i <=n; ++i) {
a[i]=i;
}
cout<<"请输入边数(x,y)"<<endl;
int x,y;
for (int i = 0; i < m; ++i) {
cin>>x>>y;
join(a,x,y);
}
int k=0;
for (int i = 1; i <=n; ++i) {
if (a[i]==i){
k++;
}
}
if (k==1){
cout<<"图是连通的!!"<<endl;
}else{
cout<<"图不是连通的,且有"<<k<<"个连通分支"<<endl;
}
}
测试样例
6 6
1 2
2 3
3 4
4 5
5 1
1 3