サーチ…


構文

  • #include <math.h>
  • ダブルパワー(double x、double y);
  • float powf(float x、float y);
  • long double powl(long double x、long double y);

備考

  1. 数学ライブラリとリンクするには、gccフラグを指定して-lmを使用します。
  2. 数学的関数からエラーをチェックする必要がある移植可能なプログラムは、 errnoを0にerrnoし、次のように呼び出しますfeclearexcept(FE_ALL_EXCEPT);数学的関数を呼び出す前に。数学関数からの復帰時に、 errnoがゼロ以外の場合、または次の呼び出しは0以外のfetestexcept(FE_INVALID | FE_DIVBYZERO | FE_OVERFLOW | FE_UNDERFLOW);返しますfetestexcept(FE_INVALID | FE_DIVBYZERO | FE_OVERFLOW | FE_UNDERFLOW);数学的関数でエラーが発生しました。詳細は、math_errorのマンページを参照してください。

倍精度浮動小数点剰余:fmod()

この関数は、 x/y除算の浮動小数点剰余を返します。戻り値はxと同じ符号を持ちます。

#include <math.h> /* for fmod() */
#include <stdio.h> /* for printf() */

int main(void)
{
    double x = 10.0;
    double y = 5.1;

    double modulus = fmod(x, y);

    printf("%lf\n", modulus); /* f is the same as lf. */

    return 0;
}

出力:

4.90000

重要:この関数は、浮動小数点値の操作のために予期しない値を返す可能性があるため、注意して使用してください。

#include <math.h>
#include <stdio.h>

int main(void)
{
    printf("%f\n", fmod(1, 0.1));
    printf("%19.17f\n", fmod(1, 0.1));
    return 0;
}

出力:

0.1
0.09999999999999995

単精度およびlong倍精度浮動小数点の剰余:fmodf()、fmodl()

C99

これらの関数は、 x/y除算の浮動小数点剰余を返します。戻り値はxと同じ符号を持ちます。

単精度:

#include <math.h> /* for fmodf() */
#include <stdio.h> /* for printf() */

int main(void)
{
    float x = 10.0;
    float y = 5.1;

    float modulus = fmodf(x, y);

    printf("%f\n", modulus); /* lf would do as well as modulus gets promoted to double. */
}

出力:

4.90000

ダブルダブル精密:

#include <math.h> /* for fmodl() */
#include <stdio.h> /* for printf() */

int main(void)
{
    long double x = 10.0;
    long double y = 5.1;

    long double modulus = fmodl(x, y);

    printf("%Lf\n", modulus); /* Lf is for long double. */
}

出力:

4.90000

パワー関数 - pow()、powf()、powl()

次のサンプルコードは、標準の数学ライブラリのpow()ファミリを使用して、 1 + 4(3 + 3 ^ 2 + 3 ^ 3 + 3 ^ 4 + ... + 3 ^ N)シリーズの合計を計算します。

#include <stdio.h>
#include <math.h>
#include <errno.h>
#include <fenv.h>

int main()
{
        double pwr, sum=0;
        int i, n;

        printf("\n1+4(3+3^2+3^3+3^4+...+3^N)=?\nEnter N:");
        scanf("%d",&n);
        if (n<=0) {
                printf("Invalid power N=%d", n);
                return -1;
        }

        for (i=0; i<n+1; i++) {
                errno = 0;
                feclearexcept(FE_ALL_EXCEPT);
                pwr = powl(3,i);
                if (fetestexcept(FE_INVALID | FE_DIVBYZERO | FE_OVERFLOW |
                        FE_UNDERFLOW)) {
                        perror("Math Error");
                }
                sum += i ? pwr : 0;
                printf("N= %d\tS= %g\n", i, 1+4*sum);
        }

        return 0;
}

出力例:

1+4(3+3^2+3^3+3^4+...+3^N)=?
Enter N:10
N= 0    S= 1
N= 1    S= 13
N= 2    S= 49
N= 3    S= 157
N= 4    S= 481
N= 5    S= 1453
N= 6    S= 4369
N= 7    S= 13117
N= 8    S= 39361
N= 9    S= 118093
N= 10    S= 354289


Modified text is an extract of the original Stack Overflow Documentation
ライセンスを受けた CC BY-SA 3.0
所属していない Stack Overflow