[HDU 5443]Favorite Donut[KMP][最大表示]

题目链接:[HDU 5443]Favorite Donut[KMP][最大表示]

题意分析:

给出一个字符串,可以顺时针或者逆时针遍历,问:从哪个位置,哪个方向开始遍历,所得的字典序最大?多个相同字典序,输出最小位置的,如果位置相同,输出方向默认顺时针。

解题思路:

用最大表示法正着求一遍,逆着求一遍。由于逆着的求出的最小位置,如果在反串中有多个这种串,那么此时求出的位置是在原串中所有位置中最大的位置。所以要kmp在反串中找到最大的位置,对应的就是原串中逆时针的最小位置。

关于最小表示和KMP,移步:传送门

个人感受:

学了最小表示,复习了下KMP。然后WA + T了N发,最终900ms过的,然后用队友的kmp模板,121ms。终于明白什么叫别人家的kmp了 = =。

具体代码如下:

#include<iostream>
#include<cstdio>
#include<cstring>
#include<string>
#include<cmath>
#include<algorithm>
using namespace std;

const int MAXN = 4e4 + 111;

int nxt[MAXN];

void Getnxtval(string &p)
{
    for (int i = 0; i <= p.size(); ++i) nxt[i] = 0;
    for (int i = 1; i < p.size(); ++i)
    {
        int j = nxt[i];
        while(j && p[i] != p[j]) j = nxt[j];
        nxt[i + 1] = (p[i] == p[j]) ? j + 1 : 0;
    }
}

int KmpSearch(string &s, string &p)
{
    Getnxtval(p);
    int j = 0;
    int ans = -1;
    for (int i = 0; i < s.size(); ++i)
    {
        while (j && s[i] != p[j]) j = nxt[j];
        if (s[i] == p[j]) ++j;
        if (j == p.size())
        {
            int pos = i - (int)p.size() + 1;
            if (pos >= p.size()) break;
            ans = pos;
        }
    }
    return ans;
}

int MR(string &s, int l)
{
    int i = 0, j = 1, k = 0;
    while (i < l && j < l)
    {
        k = 0;
        while (k < l && s[i + k] == s[j + k]) ++k;
        if (k == l) return min(i, j);
        if (s[i + k] < s[j + k])
        {
            if (i + k + 1 <= j) i = j + 1;
            else i = i + k + 1;
        }
        else
        {
            if (j + k + 1 <= i) j = i + 1;
            else j = j + k + 1;
        }
    }
    return min(i, j);
}

int main()
{
    int t, l; cin >> t;
    while (t --)
    {
        string s1, s2, s3;
        cin >> l >> s1;
        s1 += s1;
        
        for (int i = 0; i < l; ++i) s2 += s1[l - i - 1];
        s2 += s2;
        
        int x1 = MR(s1, l), x2 = MR(s2, l);
        s1 = s1.substr(x1, l);
        s3 = s2;
        s2 = s2.substr(x2, l);
        
        x2 = l - KmpSearch(s3, s2);
        
        if (s1 > s2)
        {
            cout << x1 + 1 << ' ' << 0 << '\n';
        }
        else if (s1 < s2)
        {
            cout << x2 << ' ' << 1 << '\n';
        }
        else
        {
            if (x1 + 1 <= x2) cout << x1 + 1 << ' ' << 0 << '\n';
            else cout << x2 << ' ' << 1 << '\n';
        }
    }
    return 0;
}

/*
 1
 8
 baabbaab
*/


你可能感兴趣的:(KMP,最小表示法)