转载

LeetCode 3 Longest Substring Without Repeating Characters 解题报告

LeetCode 第3题3 Longest Substring Without Repeating Characters 首先我们看题目要求:Given a string, find the length of the longest substring without repeating characters. For example, the longest substring without repeating letters for "abcabcbb" is "abc", which the length is 3. For "bbbbb" the longest substring is "b", with the length of 1.

题目分析

这是一道基础的字符串处理的题,题目要求找出一个给定的字符串的最长不重复子串。

思路

首先这题用简单的两层循环肯定是不行的,会超时,所以要尽可能的减少重复的操作。

步骤如下:

1.首先定义两个指针变量,用来控制输入串的子串的头和尾

2.设置有一个vector存储读入的子串

3.头部指针不动,尾部指针向后移动,如果尾指针指向的字符没有出现在vector容器中,则加入,否则找到在vector中的位置。由于遍历时顺序的遍历,头指针直接指到与尾指针重复的字符的后一个,这一步操作非常重要,关系到代码的效率,如果重复直接头指针后移一个,会有重复操作导致超时。

4.重复3的步骤即可直到末尾,记得注意更新max长度,需要加入就更新,因为跳出循环不一定是重新重复步骤也可以是到字符串末尾。

#include<iostream> #include<string> #include<algorithm> #include<vector> using namespace std; class Solution { public:  int lengthOfLongestSubstring(string s) {   vector<char> cv;   int length = s.size();   const char * str = s.c_str();   const char * p1 = str;   const char * p2 = str;   int max_length = 0;   int flag = 0;   while(*p2 !='/0')   {    while(find(cv.begin(),cv.end(),*p2) == cv.end())    {     cv.push_back(*p2);     int temp_length = cv.size();     if (temp_length > max_length)     {      max_length = temp_length;     }     p2++;     if(*p2 == '/0')     {       return max_length;     }    }    if(flag == 0)    {     cv.erase(cv.begin(),find(cv.begin(),cv.end(),*p2)+1);     cv.push_back(*p2);    }    int temp_length = cv.size();    if (temp_length > max_length)    {     max_length = temp_length;    }    p2++;   }   return max_length;  } }; int main() {  Solution s1;  string inputString = "lwcjjuasgydqamj";  cout<<"result"<<s1.lengthOfLongestSubstring(inputString)<<endl; } 
正文到此结束
Loading...