1、在编程中使用typedef目的一般有两个
一个是给变量起一个容易记住且有意义明确的别名
另一个是简化一些比较复杂的类型声明
int (*ptr)[3]; 数组指针(先是指针,再是数组)
typedef int (*PTR_TO_ARRAY)[3];
栗子1:
#include<stdio.h>
#include<stdlib.h>
typedef int (*PTR_TO_ARRAY)[3];
int main()
{
int array[3] = {1,2,3};
PTR_TO_ARRAY ptr_to_array = &array;
for(int i=0;i<3;i++)
{
printf("%d ",(*ptr_to_array)[i]);
}
return 0;
}
(*fun)(void) 函数指针(先是指针,再是函数)
typedef int (*PTR_TO_FUN)(void);
栗子2:
#include<stdio.h>
#include<stdlib.h>
typedef int (*PTR_TO_FUN)(void);
int fun(void)
{
return 520;
}
int main()
{
PTR_TO_FUN ptr_to_fun = &fun;
printf("%d",(*ptr_to_fun)());
return 0;
}
int *(*array[3])(int); *array[3]指针数组(先是数组再是指针),*A(int)(先是函数再是指针)指针函数
栗子3:
#include<stdio.h>
#include<stdlib.h>
typedef int *(*PTR_TO_FUN)(int);
int *funA(int num)
{
printf("%d\t",num);
return #
}
int *funB(int num)
{
printf("%d\t",num);
return #
}
int *funC(int num)
{
printf("%d\t",num);
return #
}
int main()
{
PTR_TO_FUN array[3] = {&funA,&funB,&funC};
int i;
for(int i=0;i<3;i++)
{
printf("addr of num:%p\n",(*array[i])(i));
}
return 0;
}
void (*funA(int,void(*funB)(int)))(int);(*优先级低于( ))
void (*funA(参数))(int);*funA(参数)是一个指针函数,外面是一个函数指针
funB函数指针
栗子4:
int calc(int (*)(int,int),int,int);
int (*select(char))(int,int);
可变为
typedef int (*PTR_TO_FUN)(int,int);
int calc(PTR_TO_FUN,int,int);
PTR_TO_FUN select(char);