????????虽然数组可以存储多个元素,但是所有元素类型必须相同,也就是说,一个数组可以存储20个int,另一个数组可以存储10个float,但同一个数组不能在一个元素中存储int,在另一些元素中存储float。cpp中的结构可以满足要求,结构是一种比数组更灵活的数据格式,因为同一个结构可以存储多种类型的数据。结构也是cpp OOP类的基石。结构是用户定义的类型,而结构声明定义了这种类型的数据属性,定义了类型后,便可以创建这种类型的变量,因此创建结构包括两步,首先,定义结构描述,它描述并标记了能够存储在数据中的各种数据类型。然后按描述创建结构变量(结构数据对象)。
struct inflatable
{
char name[20];
float volume;
double price;
}
????????关键字struct表明,这些代码定义的是一个结构的布局。标识符inflatable是这种数据格式的名称,因此新类型的名称为inflatable。这样便可以像创建char或int类型的变量那样创建inflatable类型的变量了。大括号中包含的是结构存储的数据类型的列表,其中每个列表项都是一条声明语句。这个例子使用了一个适合用于存储字符串的char数组,一个float和一个double。列表中的每一项都被称为结构成员,因此inflatable有3个成员。
定义结构后,便可以创建这种类型的变量了:
inflatable hat;
inflatable woopie_cushion;
inflatable maingrame;
????????由于hat的类型为inflatable,因此可以使用成员运算符.来访问各个成员。例如,hat.volume指的是结构的volume成员,hat.price指的是price成员。通过成员名能够访问结构的成员,就像通过索引能够访问数组的元素一样。
// structur.cpp -- a simple structure
#include <iostream>
struct inflatable // structure declaration
{
char name[20];
float volume;
double price;
};
int main()
{
using namespace std;
inflatable guest =
{
"Glorious Gloria", // name value
1.88, // volume value
29.99 // price value
}; // guest is a structure variable of type inflatable
// It's initialized to the indicated values
inflatable pal =
{
"Audacious Arthur",
3.12,
32.99
}; // pal is a second variable of type inflatable
// NOTE: some implementations require using
// static inflatable guest =
cout << "Expand your guest list with " << guest.name;
cout << " and " << pal.name << "!\n";
// pal.name is the name member of the pal variable
cout << "You can have both for $";
cout << guest.price + pal.price << "!\n";
// cin.get();
return 0;
}
????????与数组一样,cpp11也支持将列表初始化用于结构,且=是可选的:
inflatable duck{"Daphne",0.12,9.99}
inflatable mayor {};
????????cpp使用用户的类型与内置类型尽可能相似。例如,可以将结构作为参数传递给函数,也可以让函数返回一个结构。另外,还可以使用赋值运算符(=)将结构赋给另一个同类型的结构,这样结构中每个成员都将设置为另一个结构中相应成员的值,即使成员是数组。这种赋值被称为成员赋值。
// assgn_st.cpp -- assigning structures
#include <iostream>
struct inflatable
{
char name[20];
float volume;
double price;
};
int main()
{
using namespace std;
inflatable bouquet =
{
"sunflowers",
0.20,
12.49
};
inflatable choice;
cout << "bouquet: " << bouquet.name << " for $";
cout << bouquet.price << endl;
choice = bouquet; // assign one structure to another
cout << "choice: " << choice.name << " for $";
cout << choice.price << endl;
// cin.get();
return 0;
}
? ? ? ? inflatable结构包含一个数组,也可以创建元素为结构的数组,方法和创建基本类型数组完全相同。例如,创建一个包含100个inflatable结构的数组
inflatable gifts[100];
? ? ? ? gifts本身是一个数组,而不是结构。
|