我的界面记录如下:
typedef struct Tree {
int a;
void* (*Something)(struct Tree* pTree, int size);
};
然后据我所知,我需要创建它的实例,并使用Something方法将值设置为'size'。 所以我做了
struct Tree *iTree = malloc(sizeof(struct Tree));
iTree->Something(iTree, 128);
但它一直无法初始化。我这样做了吗? 如果Something方法的第一个成员是指向同一个结构的指针?
有人可以解释一下吗?
由于
答案 0 :(得分:8)
你必须将Something
设置为某个东西,因为它只是一个函数指针,而不是一个函数。使用malloc创建的结构只包含垃圾和结构字段,需要在它有用之前设置。
struct Tree *iTree = malloc(sizeof(struct Tree));
iTree->a = 10; //<-- Not necessary to work but you should set the values.
iTree->Something = SomeFunctionMatchingSomethingSignature;
iTree->Something(iTree, 128);
<强>更新强>
#include <stdlib.h>
#include <stdio.h>
struct Tree {
int a;
//This is a function pointer
void* (*Something)(struct Tree* pTree, int size);
};
//This is a function that matches Something signature
void * doSomething(struct Tree *pTree, int size)
{
printf("Doing Something: %d\n", size);
return NULL;
}
void someMethod()
{
//Code to create a Tree
struct Tree *iTree = malloc(sizeof(struct Tree));
iTree->Something = doSomething;
iTree->Something(iTree, 128);
free(iTree);
}
答案 1 :(得分:4)
这是一个穷人的虚拟功能。初始参数大致相当于成员函数中C ++的this
指针。并且必须在调用之前手动设置函数指针,而C ++虚函数由编译器设置。
答案 2 :(得分:1)
成员Tree::Something
永远不会被初始化。您为Tree
分配空间,但分配与初始化不同,并且您分配的Tree
仅包含无意义的位。