58

我正在尝试将一些 C++ 代码转换为 C,但我遇到了一些问题。如何在结构内部定义函数?

像这样:

 typedef struct  {
    double x, y, z;
    struct Point *next;
    struct Point *prev;
    void act() {sth. to do here};
} Point;
4

6 回答 6

87

不,您不能struct在 C中的 a 中定义函数。

虽然你可以在 a 中拥有一个函数指针,struct但拥有一个函数指针与 C++ 中的成员函数非常不同,即没有this指向包含struct实例的隐式指针。

人为示例(在线演示http://ideone.com/kyHlQ):

#include <stdio.h>
#include <string.h>
#include <stdlib.h>

struct point
{
    int x;
    int y;
    void (*print)(const struct point*);
};

void print_x(const struct point* p)
{
    printf("x=%d\n", p->x);
}

void print_y(const struct point* p)
{
    printf("y=%d\n", p->y);
}

int main(void)
{
    struct point p1 = { 2, 4, print_x };
    struct point p2 = { 7, 1, print_y };

    p1.print(&p1);
    p2.print(&p2);

    return 0;
}
于 2012-09-28T15:22:59.983 回答
20

不过,您可以在结构中拥有一个函数指针。但不是这样

你可以这样定义

例子:

typedef struct cont_func 
{
    int var1;
    int (*func)(int x, int y);
    void *input;
} cont_func;


int max (int x, int y)
{
    return (x > y) ? x : y;
}

int main () {
   struct cont_func T;

   T.func = max;
}
于 2012-09-28T15:29:45.743 回答
10

C不允许在struct. 您可以在结构中定义函数指针,如下所示:

typedef struct  {
  double x, y, z;
  struct Point *next;
  struct Point *prev;
  void (*act)();
} Point;

每当您实例化struct.

于 2012-09-28T15:24:14.647 回答
8

不,不可能在 C 中的结构内声明函数。

这是 C 和 C++ 之间的根本区别之一。

看到这个线程:https ://web.archive.org/web/20121024233849/http://forums.devshed.com/c-programming-42/declaring-function-in-structure-in-c-545529.html

于 2012-09-28T15:23:39.920 回答
3

这个想法是在结构内放置一个指向函数的指针。然后在结构之外声明该函数。这与 C++ 中的类不同,其中函数在类中声明。

例如:从这里窃取代码:https ://web.archive.org/web/20121024233849/http://forums.devshed.com/c-programming-42/declaring-function-in-structure-in-c- 545529.html

struct t {
    int a;
    void (*fun) (int * a);
} ;

void get_a (int * a) {
    printf (" input : ");
    scanf ("%d", a);
}

int main () {
    struct t test;
    test.a = 0;

    printf ("a (before): %d\n", test.a);
    test.fun = get_a;
    test.fun(&test.a);
    printf ("a (after ): %d\n", test.a);

    return 0;
}

where test.fun = get_a;将函数分配给结构中的指针,并test.fun(&test.a);调用它。

于 2012-09-28T15:25:27.450 回答
1

您只能在不同于 C++ 的 C 编程语言的结构中定义函数指针。

于 2012-09-28T15:27:28.483 回答