Best use case of passing pointer to a function

168 Views Asked by At

Is there a good reason to pass pointer of function to another function in C. I do not see a general use case of pointer of function.

If someone can give some use case where pointer of function is the only way to achieve some specific use case that would be great.

3

There are 3 best solutions below

4
On BEST ANSWER

One use case is to have a async callback function.

You pass a pointer of a callback() function to a worker() function.

worker(void* work, void *callback)

Once worker function has completed the work, it will call the callback() function.

This is essentially a subscriber publisher pattern in Object Oriented languages (C++/Java).

0
On

A general use where pointer to a function is passed as an argument to a function is in qsort function.

  void qsort(void *base, size_t nmemb, size_t size,
              int (*compar)(const void *, const void *));  

Another use:
Suppose you wanted a program to plot equations. You would give it a range of x and y values (perhaps -10 to 10 along each axis), and ask it to plot y = f(x) over that range (e.g. for -10 <= x <= 10).
How would you tell it what function to plot? By a function pointer, of course!
The plot function could then step its x variable over the range you specified, calling the function pointed to by your pointer each time it needed to compute y. You might call

plot(-10, 10, -10, 10, sin)

to plot a sine wave, and

plot(-10, 10, -10, 10, sqrt)

to plot the square root function.

But in general, better to avoid using function pointers unless and until it is necessary.

0
On

Function pointers as arguments serve the same general purpose as other kinds of pointers: indirection. They are different in that it is behavior that is indirected instead of data, but many of the same considerations apply. By designing my function to accept a pointer to another function, I can allow the caller to decide aspects of my function's behavior (because my function will call the pointed-to function as part of its work).

The canonical use case is probably the standard library's qsort() function, which can sort data of any type by virtue of accepting a pointer to the function to use to compare values. If it could not accept a function pointer, then you would need a different qsort() implementation for every data type you wanted to sort.