1. 程式人生 > >結構體作為函式引數(值傳遞,引用傳遞,指標傳遞)

結構體作為函式引數(值傳遞,引用傳遞,指標傳遞)

一、值傳遞
#include <iostream>
#include <string>
using namespace std;

struct Student
{
    int id;
    string name;
    float score[2];
};
void OutCome(Student s)
{
    cout<<s.id<<','<<s.name<<','<<s.score[0]<<','<<s.score[1]<<endl;
}
int main()
{
    Student stu={2013666,"Tom",{88,99}};
    OutCome(stu);
    return 0;
}


二、引用傳遞
#include <iostream>
#include <string>
using namespace std;

struct Student
{
    int id;
    string name;
    float score[2];
};
//引用傳遞不會進行記憶體重新分配,因此和指標傳參類似,效率很高
void OutCome(Student &s)  //引用傳參
{
    cout<<s.id<<','<<s.name<<','<<s.score[0]<<','<<s.score[1]<<endl;
}

int main()
{
    Student stu={2013666,"Tom",{88,99}};
    OutCome(stu);
    return 0;
}


三、指標傳遞
把結構體的指標作為實參

#include <iostream>
#include <string>
using namespace std;

struct Student
{
    int id;
    string name;
    float score[2];
};

void OutCome(Student *s)
{
    //注意指標訪問結構體就不能用“.”啦,要用“->”
    cout<<s->id<<','<<s->name<<','<<s->score[0]<<','<<s->score[1]<<endl;
}
int main()
{
    Student stu={2013666,"Tom",{88,99}};
    OutCome(&stu);   //這種寫法不是特別規範,但可以清晰表明傳遞的實際上是地址
    //嘿嘿,下面這樣寫才清晰
    //Student *p=&stu;
    //OutCome(p)
    return 0;
}