温馨提示×

C++中strchr与strstr有何区别

c++
小樊
84
2024-11-30 12:12:38
栏目: 编程语言

strchrstrstr 是 C++ 中两个常用的字符串处理函数,它们的主要区别在于它们的用途和功能

  1. strchr: strchr 函数用于在一个字符串中查找第一次出现某个特定字符的位置。它接受两个参数:一个字符串(源字符串)和一个要查找的字符。如果找到了该字符,strchr 返回一个指向该字符在字符串中首次出现位置的指针;否则,返回 NULL。

例如:

#include <iostream>
#include <cstring>

int main() {
    const char* str = "Hello, World!";
    char ch = 'W';
    char* result = strchr(str, ch);

    if (result != NULL) {
        std::cout << "The character '" << ch << "' is found at position: " << result - str << std::endl;
    } else {
        std::cout << "The character '" << ch << "' is not found in the string." << std::endl;
    }

    return 0;
}
  1. strstr: strstr 函数用于在一个字符串中查找第一次出现某个子字符串的位置。它接受两个参数:一个源字符串和一个子字符串。如果找到了该子字符串,strstr 返回一个指向子字符串在源字符串中首次出现位置的指针;否则,返回 NULL。

例如:

#include <iostream>
#include <cstring>

int main() {
    const char* str = "Hello, World!";
    const char* sub_str = "World";
    char* result = strstr(str, sub_str);

    if (result != NULL) {
        std::cout << "The substring '" << sub_str << "' is found at position: " << result - str << std::endl;
    } else {
        std::cout << "The substring '" << sub_str << "' is not found in the string." << std::endl;
    }

    return 0;
}

总结一下,strchr 用于查找一个字符在字符串中的位置,而 strstr 用于查找一个子字符串在源字符串中的位置。这两个函数都返回指向找到的字符或子字符串的指针,如果没有找到则返回 NULL。

0