泛型的定义
- 声明类和方法的时候,一般需要定义是什么类,Class Dog,Class Cat等。当针对不同类型,具有相同行为的时候,也就是方法可能是一样的时候,那么泛型就发挥作用了。
泛型的优点
- 使用泛型类、方法,我们可以极大地提高代码的重用性,不需要对类型不同,代码相同(仅参数不同)的代码写多次
- 创建泛型类,可在编译时创建类型安全的集合
- 避免装箱和拆箱操作,降低性能,在大型集合中装箱和拆箱对性能的影响很大。(装箱:值类型转成引用类型;拆箱:引用类型转成值类型)
泛型的种类
- 在C#代码中,在方法名后面使用<T>类型化的参数,表示这是一个泛型方法,然后又在圆括号中使用了类型T,定义了类型T的参数变量t,例:
public void GenericMethod<T>(T t);//泛型方法
public GenericClass<T>;//泛型类
public interface IGenericInterface<T> //泛型接口
{
void DoSomthing(T t);
}
public T[] GenericArray; //泛型数组
public delegate TOutput GenericDelagete<TInput, TOutput>(TInput input); //泛型委托
泛型方法使用举例
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace TClassDemo
{
class Program
{
static void Main(string[] args)
{
var stuent = new Student();
stuent.Show(1);
stuent.Show("hello,world!");
Console.ReadKey();
}
public class Student
{
public void Show<T>(T t)
{
Console.WriteLine("The type is "+ t.GetType() +" Value is"+ t);
}
}
}
}
输出结果
使用泛型方法的注意点:
- 确定类型参数,且在方法内部处理时,要符合类型,否则会出现类型错误的情况
- 调用时,可根据定义功能要求传入具体的类型和实参值
- 泛型方法灵活性强,但并不是所有方法都要使用泛型的,要根据实际情况来选择
泛型类的使用
- 泛型类:常用于API通用接口的泛型类,代码摘自代码
class Program
{
static void Main(string[] args)
{
List<Product> data = new List<Client.Product>() {
new Client.Product() { Id=12,Name="土豆"},
new Client.Product() { Id=12,Name="茄子"},
new Client.Product() { Id=12,Name="黄瓜"}
};
var resultProduct = Result<Product>.Success(data);
var resultUser = Result<User>.Error("没有数据");
foreach (var item in resultProduct.Data)
{
Console.WriteLine(item.Id+","+item.Name);
}
Console.WriteLine(resultUser.IsSuccess+resultUser.Message);
}
}
public class Result<T> { //泛型类,声明T变量类型
public bool IsSuccess { get; set; }
public List<T> Data { get; set;}//未定义具体类型的泛型集合
public string Message { get; set; }
public static Result<T> Error(string message)
{
return new Client.Result<T> { IsSuccess = false, Message = message };
}
//泛型方法,初始化数据
public static Result<T> Success(List<T> data)
{
return new Client.Result<T> { IsSuccess =true,Data =data}; //成功就没有提示消息的原则
}
}
public class Product {
public int Id { get; set; }
public string Name { get; set; }
}
public class User {
public int Age { get; set; }
public string Name { get; set; }
}
泛型集合和ArrayList
- 看到CSDN上面一个大牛说的,觉得很有道理,整理如下:
System.Collections.ArrayList list1 = new System.Collections.ArrayList();
list1.Add(3);
list1.Add(105);
System.Collections.ArrayList list2 = new System.Collections.ArrayList();
list2.Add("科比");
list2.Add("詹姆斯");
- ArrayList是一个极为方便的集合类,可以用于存储任何引用或值类型。但是缺点也很明显,第一个缺点是编译的时候不会检查类型,例如:
System.Collections.ArrayList list1 = new System.Collections.ArrayList();
list1.Add(3);
list1.Add(105);
list1.Add("sd");
foreach (int item in list1)
{
Console.WriteLine(item.ToString());
}
-
编译正常,运行的时候会出现转换类型错误。至于ArrayList第二个缺点就是装箱拆箱的时候回造成性能的损失。我们看看ArrayList的Add方法的定义。
- 参数是一个object类型,也就是说ArrayList添加任何引用类型或值类型都会隐士转换成Object,这个时候便发生装箱操作,在遍历检索它们时必须从object 类型转换成指定的类型,这个时候便发生拆箱操作。这两种操作会大大降低性能。所以.net 2.0的程序时应该放弃使用ArrayList,推荐使用使用List《T》 泛型集合。这也是我们为什么要使用泛型的原因之一。