首先让我说我是C ++的初学者。我正在尝试编写一个程序,只需要用户输入3个输入。两个是字符串,一个是整数。我为此编写了以下课程:
#include <string>
#include <sstream>
using namespace std;
class Cellphone
{
private :
string itsbrand;
string itscolor;
int itsweight;
public :
string tostring();
void setbrand(string brand);
string getbrand() ;
void setcolor(string color);
string getcolor();
void setweight(int weight);
int getweight();
};
除了我需要两个构造函数之外,一切都与我需要的完全一样。一个参数中没有数据,一个参数中有数据。我很困惑,甚至开始与构造者,所以如果有人可以请提供一点点洞察力,我会非常感激。这是我的主要():
int main ()
{
Cellphone Type;
int w;
string b, c;
cout << "Please enter the Cellphone brand : ";
getline(cin, b);
Type.setbrand (b);
cout << "Please enter the color of the Cellphone : ";
getline(cin, c);
Type.setcolor (c);
cout << "Please enter the weight of the Cellphone in pounds : ";
cin >> w;
Type.setweight (w);
cout << endl;
cout << Type.tostring();
cout << endl;
}
关于如何构建构造函数的任何想法?
答案 0 :(得分:2)
C ++类中的构造函数可以重载。
没有给定参数的构造函数通常称为“default” 构造函数“。如果你的类没有定义任何构造函数,那么 编译器将为您生成“默认构造函数”。 “默认构造函数”是一个可以在不提供任何参数的情况下调用的构造函数。
当这些参数使用具有给定参数的构造函数时 在创建类的新对象时提供值。如果 你的类定义了一个带参数的构造函数,然后是 编译器不会为你生成“默认构造函数”,所以当 你创建一个需要默认构造函数的对象 导致编译错误。因此,您决定是否根据您的应用程序提供默认构造函数和重载构造函数。
例如,在您的CellPhone类中,如果需要,可以提供两个或更多构造函数。
默认构造函数:您正在为类
的成员提供某种默认值public CellPhone(): itsbrand(""), itscolor(""), itsweight(0){
//note that no formal parameters in CellPhone parameter list
}
带参数的构造函数:
public CellPhone(string b, string c, int w): itsbrand(b), itscolor(c), itsweight(w)
{
}
您还可以定义一个为所有给定参数提供默认值的构造函数,根据定义,这也称为“默认构造函数”,因为它们具有默认值。示例如下:
public CellPhone(string b="", string c="", int w=0): itsbrand(b),itscolor(c),itsweight(w)
{
}
这些是关于C ++中构造函数重载的一些方面;