C++ using function as parameter

c++
58,316

Solution 1

Normally, for readability's sake, you use a typedef to define the custom type like so:

typedef void (* vFunctionCall)(int args);

when defining this typedef you want the returning argument type for the function prototypes you'll be pointing to, to lead the typedef identifier (in this case the void type) and the prototype arguments to follow it (in this case "int args").

When using this typedef as an argument for another function, you would define your function like so (this typedef can be used almost exactly like any other object type):

void funct(int a, vFunctionCall funct2) { ... }

and then used like a normal function, like so:

funct2(a);

So an entire code example would look like this:

typedef void (* vFunctionCall)(int args);

void funct(int a, vFunctionCall funct2)
{
   funct2(a);
}

void otherFunct(int a)
{
   printf("%i", a);
}

int main()
{
   funct(2, (vFunctionCall)otherFunct);
   return 0;
}

and would print out:

2

Solution 2

Another way to do it is using the functional library.

std::function<output (input)>

Here reads an example, where we would use funct2 inside funct:

#include <iostream>
using namespace std;
#include <functional>

void displayMessage(int a) {
    cout << "Hello, your number is: " << a << endl;
}

void printNumber(int a, function<void (int)> func) {
    func(a);
}

int main() {
    printNumber(3, displayMessage);
    return 0;
}

output : Hello, your number is: 3

Share:
58,316
Mark
Author by

Mark

Updated on July 09, 2022

Comments

  • Mark
    Mark almost 2 years

    Possible Duplicate:
    How do you pass a function as a parameter in C?

    Suppose I have a function called

    void funct2(int a) {
    
    }
    
    
    void funct(int a, (void)(*funct2)(int a)) {
    
     ;
    
    
    }
    

    what is the proper way to call this function? What do I need to setup to get it to work?