美文网首页
C语言基础知识点

C语言基础知识点

作者: Chris_PaulCP3 | 来源:发表于2019-03-09 13:31 被阅读0次

    函数指针与回调函数

    1、函数指针:函数指针是指向函数的指针变量,以下实例声明了函数指针变量 p,指向函数 max:

    #include <stdio.h>
    int max(int x, int y)
    {
        return x > y ? x : y;
    }
    int main(void)
    {
        /* p 是函数指针 */
        int (* p)(int, int) = & max; // &可以省略
        int a, b, c, d;
        printf("请输入三个数字:");
        scanf("%d %d %d", & a, & b, & c);
        /* 与直接调用函数等价,d = max(max(a, b), c) */
        d = p(p(a, b), c); 
        printf("最大的数字是: %d\n", d);
        return 0;
    }
    

    2、回调函数:函数指针作为某个函数的参数。
    实例中 populate_array 函数定义了三个参数,其中第三个参数是函数的指针,通过该函数来设置数组的值。实例中我们定义了回调函数 getNextRandomValue,它返回一个随机值,它作为一个函数指针传递给 populate_array 函数。populate_array 将调用 10 次回调函数,并将回调函数的返回值赋值给数组。

    #include <stdlib.h>  
    #include <stdio.h>
     
    // 回调函数
    void populate_array(int *array, size_t arraySize, int (*getNextValue)(void))
    {
        for (size_t i=0; i<arraySize; i++)
            array[i] = getNextValue();
    }
    // 获取随机值
    int getNextRandomValue(void)
    {
        return rand();
    }
    int main(void)
    {
        int myarray[10];
        populate_array(myarray, 10, getNextRandomValue);
        for(int i = 0; i < 10; i++) {
            printf("%d ", myarray[i]);
        }
        printf("\n");
        return 0;
    }
    

    相关文章

      网友评论

          本文标题:C语言基础知识点

          本文链接:https://www.haomeiwen.com/subject/psyspqtx.html