题目描述
一般的文本编辑器都有查找单词的功能,该功能可以快速定位特定单词在文章中的位置,有的还能统计出特定单词在文章中出现的次数。
现在,请你编程实现这一功能,具体要求是:给定一个单词,请你输出它在给定的文章中出现的次数和第一次出现的位置。注意:匹配单词时,不区分大小写,但要求完全匹配,即给定单词必须与文章中的某一独立单词在不区分大小写的情况下完全相同(参见样例 1),如果给定单词仅是文章中某一单词的一部分则不算匹配(参见样例 2)。
输入格式
共 2 行。
第 1行为一个字符串,其中只含字母,表示给定单词;
第 2行为一个字符串,其中只可能包含字母和空格,表示给定的文章。
输出格式
一行,如果在文章中找到给定单词则输出两个整数,两个整数之间用一个空格隔开,分别是单词在文章中出现的次数和第一次出现的位置(即在文章中第一次出现时,单词首字母在文章中的位置,位置从 0 开始);如果单词在文章中没有出现,则直接输出一个整数-1。
注意:空格占一个字母位
样例1
样例输入
To
to be or not to be is a question
样例输出
2 0
样例 2
样例输入
to
Did the Ottoman Empire lose its power at that time
样例输出
-1
提示
数据范围
1 第一行单词长度 10。
1 文章长度 。
#include <stdio.h>
#include <string.h>
#include <ctype.h>
#define MAXLEN 1000000
// 判断两个字符串是否完全相等
int WordEqual(const char* word, const char* text, int start, int len) {
for (int i = 0; i < len; i++) {
if (tolower(word[i]) != tolower(text[start + i])) {
return 0;
}
}
// 检查单词的前后是否为边界或空格
if ((start == 0 || text[start - 1] == ' ') &&
(text[start + len] == ' ' || text[start + len] == '\0')) {
return 1;
}
return 0;
}
int main() {
char word[11];
char text[MAXLEN + 1];
scanf("%s", word);
getchar();
fgets(text, MAXLEN + 1, stdin);
int wordLen = strlen(word);
int textLen = strlen(text);
int count = 0;
int Position = -1;
for (int i = 0; i <= textLen - wordLen; i++) {
if (WordEqual(word, text, i, wordLen)) {
count++;
if (Position == -1) {
Position = i;
}
}
// 跳过非单词部分
while (i < textLen && text[i] != ' ' && text[i] != '\0') {
i++;
}
}
if (count > 0) {
printf("%d %d\n", count, Position);
} else {
printf("-1\n");
}
return 0;
}
标签:洛谷,NOIP2011,int,text,样例,单词,start,文章,P1308
From: https://blog.csdn.net/2402_86069310/article/details/141035656