VIRTUALS

the virtual labs for the virtuals

0%

HJ32. 密码截取

摘要:
最长回文子串问题。

题目

描述
Catcher是MCA国的情报员,他工作时发现敌国会用一些对称的密码进行通信,比如像这些 $ABBA$,$ABA$,$A$,$123321$,但是他们有时会在开始或结束时加入一些无关的字符以防止别国破解。比如进行下列变化 $ABBA$->$12ABBA$, $ABA$->$ABAKK$, $123321$->$51233214$ 。因为截获的串太长了,而且存在多种可能的情况( $abaaab$ 可看作是 $aba$,或 $baaab$ 的加密形式),Cathcer的工作量实在是太大了,他只能向电脑高手求助,你能帮Catcher找出最长的有效密码串吗?

本题含有多组样例输入。

输入描述:
输入一个字符串

输出描述:
返回有效密码串的最大长度

示例1

输入:
ABBA

输出:
4

最长回文子串

枚举回文子串中心点,根据回文子串长度的奇偶性分别求出最长串。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
/**
* author: etoa
* code at: 2021-06-06
**/
#include<bits/stdc++.h>

using namespace std;

int main()
{
ios::sync_with_stdio(false);
cin.tie(nullptr);
cout.tie(nullptr);

string s;
for (; getline(cin, s);)
{
int res = -1;

// for each center
for (int i = 0; i < s.size(); i++)
{
// odd size
int l = i - 1, r = i + 1;
for (; l >= 0 && r <= s.size() && s[l] == s[r]; l--, r++);
int len = r - 1 - (l + 1) + 1;
res = max(res, len);
// even size
l = i, r = i + 1;
for (; l >= 0 && r <= s.size() && s[l] == s[r]; l--, r++);
len = r - 1 - (l + 1) + 1;
res = max(res, len);
}
cout << res << endl;
}

return 0;
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
/**
* author: etoa
* code at: 2021-08-23 22:58:01
* 如果是求出最长回文子串是什么,可以参考如下代码
**/
#include <bits/stdc++.h>

using namespace std;

inline string ranger(string &s, int lc, int rc)
{
if (s[lc] != s[rc]) return "";
int l = lc - 1, r = rc + 1;
for (; l >= 0 && r <= s.size() - 1 && s[l] == s[r]; --l, ++r);
++l, --r;
return s.substr(l, r - l + 1);
}

inline string ranger(string &s, int center)
{
string res;
int l = center - 1, r = center + 1;
for (; l >= 0 && r <= s.size() - 1 && s[l] == s[r]; --l, ++r);
++l, --r;
return s.substr(l, r - l + 1);
}

int main()
{
cin.tie(nullptr)->sync_with_stdio(false);
string s;
for (; cin >> s;) {
int n = s.size();
int res = -1;
// 最长回文子串长度为奇数
for (int i = 0; i < n; i++) {
string t = ranger(s, i);
res = max(res, (int)t.size());
// cout << t << endl;
}
// 最长回文子串长度为偶数
for (int i = 0; i < n - 1; i++) {
string t = ranger(s, i, i + 1);
if (t != "") res = max(res, (int)t.size());
// cout << t << endl;
}
cout << res << endl;
}
return 0;
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
/**
* author: etoa
* code at: 2021-08-23 23:07:47
**/
import java.util.*;

public class Main {
public static void main(String[] args) {
Scanner in = new Scanner(System.in);
for (; in.hasNext();) {
String s = in.next();
int res = -1;
for (int i = 0, n = s.length(); i < n; i++) {
int l = i - 1, r = i + 1;
for (; l >= 0 && r < n && s.charAt(l) == s.charAt(r); --l, ++r);
++l;
--r;
res = Math.max(res, r - l + 1);
l = i;
r = i + 1;
for (; l >= 0 && r < n && s.charAt(l) == s.charAt(r); --l, ++r);
++l;
--r;
res = Math.max(res, r - l + 1);
}
System.out.println(res);
}
}
}

原题链接: HJ32. 密码截取