0

以下のプログラムは、関数へのポインターの配列の使用を示すことになっています。num1 と num2 の値を変更する scanf ステートメントを除いて、すべてがうまく機能します (コード内でコメントしています)。変数を初期化して、たとえば 2 にすると、プログラムを実行すると、値を置き換えるために scanf に何を入力したかに関係なく、変数の値は 2 になります。これについて何か助けていただければ幸いです。

#include <stdio.h>

// function prototypes
void add      (double, double);
void subtract (double, double);
void multiply (double, double);
void divide   (double, double);

int main(void)
{
    // initialize array of 4 pointers to functions that each take two
    // double arguments and return void.
    void(*f[4])(double, double) = { add, subtract, multiply, divide };

    double num1;   // variable to hold the 1st number
    double num2;   // variable to hold the 2nd number
    size_t choice; // variable to hold the user's choice

    printf("%s", "Which operation would you like to perform on the two numbers?\n");
    printf("%s", "[0] add\n");
    printf("%s", "[1] subtract\n");
    printf("%s", "[2] multiply\n");
    printf("%s", "[3] divide\n");
    printf("%s", "[4] quit\n");
    scanf_s("%u", &choice);

    // process user's choice
    while (choice >= 0 && choice < 4)
    {
        printf("%s", "Enter a number: ");
        scanf_s("%f", &num1); // <--- THIS SCANF_S STATEMENT ISN'T CHANGING NUM1'S VALUE
        printf("%s", "Enter another number: ");
        scanf_s("%f", &num2); // <--- THIS SCANF_S STATEMENT ISN'T CHANGING NUM2'S VALUE

        // invoke function at location choice in array f and pass
        // num1 and num2 as arguments
        (*f[choice])(num1, num2);

        printf("%s", "Which operation would you like to perform on the two numbers?\n");
        printf("%s", "[0] add\n");
        printf("%s", "[1] subtract\n");
        printf("%s", "[2] multiply\n");
        printf("%s", "[3] divide\n");
        printf("%s", "[4] quit\n");
        scanf_s("%u", &choice);
    } // end while loop

    puts("Program execution completed");
} // end main

void add(double a, double b)
{
    printf("%1.2f + %1.2f = %1.2f\n", a, b, a + b);
}

void subtract(double a, double b)
{
    printf("%1.2f - %1.2f = %1.2f\n", a, b, a - b);
}

void multiply(double a, double b)
{
    printf("%1.2f * %1.2f = %1.2f\n", a, b, a * b);
}

void divide(double a, double b)
{
    printf("%1.2f / %1.2f = %1.2f\n", a, b, a / b);
}
4

1 に答える 1