我正在学习如何动态加载DLL,但我不明白的是这一行

typedef void (*FunctionFunc)();

我有几个问题。如果有人能回答这些问题,我会很感激。

为什么使用typedef ? 语法看起来很奇怪;void后面不应该有函数名之类的吗?它看起来像一个匿名函数。 函数指针是用来存储函数的内存地址的吗?

所以我现在很困惑;你能给我解释一下吗?


当前回答

对于语法的一般情况,您可以查看ANSI C标准的附录A。

在那里的Backus-Naur表单中,您可以看到typedef具有类型存储类说明符。

在类型声明-说明符中,您可以看到可以混合使用许多说明符类型,它们的顺序无关紧要。

例如,正确的说法是,

long typedef long a;

将类型a定义为long long的别名。因此,要了解详细使用的类型定义,您需要参考一些定义语法的backus-naur形式(有许多正确的ANSI C语法,而不仅仅是ISO语法)。

当您使用typedef定义函数类型的别名时,您需要将别名放在与函数标识符相同的位置。在你的例子中,你将FunctionFunc类型定义为一个函数指针的别名,该函数的类型检查在调用时被禁用,并且不返回任何内容。

其他回答

如果没有typedef这个词,在c++中,声明将声明一个类型为指针的变量FunctionFunc,指向无参数的函数,返回void。

使用typedef,它将FunctionFunc定义为该类型的名称。

typedef is used to alias types; in this case you're aliasing FunctionFunc to void(*)(). Indeed the syntax does look odd, have a look at this: typedef void (*FunctionFunc) ( ); // ^ ^ ^ // return type type name arguments No, this simply tells the compiler that the FunctionFunc type will be a function pointer, it doesn't define one, like this: FunctionFunc x; void doSomething() { printf("Hello there\n"); } x = &doSomething; x(); //prints "Hello there"

对于语法的一般情况,您可以查看ANSI C标准的附录A。

在那里的Backus-Naur表单中,您可以看到typedef具有类型存储类说明符。

在类型声明-说明符中,您可以看到可以混合使用许多说明符类型,它们的顺序无关紧要。

例如,正确的说法是,

long typedef long a;

将类型a定义为long long的别名。因此,要了解详细使用的类型定义,您需要参考一些定义语法的backus-naur形式(有许多正确的ANSI C语法,而不仅仅是ISO语法)。

当您使用typedef定义函数类型的别名时,您需要将别名放在与函数标识符相同的位置。在你的例子中,你将FunctionFunc类型定义为一个函数指针的别名,该函数的类型检查在调用时被禁用,并且不返回任何内容。

#include <stdio.h>
#include <math.h>

/*
To define a new type name with typedef, follow these steps:
1. Write the statement as if a variable of the desired type were being declared.
2. Where the name of the declared variable would normally appear, substitute the new type name.
3. In front of everything, place the keyword typedef.
*/

// typedef a primitive data type
typedef double distance;

// typedef struct 
typedef struct{
    int x;
    int y;
} point;

//typedef an array 
typedef point points[100]; 

points ps = {0}; // ps is an array of 100 point 

// typedef a function
typedef distance (*distanceFun_p)(point,point) ; // TYPE_DEF distanceFun_p TO BE int (*distanceFun_p)(point,point)

// prototype a function     
distance findDistance(point, point);

int main(int argc, char const *argv[])
{
    // delcare a function pointer 
    distanceFun_p func_p;

    // initialize the function pointer with a function address
    func_p = findDistance;

    // initialize two point variables 
    point p1 = {0,0} , p2 = {1,1};

    // call the function through the pointer
    distance d = func_p(p1,p2);

    printf("the distance is %f\n", d );

    return 0;
}

distance findDistance(point p1, point p2)
{
distance xdiff =  p1.x - p2.x;
distance ydiff =  p1.y - p2.y;

return sqrt( (xdiff * xdiff) + (ydiff * ydiff) );
}

如果你能使用c++ 11,你可能想要使用std::function和using关键字。

using FunctionFunc = std::function<void(int arg1, std::string arg2)>;