要查找一个字符串中非重复子串的个数,可以使用一个哈希表来记录每个字符最后出现的位置,然后使用滑动窗口的方法来遍历整个字符串。
具体步骤如下:
下面是使用C语言实现的代码示例:
#include <stdio.h>
int nonRepeatSubstringCount(char* s) {
int lastPos[128]; // 记录每个字符最后出现的位置
int i, j, count;
for (i = 0; i < 128; i++) {
lastPos[i] = -1;
}
i = 0;
j = 0;
count = 0;
while (s[j] != '\0') {
if (lastPos[s[j]] >= i) {
i = lastPos[s[j]] + 1;
}
lastPos[s[j]] = j;
count += j - i + 1;
j++;
}
return count;
}
int main() {
char str[] = "abcabcbb";
int count = nonRepeatSubstringCount(str);
printf("Non-repeating substring count: %d\n", count);
return 0;
}
以上代码示例中,非重复子串的个数为9,分别为"abc", “bca”, “cab”, “abc”, “bc”, “b”, “ca”, “ab”, “abc”。