既定の引数
多くの場合関数に既定値が十分で頻繁に使用される引数があります。これを特定の呼び出しで意味を持つ引数を指定するを既定の引数の機能を使用して関数のアドレス。この概念を説明するために例を 関数オーバーロード で使用されることを検討してください。
// Prototype three print functions.
int print( char *s ); // Print a string.
int print( double dvalue ); // Print a double.
int print( double dvalue, int prec ); // Print a double with a
// given precision.
多くのアプリケーションでは適切な既定値は prec に指定できるため2 回の関数の必要がありません):
// Prototype two print functions.
int print( char *s ); // Print a string.
int print( double dvalue, int prec=2 ); // Print a double with a
// given precision.
print の関数では1 種類のこのような関数のみ 倍精度浮動小数点型 型であるという事実を反映するように若干変更されています :
// default_arguments.cpp
// compile with: /EHsc /c
// Print a double in specified precision.
// Positive numbers for precision indicate how many digits
// precision after the decimal point to show. Negative
// numbers for precision indicate where to round the number
// to the left of the decimal point.
#include <iostream>
#include <math.h>
using namespace std;
int print( double dvalue, int prec ) {
// Use table-lookup for rounding/truncation.
static const double rgPow10[] = {
10E-7, 10E-6, 10E-5, 10E-4, 10E-3, 10E-2, 10E-1, 10E0,
10E1, 10E2, 10E3, 10E4, 10E5, 10E6
};
const int iPowZero = 6;
// If precision out of range, just print the number.
if( prec >= -6 && prec <= 7 )
// Scale, truncate, then rescale.
dvalue = floor( dvalue / rgPow10[iPowZero - prec] ) *
rgPow10[iPowZero - prec];
cout << dvalue << endl;
return cout.good();
}
print の新しい関数を呼び出すには次のようなコードを使用する :
print( d ); // Precision of 2 supplied by default argument.
print( d, 0 ); // Override default argument to achieve other
// results.
既定の引数を使用する場合はこれらの点に注意してください :
既定の引数は後ろに引数を省略する関数呼び出しでのみ使用されます。最後の引数である必要があります。したがって次のコードは無効です :
int print( double dvalue = 0.0, int prec );
既定の引数では宣言内で再定義が元と同じでも再定義できません。したがって次のコードはエラーを生成します :
// Prototype for print function. int print( double dvalue, int prec = 2 ); ... // Definition for print function. int print( double dvalue, int prec = 2 ) { ... }
このコードの問題点は定義の関数宣言が prec の既定の引数を定義し直すことです。
追加の引数既定では宣言によって追加できます。
既定の引数が関数にポインターに提供できます。次に例を示します。
int (*pShowIntVal)( int i = 0 );