All submissions

Function Pointer Dispatch Table

Code

#include <stdio.h>

int add(int a, int b) { return a + b; }
int sub(int a, int b) { return a - b; }
int mul(int a, int b) { return a * b; }
int divide(int a, int b) { return a / b; }

int execute_command(int a, int b, int cmd) {
    // Your logic here using function pointer array
    // Array of function pointers
    int (*operations[4])(int, int) = { add, sub, mul, divide };

    // Direct dispatch using command code
    return operations[cmd](a, b);

}

int main() {
    int a, b, cmd;
    scanf("%d %d %d", &a, &b, &cmd);

    int result = execute_command(a, b, cmd);
    printf("%d", result);

    return 0;
}

Solving Approach

 

Define an array of function pointers: ops[4] = {add, sub, mul, divide}

Use the command code as index: result = ops[cmd](a, b)

Return the result: return result

 

 

 

Loading...

Input

10 5 0

Expected Output

15