C代码:将字符串从一个函数传递到另一个函数

C Code: Pass string from one function to another function

主要问题是:一旦我将一个字符串从一个函数发送到另一个函数,第二个函数并没有真正将字符串作为参数。

详细: 我有一个函数 void myfunc() 包含一个词。这个词应该被发送到另一个函数,所以它可以计算它的长度。这就是我到目前为止所写的内容:

void myfunc(int (*countlength)(char ch)){

    char word[10] = "Hello\n";

    int result = countlength(&word);

    printf("Length of word: %d\n", result);
}

这个词正在发送到这个函数countlength(char* word):

int countlength(char* word) {
    int length = strlen(word);
    return length;
}

但是函数countlength()无法计算它的长度,我不知道为什么...

问题是,当这个词在主函数中时它会起作用。有人知道为什么我的代码不起作用吗?

您传递给函数的内容与预期的不符。

&word 的类型为 char (*)[10],即指向大小为 10 的数组的指针。该函数需要 char *,因此只需传递 word。数组在传递给函数时会转换为指向其第一个元素的指针,因此类型将匹配。

两个错误:

void myfunc(int (*countlength)(char ch)){

应该是

void myfunc(int (*countlength)(char* ch)){

相反,因为该函数接受字符指针。

其次,

int result = countlength(&word);

应该是

int result = countlength(word);

因为 word 已经是 char*

嗯;如果你使用这样的代码,它工作得很好 当你声明一个数组时,它的名字有一个指针类型,所以这里 word 有一个 char* 类型,它是数组第一个元素的指针

#include <stdio.h>
#include <string.h>
int countlength(char* word) {
    int length = strlen(word);
    return length;
}
void myfunc(){
    char word[10] = "Hello\n";
    int result = countlength(word);
    printf("Length of word: %d\n", result);
}
main(){
    myfunc();
}

Length of word: 6

这个函数指针的参数声明

int (*countlength)(char ch)

不对应于用作此参数参数的函数声明

int countlength(char* word)

所以你需要像这样声明参数

int (*countlength)(char *ch)

实际上标识符ch是多余的。你可以只写

int (*countlength)(char *)

函数 myfunc 的声明如下所示

void myfunc(int (*countlength)(char *));

您在函数中声明了一个字符数组,如

char word[10] = "Hello\n";

所以在这个调用中用作参数的表达式

countlength(&word)

具有类型 char ( * )[10] 而不是预期的类型 char *

无需使用运营商地址。在此调用中用作参数的数组指示符

countlength( word )

隐式转换为指向数组第一个元素的指针,类型为 char *.

这个函数

int countlength(char* word) {
    int length = strlen(word);
    return length;
}

不改变其论点。所以至少应该声明为

int countlength( const char* word) {
    int length = strlen(word);
    return length;
}

使用的标准 C 字符串函数 strlen 具有 return 类型 size_t。通常,int 类型的对象可能不够大,无法存储可能的字符串长度。

所以函数应该这样声明

size_t countlength( const char* word) {
    return strlen(word);
}

因此 return 到函数 myfunc 它应该看起来像

void myfunc( size_t ( *countlength )( const char * ) )
{
    char word[10] = "Hello\n";

    size_t result = countlength( word );

    printf( "Length of word: %zu\n", result );
}