1

我正在通过 STM32 MCU 上的 USB 驱动程序的代码实现。我对 C 语言的理解有点有限,我遇到了这个我不清楚的函数定义。

static enum usbd_request_return_codes cdcacm_control_request(
usbd_device *usbd_dev __attribute__((unused)),
struct usb_setup_data *req,
uint8_t **buf __attribute__((unused)),
uint16_t *len,
void (**complete)
    (
        usbd_device *usbd_dev,
        struct usb_setup_data *req
    ) __attribute__((unused))
)

我不明白函数声明中的最后一个参数,它似乎实际上是在为参数定义另一个函数,并采用奇怪的两个星号作为参数。有人可以解释这是什么以及如何在实际的函数调用中使用它吗?

4

1 回答 1

2

这个

void (**complete)
    (
        usbd_device *usbd_dev,
        struct usb_setup_data *req
    ) __attribute__((unused))

是指向函数指针的指针的声明。该函数具有返回类型 void 和两个参数。

为了更清楚,请考虑下面的演示程序。

#include <stdio.h>

void f( int x, int y )
{
    printf( "x + y = %lld\n", ( long long int )x + y );
}

void g( int x, int y, void ( **fp )( int, int ) )
{
    ( *fp )( x, y );
}

int main(void) 
{
    void ( *fp )( int, int ) = f;
    
    g( 10, 20, &fp );
    
    return 0;
}

程序输出为

x + y = 30

如果没有更广泛的上下文,很难说为什么要使用指向函数的指针。可能是因为参数是输出参数。或者可以有一个动态分配的指向函数的指针数组。

于 2020-09-08T10:37:38.697 回答