I saw some BSD code using the following construct:
typedef int driver_filter_t(void*);
What does that mean, exactly? I don't think it's a function pointer because otherwise it would be something like typedef int (*driver_filter_t)(void*)
, right?
typedef int driver_filter_t(void*);
This is a definition of a function type. It makes driver_filter_t
an alias for the type that can be described as "function returning int
with an argument of type pointer to void
".
As for all typedef
s, it creates an alias for an existing type, not a new type.
driver_filter_t
is not a pointer type. You can't declare something of type driver_filter_t
(the grammar doesn't allow declaring a function using a typedef name). You can declare an object that's a function pointer as, for example:
driver_filter_t *func_ptr;
Because you can't use a function type name directly without adding a *
to denote a pointer type, it's probably more common to define typedef
s for function pointer types, such as:
typedef int (*driver_filter_pointer)(void*);
But typedefs for function types are pefectly legal, and personally I find them clearer.