题目大意:给你一个字符串,问前缀和后缀相等的所有情况,输出相等时候的长度

解题思路:这就是next数组的理解问题了,next[i]表示的是前i个字符串中前缀和后缀相等的最长长度。找到一个后,再依照上一个位置继续寻找,依此递推,就可以递归找出所有相等的

#include <cstdio>
#include <cstring>
const int N = 400010;

char str[N];
int len;
int next[N];

void getFail() {
    len = strlen(str);
    int i = 0, j = -1;
    next[0] = -1;
    while (i < len) {
        if (j == -1 || str[i] == str[j]) {
            i++; j++;
            next[i] = j;
        }
        else j = next[j];
    }
}

void print(int pos) {
    if (next[pos] == 0 || next[pos] == -1) {
        return ;
    }
    print(next[pos]);
    printf("%d ", next[pos]);
}

int main() {
    while (scanf("%s", str) != EOF) {
        getFail();
        print(len);
        printf("%d\n", len);
    }
    return 0;
}