对象数组中的每个元素都是同一个类的对象。动态创建对象数组的法如下:
对象指针名=new 类名[下标表达式列表];
初始化对象数组如果不传参数,会调用类的默认构造。
不传参数时,要在默认构造函数里给每个变量赋值,否则编译不通过。
#include<iostream>
using namespace std;
class temp{
private:
int x;
int y;
public:
temp();
temp(int a,int b)
{
x=a;
y=b;
cout<<x<<" "<<y<<endl;
}
};
int main()
{
temp *point=new temp[3];
delete []point;
return 0;
}
当正确给每个变量赋值时,程序编译通过。
#include<iostream>
using namespace std;
class temp{
private:
int x;
int y;
public:
temp(){
x=1;
y=2;
}
temp(int a,int b)
{
x=a;
y=b;
cout<<x<<" "<<y<<endl;
}
};
int main()
{
temp *point=new temp[3];
delete []point;
return 0;
}
不能动态创建对象的有参构造,但可以创建对象数组,使得对象指针指向对象数组。
#include<iostream>
#include<cstring>
using namespace std;
class window{
private:
char name[15];
public:
window()
{
strcpy(name,"小明");
}
window(char a[])
{
strcpy(name,a);
}
char *getname(){
return name;
}
};
class temp{
private:
int x;
int y;
public:
window owe;
temp(){
x=1;
y=2;
}
temp(char str[],int a,int b):owe(str)
{
x=a;
y=b;
cout<<x<<" "<<y<<endl;
}
int getx(){
return x;
}
};
int main()
{
temp a[3]={temp("小明",1,2),temp("小红",2,3),temp("小张",3,4)};
temp *p=a;
for(int i=0;i<3;i++) cout<<(p+i)->owe.getname()<<endl;
return 0;
}