views:

247

answers:

4
+2  Q: 

Functions in C

Can we call functions using function pointer? if yes how?

+1  A: 

Yes you can.

Paul Betts
Agreed +1. Whew, wish they were all that easy.
TheSoftwareJedi
int (*a)(int q){ return q+1;}does this definition work?
@ramu: no, it does not work.
Jonathan Leffler
+12  A: 

Yes. Trivial example:


// Functions that will be executed via pointer.
int add(int i, int j) { return i+j; }
int subtract(int i, int j) {return i-j; }

// Enum selects one of the functions
typedef enum {
  ADD,
  SUBTRACT
} OP;

// Calculate the sum or difference of two ints.
int math(int i, int j, OP op)
{
   int (*func)(int i, int j);    // Function pointer.

   // Set the function pointer based on the specified operation.
   switch (op)
   {
   case ADD:       func = add;       break;
   case SUBTRACT:  func = subtract;  break;
   default:
        // Handle error
   }

   return (*func)(i, j);  // Call the selected function.
}

Adam Liss
Greg: thanks for the highlighting edit -- learn something new every day!
Adam Liss
+1  A: 

Yes. An example:

Before code...

typedef int ( _stdcall *FilterTypeTranslatorType )
    (
        int TypeOfImportRecord,
        PMAType *PMA
    );


FilterTypeTranslatorType    FilterTypeTranslator = {NULL};

Now in the code...

PMAType *PMA;
HANDLE hFilterDll;

// assume DLL loaded
// Now find the address...
...
        FilterTypeTranslator[TheGroup] =
            ( FilterTypeTranslatorType ) GetProcAddress( hFilterDll,
                                                         "FilterTypeTranslator" );
...
// now call it


FilterTypeTranslator(1,PMA);
...  
David L Morris
+4  A: 

Yes. Here's a good tutorial with examples.

Sherm Pendley