回文串之判断
Posted friend-a
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了回文串之判断相关的知识,希望对你有一定的参考价值。
1 //从左右两边开始比较判断 2 #include<iostream> 3 #include<string.h> 4 using namespace std; 5 const int MAXN = 1e5; 6 bool is_palindrome(char *s, int len) 7 { 8 if(s == NULL || len < 1) //非法输入 9 return false; 10 char *front, *tail; //首尾指针 11 //指针声明了就要记得初始化 12 front = s; 13 tail = s + len - 1; 14 while(front < tail) 15 { 16 if(*front != *tail) 17 return false; 18 front++; 19 tail--; 20 } 21 return true; 22 } 23 int main() 24 { 25 char str[MAXN]; 26 while(cin >> str) 27 { 28 int len = strlen(str); 29 cout << is_palindrome(str, len) << endl; 30 } 31 return 0; 32 } 33 //时间复杂度O(n),空间复杂度O(1)
1 //从中间开始往两边判断 2 #include<iostream> 3 #include<string.h> 4 using namespace std; 5 const int MAXN = 1e5; 6 bool is_palindrome(char *s, int len) 7 { 8 if(s == NULL || len < 1) 9 return false; 10 char *left, *right; 11 int mid = ((len >> 1) - 1) >= 0 ? (len >> 1) - 1 : 0; 12 left = s + mid; 13 right = s + len - 1 - mid; 14 while(left >= s) 15 { 16 if(*left != *right) 17 return false; 18 left--; 19 right++; 20 } 21 return true; 22 } 23 int main() 24 { 25 char str[MAXN]; 26 while(cin >> str) 27 { 28 int len = strlen(str); 29 cout << is_palindrome(str, len) << endl; 30 } 31 return 0; 32 } 33 //时间复杂度O(n),空间复杂度O(1)
上面两种判断回文的方法在复杂度上没有区别,都是O(n)的时间复杂度和O(1)的空间复杂度。但是第二种从中间往两边判断的方法在解决一些问题时有独到之处。
以上是关于回文串之判断的主要内容,如果未能解决你的问题,请参考以下文章