一个C#类型中所包含的信息有:
- 存储此类型变量所需的内存空间大小
- 此类型的值可表示的最大、最小值范围
- 此类型所包含的成员(如方法、属性、事件等)
- 此类型由什么基类派生而来
- 程序运行的时候,此类型的变量分配在内存的什么位置
- 程序在内存开始运行后,将内存分为两个区域对待,一个是栈Stack,一个是堆Heap
- 栈Stack:给方法(函数)调用;比较小,只有1、2M
- 堆Heap:存储对象,实例就放在堆中;比较大,能到几个G,所以能放很多对象
- 此类型所允许的操作(运算)
类型的基类、所包含的成员:
using System;
using System.Reflection;
using System.Windows.Forms;
namespace TypeSample
{
class Program
{
static void Main(string[] args)
{
//查看Form的类型是什么
Type myType = typeof(Form);
Console.WriteLine(myType.Name); //类型名称
Console.WriteLine(myType.FullName); //类型全名
Console.WriteLine(myType.BaseType.FullName); //类型的基类名称
Console.WriteLine(myType.BaseType.BaseType.FullName); //类型的基类的基类名称
Console.WriteLine("========================================================");
//一个类型知道自己有哪些成员
PropertyInfo[] pInfos = myType.GetProperties(); //获得该类型有哪些属性
MethodInfo[] mInfos = myType.GetMethods(); //获得该类型有哪些方法
foreach (var p in pInfos)
{
Console.WriteLine(p.Name);
}
Console.WriteLine("==================================================");
foreach (var m in mInfos)
{
Console.WriteLine(m.Name);
}
}
}
}
类型允许的运算:
using System;
namespace TypeSample
{
class Program
{
static void Main(string[] args)
{
//数据类型知道自己允许做哪些操作
double result1 = 3.0 / 4.0;
Console.WriteLine(result1); //输出结果为0.75
double result2 = 3 / 4;
Console.WriteLine(result2); //输出结果为0
}
}
}
栈溢出:
namespace StackOverflow
{
class Program
{
static void Main(string[] args)
{
BadGuy bg = new BadGuy();
bg.BadMethod();
}
}
class BadGuy
{
//栈溢出 无限递而不归,每次存一个x,造成栈存不下
public void BadMethod()
{
int x = 100;
this.BadMethod();
}
}
}
使用Performance Monitor查看进程的堆内存使用量:
创建WPF APP,设置两个按钮Button,并分别编辑Click事件。
using System.Collections.Generic;
using System.Windows;
namespace HeapSample
{
/// <summary>
/// Interaction logic for MainWindow.xaml
/// </summary>
public partial class MainWindow : Window
{
public MainWindow()
{
InitializeComponent();
}
List<Window> winList;
private void Button1_Click(object sender, RoutedEventArgs e)
{
winList = new List<Window>();
for (int i = 0; i < 15000; i++)
{
Window w = new Window();
winList.Add(w);
}
}
private void Button2_Click(object sender, RoutedEventArgs e)
{
winList.Clear();
}
}
}
Build Solution之后,在文件管理器中启动HeapSample应用程序。
Windows+R,打开运行窗口,输入perfmon(Performance Monitor),运行,打开性能监视器(可监视系统性能或某个程序的性能),点击删除,再点击旁边的添加。
程序在内存中为进程,所以找到Process展开,点击Private Bytes,在下面的框中找到HeapSample,添加,确定。
观察到红线一直在顶端,所以双击所添加的计数器,在菜单栏中点击图表Graph,修改垂直比例Vertical scale下的最大值Maximum,改为1024,图表就可以展示更高的内存量了。
点击Consume Heap Memory按钮,内存消耗,红线上升;点击Release Heap Memory按钮,释放内存(不是马上释放内存,可能会时隔几秒),红线下降。