结构体
结构体定义
结构体的语法格式:
struct + 结构体名
{
结构体成员变量(相当于类中的字段)
}
结构体中的特点:
1.结构体不能被继承
2.结构体除了可以拥有结构体成员变量外,还可以有属性
3.结构体和类一样,也可以有自己的行为(也就是方法)
4.结构体如果内部不存在任何构造函数,此时系统会像类那样为结构自动添加无参数的构造函数
5.结构体内部如果存在构造函数,此时必须对结构体内部所有变量赋值
6.如果结构体内部存在多个构造函数,不管你创建结构体变量的时候有没有调用构造函数,都必须对所有
7.C#4.0之前系统不支持手动调用结构体无参构造函数——写都不能写
C#5.0支持手动写默认构造函数
8.结构体中不管你是否写了带有参数的构造函数,系统仍然会提供一个无参数的构造函数
9.结构体中的new不是开辟空间,既然要开辟空间必然有性能上的损耗,因为托管堆(堆)需要优化
10.结构体损耗性能比较小,如果你设计的数据结构是小型轻量级的,这时候可以采用结构体储存
11.结构体可以指定结构体成员在内存的分布
12.结构体中不能有析构函数
struct Student //定义结构体,不能继承
{
public string name;//定义结构体中的字段
public int age;
public int sno;
public int score;
public Student(string name,int age,int sno,int score)//结构体的构造方法,必须初始化所有对象
{
this.name = name;
this.age = age;
this.sno = sno;
this.score = score;
Console.WriteLine ("name ={0} age ={1} sno ={2} score ={3}",name,age,sno,score);
}
class MainClass
{
public static void Main (string[] args)
{
//实例化五个对象,也可不用new,这里需要调用构造方法
Student s = new Student ("a1", 20, 4, 50);
Student s1 = new Student ("a2", 21, 3, 30);
Student s2 = new Student ("a3", 38, 2, 20);
Student s3 = new Student ("a4", 15, 5, 60);
Student s4 = new Student ("a5", 30, 1, 90);
//找出最高值
int index = 0;
int max = 0;
Student[] array = new Student[]{ s, s1, s2, s3, s4 };//将五个对象存入结构体数组中
for (int i = 0; i < 5; i++) {
if (array [i].score > max) {
max = array [i].score;
index = i;//记录最大值的下标
}
}
Console.WriteLine ("分数最高的是{0},分数是{1},年龄是{2},学号{3}",array[index].name,array[index].score,array[index].age,array[index].sno);
//按年龄排序
//利用冒泡排序将数组中结构体位置交换
for (int i = 0; i < 5; i++) {
for (int j = 0; j < 5-i-1; j++) {
if (array [j].age > array [j + 1].age) {
Student temp = array [j];
array [j] = array [j + 1];
array [j + 1] = temp;
}
}
}
Console.WriteLine ("按年龄排序是");
foreach (var item in array) {
Console.WriteLine ("名字 ={0} 年龄 ={1} 学号 ={2} 分数 ={3}",item.name,item.age,item.sno,item.score);
}
}
}
析构方法
析构方法~+类名
析构方法没有返回值,没有参数
作用:销毁对象的
析构方法不能手动进行调用,由系统自动调用
在实际开发中,析构函数的作用就是断开socket连接或者断开数据库
internal是修饰类的默认修饰符。只有当前程序集才可以访问
尝试横跨程序集进行访问:
目标:访问Test程序集MainClass类中的Show方法
步骤:
1.编译你想访问的那个程序集 -->编译后的程序文件存于系统的某个位置
2.在访问程序集中的Reference文件夹中,右键选中编辑,然后弹出的界面选中Project栏,此时你会看到你想访问的那个程序集,勾选中点击ok
3.在访问程序集中MainClass函数中调用,调用的格式为,命名空间.类名
网友评论