(1)用結(jié)構(gòu)體變量名作為參數(shù)。
#include<iostream>
#include<string>
using namespace std;
struct Student{
 string name;
 int score; 
};
int main(){
 Student one;
 void Print(Student one);
 one.name="千手";
 one.score=99;
 Print(one);
 cout<<one.name<<endl;
 cout<<one.score<<endl;//驗(yàn)證 score的值是否加一了 
 return 0;
}
void Print(Student one){
 cout<<one.name<<endl;
 cout<<++one.score<<endl;//在Print函數(shù)中,對(duì)score進(jìn)行加一 
}

這種方式值采取的“值傳遞”的方式,將結(jié)構(gòu)體變量所占的內(nèi)存單元的內(nèi)存全部順序傳遞給形參。在函數(shù)調(diào)用期間形參也要占用內(nèi)存單元。這種傳遞方式在空間和實(shí)踐上開銷較大,如果結(jié)構(gòu)體的規(guī)模很大時(shí),開銷是很客觀的。 并且,由于采用值傳遞的方式,如果在函數(shù)被執(zhí)行期間改變了形參的值,該值不能反映到主調(diào)函數(shù)中的對(duì)應(yīng)的實(shí)參,這往往不能滿足使用要求。因此一般較少使用這種方法。
(2)用指向結(jié)構(gòu)體變量的指針作為函數(shù)參數(shù)
#include<iostream>
#include<string>
using namespace std;
struct Student{
 string name;
 int score; 
};
int main(){
 Student one;
 void Print(Student *p);
 one.name="千手";
 one.score=99;
 Student *p=&one; 
 Print(p);
 cout<<one.name<<endl;
 cout<<one.score<<endl;//驗(yàn)證 score的值是否加一了 
 return 0;
}
void Print(Student *p){
 cout<<p->name<<endl;
 cout<<++p->score<<endl;//在Print函數(shù)中,對(duì)score進(jìn)行加一 
}

這種方式雖然也是值傳遞的方式,但是這次傳遞的值卻是指針。通過改變指針指向的結(jié)構(gòu)體變量的值,可以間接改變實(shí)參的值。并且,在調(diào)用函數(shù)期間,僅僅建立了一個(gè)指針變量,大大的減小了系統(tǒng)的開銷。(3)用接頭體變量的引用變量作函數(shù)參數(shù)
#include<iostream>
#include<string>
using namespace std;
struct Student{
 string name;
 int score; 
};
int main(){
 Student one;
 void Print(Student &one);
 one.name="千手";
 one.score=99;
 Print(one);
 cout<<one.name<<endl;
 cout<<one.score<<endl;//驗(yàn)證 score的值是否加一了 
 return 0;
}
void Print(Student &one){
 cout<<one.name<<endl;
 cout<<++one.score<<endl;//在Print函數(shù)中,對(duì)score進(jìn)行加一 
}

實(shí)參是結(jié)構(gòu)體變量,形參是對(duì)應(yīng)的結(jié)構(gòu)體類型的引用,虛實(shí)結(jié)合時(shí)傳遞的是地址,因而執(zhí)行效率比較高。而且,與指針作為函數(shù)參數(shù)相比較,它看起來(lái)更加直觀易懂。因而,引用變量作為函數(shù)參數(shù),它可以提高效率,而且保持程序良好的可讀性。