溫馨提示×

C++ strstr函數(shù)能否自定義

c++
小樊
86
2024-06-13 18:21:43
欄目: 編程語言

在C++中,strstr函數(shù)是用來在一個字符串中查找子字符串的函數(shù),它是標(biāo)準(zhǔn)庫函數(shù),無法自定義。不過,我們可以編寫自己的字符串查找函數(shù)來實現(xiàn)類似的功能,例如可以使用循環(huán)遍歷字符串來進行匹配。以下是一個簡單的自定義字符串查找函數(shù)示例:

#include <iostream>

int custom_strstr(const char* haystack, const char* needle) {
    int haystack_len = strlen(haystack);
    int needle_len = strlen(needle);

    for (int i = 0; i <= haystack_len - needle_len; i++) {
        int j;
        for (j = 0; j < needle_len; j++) {
            if (haystack[i + j] != needle[j]) {
                break;
            }
        }
        if (j == needle_len) {
            return i;
        }
    }

    return -1;
}

int main() {
    const char* haystack = "hello world";
    const char* needle = "world";

    int index = custom_strstr(haystack, needle);

    if (index != -1) {
        std::cout << "Found at index " << index << std::endl;
    } else {
        std::cout << "Not found" << std::endl;
    }

    return 0;
}

這段代碼定義了一個custom_strstr函數(shù),用來在字符串haystack中查找子字符串needle,并返回第一次出現(xiàn)的位置索引。在main函數(shù)中使用這個自定義函數(shù)來查找子字符串"world"在字符串"hello world"中的位置。

0