c++中string类型中find_first_not_of是什么功能
时间: 2023-06-01 20:07:41 浏览: 124
find_first_not_of 是 C++ 中 string 类型的一个成员函数,用来查找字符串中第一个不匹配指定字符集合的字符。它的语法为:int find_first_not_of(const char* s, int pos = 0),其中 s 是一个字符集合,pos 为查找起始位置(默认从字符串开头查找)。如果找到则返回该字符的位置,否则返回 -1。举例来说,字符串 "hello world",若输入字符集为 "hel",则该函数返回 3,因为第一个不属于字符集 "hel" 的字符是 'o',其位置为 3。
相关问题
C++ string find_first_of
`std::string` 类型在 C++ 中有一个成员函数 `find_first_of`,它的作用是在字符串中查找第一个出现指定字符集中任意一个字符的位置。这个函数接受一个字符数组、另一个字符串或者是单个字符作为参数,如果找到了匹配的字符,它会返回该字符首次出现的索引;如果没有找到,那么返回 `string::npos`(表示字符串结束位置之后的一个无效值)。
基本语法如下:
```cpp
size_t find_first_of(const char* str) const;
size_t find_first_of(const string& str) const;
size_t find_first_of(char ch) const;
```
例如:
```cpp
std::string myString = "Hello, World!";
size_t position = myString.find_first_of("Wor"); // 找到 'W' 的位置,结果是4
position = myString.find_first_of("!dl"); // 找到第一个不在 'Wor' 中的字符,结果是8
```
C++ 使用find_first_of 和find_last_of的代码例子
下面是使用 `find_first_of` 和 `find_last_of` 的代码示例:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str[] = "hello world";
char vowels[] = "aeiou";
char consonants[] = "bcdfghjklmnpqrstvwxyz";
// 使用 find_first_of 查找第一个元音字母
char* vowel_pos = strpbrk(str, vowels);
if (vowel_pos != NULL) {
printf("第一个元音字母是 %c\n", *vowel_pos);
}
// 使用 find_last_of 查找最后一个辅音字母
char* consonant_pos = strpbrk(str, consonants);
while (consonant_pos != NULL) {
char* next_consonant_pos = strpbrk(consonant_pos + 1, consonants);
if (next_consonant_pos == NULL) {
printf("最后一个辅音字母是 %c\n", *consonant_pos);
break;
}
consonant_pos = next_consonant_pos;
}
return 0;
}
```
在上面的代码中,我们使用 `strpbrk` 函数来查找字符串中的元音字母和辅音字母。`strpbrk` 函数在 C 标准库中定义,它的原型如下:
```c
char* strpbrk(const char* str1, const char* str2);
```
`str1` 是要查找的字符串,`str2` 是要在 `str1` 中查找的字符集合。`strpbrk` 函数返回指向 `str1` 中第一个出现在 `str2` 中的字符的指针,如果没有找到,则返回 `NULL`。
阅读全文