C++的缺省參數你瞭解嘛

一、缺省參數概念

缺省參數是聲明或定義函數時為函數的參數指定一個默認值。在調用該函數時,如果沒有指定實參則采用該默認值,否則使用指定的實參

#include<iostream>
using namespace std;
void TestFunc(int a = 0)//參數缺省值
{
	cout << a << endl;
}
int main()
{
	TestFunc();//沒有指定實參,使用缺省值
	TestFunc(10);//指定實參,使用實參
	return 0;
}

有什麼用 

比如在 C 語言中有個很苦惱的問題是寫棧時,不知道要開多大的空間,之前我們是如果棧為空就先開 4 塊空間,之後再以 2 倍走,如果我們明確知道要很大的空間,那麼這樣就隻能一點一點的接近這塊空間,就太 low 瞭。但如果我們使用缺省,明確知道不需要太大時就使用默認的空間大小,明確知道要很大時再傳參

#include<iostream>
using namespace std;
namespace WD
{
	struct Stack
	{
		int* a;
		int size;
		int capacity;	
	};
}
using namespace WD;
void StackInit(struct Stack* ps)
{
	ps->a = NULL; 
	ps->capacity = 0;
	ps->size = 0;
}
void StackPush(struct Stack* ps, int x)
{
	if(ps->size == ps->capacity)
	{
		//ps->capacity *= 2;//err
		ps->capacity == 0 ? 4 : ps->capacity * 2;//這裡就必須寫一個三目
	}
}
void StackInitCpp1(struct Stack* ps, int defaultCP)
{
	ps->a = (int*)malloc(sizeof(int) * defaultCP);
	ps->capacity = 0;
	ps->size = defaultCP;
}
void StackInitCpp2(struct Stack* ps, int defaultCP = 4)//ok
{
	ps->a = (int*)malloc(sizeof(int) * defaultCP);
	ps->capacity = 0;
	ps->size = defaultCP;
}
int main()
{
	//假設明確知道這裡至少需要100個數據到st1
	struct Stack st1; 
	StackInitCpp1(&st1, 100);
	//假設不知道st2裡需要多少個數據 ———— 希望開小點
	struct Stack st2;  
	StackInitCpp2(&st1);//缺省
	return 0;
}

二、缺省參數分類

全缺省參數 

void TestFunc(int a = 10, int b = 20, int c = 30)
{
	cout << "a = " << a << endl;
	cout << "b = " << b << endl;
	cout << "c = " << c << endl;
	cout << endl;
}
int main()
{
	//非常靈活,
	TestFunc();
	TestFunc(1);
	TestFunc(1, 2);
	TestFunc(1, 2, 3);	
	//TestFunc(1, , 3);//err,註意它沒辦法實現b不傳,隻傳a和b,也就是說編譯器隻能按照順序傳
	return 0;
}

註意:

全缺省參數隻支持順序傳參

半缺省參數 

//void TestFunc(int a, int b = 10, /*int f, - err*/ int c = 20);//err,void TestFunc(int a, int b = 10, /*int f, int x = y, -> err*/ int c = 20){cout << "a = " << a << endl;cout << "b = " << b << endl;cout << "c = " << c << endl;cout << endl;}int main(){//TestFunc();//err,至少得傳一個,這是根據形參有幾個非半缺省參數確定的TestFunc(1);TestFunc(1, 2);TestFunc(1, 2, 3);return 0;}//void TestFunc(int a, int b = 10, /*int f, - err*/ int c = 20);//err,
void TestFunc(int a, int b = 10, /*int f, int x = y, -> err*/ int c = 20)
{
	cout << "a = " << a << endl;
	cout << "b = " << b << endl;
	cout << "c = " << c << endl;
	cout << endl;
}
int main()
{
	//TestFunc();//err,至少得傳一個,這是根據形參有幾個非半缺省參數確定的
	TestFunc(1);
	TestFunc(1, 2);
	TestFunc(1, 2, 3);	
	return 0;
}
//a.hvoid TestFunc(int a = 10);//a.cppvoid TestFunc(int a = 20){}

註意:

  • 半缺省參數必須從右往左依次來給出,且不能間隔著給
  • 缺省參數不能在函數聲明和定義中同時出現
  • 缺省值必須是常量或者全局變量
  • C 語言不支持缺省

總結

本篇文章就到這裡瞭,希望能夠給你帶來幫助,也希望您能夠多多關註WalkonNet的更多內容! 

推薦閱讀: