如何找到 char 数组的大小?

How do I find the size of a char array?

我应该如何在 C++ 中查找 char 数组的长度?我已经尝试过两种方法,但它们都导致数组中的字符数错误。到目前为止,我已经使用了 strlensizeof 运算符,但无济于事。

void countOccurences(char *str, string word)
{
    char *p;
    string t = "true";
    string f = "false";

    vector<string> a;

    p = strtok(str, " ");
    while (p != NULL)
    {
        a.push_back(p);
        p = strtok(NULL, " ");
    }

    int c = 0;
    for (int i = 0; i < a.size(); i++)
    {
        if (word == a[i])
        {
            c++;
        }
    }

    int length = sizeof(str); //This is where I'm having the problem
    string result;
    cout << length << "\n";

    if (length % 2 != 0)
    {
        if (c % 2 == 0)
        {
            result = "False";
        }
        else
        {
            result = "True";
        }
    }
    else
    {
        if (c % 2 == 0)
        {
            result = "True";
        }
        else
        {
            result = "False";
        }
    }

    if (strlen(str) != 0)
    {
        cout << result;
    }
}

int boolean()
{
    char str[1000];
    cin.getline(str, sizeof(str));
    string word = "not";
    countOccurences(str, word);
    return 0;
}

“字符串结尾”是字符 '\0' 检查该字符以停止搜索。

sizeof(str) 是错误的。它给你一个指针的大小(str 是一个指针),这是一个固定的数字,通常是 48 取决于你的平台。

std::strlen(str) 是正确的,但是 strtok 将一堆 [=16=] 插入数组 before 你尝试获取大小。 strlen 将在第一个 [=16=] 处停止,并给出前面的字符数。

strtok 之前调用 strlen 并将其 return 值保存到变量。

Here 你可以找到一个现代的 c++ 解决方案:

#include <iostream>
#include <string_view>
#include <string>
#include <type_traits>

template<typename String>
inline std::size_t StrLength(String&& str)
{
    using PureString = std::remove_reference_t<std::remove_const_t<String>>;
    if constexpr(std::is_same_v<char, PureString>){
        return 1;
    }
    else 
    if constexpr(std::is_same_v<char*, PureString>){
        return strlen(str);
    }
    else{
        return str.length();
    }
}

template<
    typename String,
    typename Lambda,
    typename Delim = char
>
void ForEachWord(String&& str, Lambda&& lambda, Delim&& delim = ' ')
{
    using PureStr = std::remove_reference_t<std::remove_reference_t<String>>;
    using View = std::basic_string_view<typename PureStr::value_type>;

    auto start = 0;
    auto view = View(str);

    while(true)
    {
        auto wordEndPos = view.find_first_of(delim, start);
        auto word =  view.substr(start, wordEndPos-start);

        if (word.length() > 0){
            lambda(word);
        }
        
        if (wordEndPos == PureStr::npos)
        {
            break;
        }
        start = wordEndPos + StrLength(delim);
    }
}

int main() {
   std::string text = "This is not a good sentence.";
   auto cnt = 0;
   ForEachWord(
       text, 
       [&](auto word)
       {
          //some code for every word... like counting or printing
          if (word == "not" ){
             ++cnt;
          }
       },
       ' '
   );
   std::cout << cnt << "\n";
}