函数指针

  • 函数指针是指向函数的指针变量,所以函数指针首先是指针变量,只不过他指向的是函数;
  • C/CPP在编译时,默认分配给函数一个入口,该入口即是函数指针所要指向的地址,可以用为两个用途:

    • 调用函数
    • 做函数的参数
  • 函数指针只能指向具有特定特征的函数,要求所有被同一指针所指向的函数必须具有相同的参数和返回值类型
  • C语言标准的规定是函数指示符(即函数名)既不是左值也不是右值,但是CPP语言规定函数名属于左值,也就是说函数名转换为函数指针的右值属于左值向右值的转换
  • 函数名除了可以作为sizeof和取地址 & 的操作数,函数名在表达式中可以自动转换为函数指针类型的右值,所以通过一个函数指针调用所指向的函数,不需要在函数指针面前添加操作符号 *
  • 指向函数的指针变量没有自增 ++ 和 自减 --操作

函数指针的声明形式:

返回类型 (*函数指针名称)(参数列表) -> C
返回类型 (类名称::*函数成员名称)(参数列表) -> CPP

这里借用 维基百科给出的样例

/* 例一:函数指针直接调用 */

# ifndef __cplusplus
    # include <stdio.h>
# else
    # include <cstdio>
# endif

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

int main(void)
{
    /* p 是函数指针 */
    int (* p)(int, int) = & max; // &可以省略
    // int (* p)(int, int) = max;//与上条语句等价
    int a, b, c, d;

    printf("please input 3 numbers:");
    scanf("{2186e5f7970dac0e9cf7cfc7913f086a2d003118a30b627bce447294ada8be4e}d {2186e5f7970dac0e9cf7cfc7913f086a2d003118a30b627bce447294ada8be4e}d {2186e5f7970dac0e9cf7cfc7913f086a2d003118a30b627bce447294ada8be4e}d", & a, & b, & c);

    /* 与直接调用函数等价,d = max(max(a, b), c) */
    d = p(p(a, b), c); 

    printf("the maxumum number is: {2186e5f7970dac0e9cf7cfc7913f086a2d003118a30b627bce447294ada8be4e}d\n", d);

    return 0;
}
/* 例二:函数指针作为参数 */

struct object
{
    int data;
};

int object_compare(struct object * a,struct object * z)
{
    return a->data < z->data ? 1 : 0;
}

struct object *maximum(struct object * begin,struct object * end,int (* compare)(struct object *, struct object *))
{
    struct object * result = begin;
    while(begin != end)
    {
        if(compare(result, begin))
        {
            result = begin;
        }
        ++ begin;
    }
    return result;
}

int main(void)
{
    struct object data[8] = {{0}, {1}, {2}, {3}, {4}, {5}, {6}, {7}};
    struct object * max;
    max = maximum(data + 0, data + 8, & object_compare);
    return 0;
}

标签: C++笔记, PTA, 笔记

添加新评论