void*
指针函数是指返回类型为 void*
的函数。这种类型的函数通常用于实现通用指针或抽象数据类型,或者在需要隐藏底层数据结构细节的情况下使用。
下面是一个示例,展示了一个返回 void*
的函数:
#include <stdio.h>
#include <stdlib.h>
// 定义一个结构体
typedef struct {
int x;
int y;
} Point;
// 创建一个返回 void* 的函数
void* create_point(int x, int y) {
Point *p = (Point *)malloc(sizeof(Point)); // 分配内存空间
if (p == NULL) {
return NULL; // 如果内存分配失败,返回 NULL
}
p->x = x; // 设置点的坐标
p->y = y;
return p; // 返回指向 Point 结构的指针
}
int main() {
void *ptr = create_point(10, 20); // 调用函数并获取返回的 void* 指针
if (ptr != NULL) {
Point *p = (Point *)ptr; // 将 void* 转换为 Point* 类型
printf("Point: (%d, %d)\n", p->x, p->y); // 输出点的坐标
free(ptr); // 释放内存
} else {
printf("Memory allocation failed.\n");
}
return 0;
}
在上面的示例中,create_point
函数接受两个整数参数,创建一个 Point
结构体实例,并将其地址作为 void*
返回。在 main
函数中,我们首先调用 create_point
函数并将返回的 void*
指针存储在变量 ptr
中。然后,我们将 void*
指针转换为 Point*
类型,以便访问和操作 Point
结构体的成员。最后,我们释放了分配给 Point
结构的内存。