得到字符在字符串中第一次出现地址的函数c++不用#include <string>
时间: 2024-03-19 13:44:54 浏览: 68
C++ 通过字符串调用函数
如果你不想使用 `<string>` 头文件中的 `std::string` 类,可以使用 C 风格的字符串和相关函数来实现。
可以使用 `strchr()` 函数来查找一个字符第一次出现的位置,该函数返回该字符在字符串中的指针,如果没有找到该字符,则返回 `NULL`。
以下是一个示例代码:
```c++
#include <iostream>
const char* find_first_char(const char* str, char ch) {
const char* p = str;
while (*p != '\0') {
if (*p == ch) {
return p;
}
p++;
}
return nullptr;
}
int main() {
const char* str = "Hello, world!";
char ch = 'o';
const char* pos = find_first_char(str, ch);
if (pos != nullptr) {
std::cout << "The first occurrence of '" << ch << "' is at position " << pos - str << std::endl;
} else {
std::cout << "'" << ch << "' is not found in the string." << std::endl;
}
return 0;
}
```
输出结果为:
```
The first occurrence of 'o' is at position 4
```
在上面的代码中,`find_first_char()` 函数用于查找字符在字符串中第一次出现的位置。该函数使用一个指针遍历字符串中的每个字符,如果遇到了目标字符,就返回该字符的指针。如果遍历整个字符串都没有找到目标字符,则返回 `nullptr`。在 `main()` 函数中,我们调用 `find_first_char()` 函数来查找字符在字符串中的位置,如果找到了目标字符,就输出该字符在字符串中的索引位置。
阅读全文