在 C# 中,params关键字用于定义**可变参数列表(variable-length argument list)**的方法参数。它允许调用者传入0 个或多个指定类型的参数,而无需显式创建数组。
你提到的params Type[] interfaceTypes是一个典型的使用场景:方法接收任意数量的Type对象(通常表示接口类型),用于反射、依赖注入、插件系统等。
一、params基本语法
publicvoidMyMethod(paramsint[]numbers){foreach(intninnumbers)Console.WriteLine(n);}// 调用方式:MyMethod();// numbers = new int[0]MyMethod(1);// numbers = new int[] { 1 }MyMethod(1,2,3);// numbers = new int[] { 1, 2, 3 }✅规则:
params必须是方法的最后一个参数。- 一个方法只能有一个
params参数。- 调用时可以直接传多个值,也可以传一个数组。
二、params Type[] interfaceTypes的典型用法
场景:检查某个类型是否实现了指定的一组接口
publicstaticboolImplementsAllInterfaces(TypetargetType,paramsType[]interfaceTypes){if(interfaceTypes==null||interfaceTypes.Length==0)returntrue;// 没有要求接口,视为满足varimplementedInterfaces=targetType.GetInterfaces();foreach(varifaceininterfaceTypes){if(!implementedInterfaces.Contains(iface))returnfalse;}returntrue;}调用示例:
// 定义接口和类publicinterfaceIRunnable{}publicinterfaceIFlyable{}publicclassBird:IRunnable,IFlyable{}// 使用TypebirdType=typeof(Bird);// 方式1:直接传多个 Typeboolresult1=ImplementsAllInterfaces(birdType,typeof(IRunnable),typeof(IFlyable));// 方式2:传数组(等效)Type[]required={typeof(IRunnable),typeof(IFlyable)};boolresult2=ImplementsAllInterfaces(birdType,required);// 方式3:不传(空参数)boolresult3=ImplementsAllInterfaces(birdType);// 返回 true三、其他常见用途
1. 动态创建实现多个接口的代理(如 Castle DynamicProxy)
proxyGenerator.CreateClassProxy(typeof(MyClass),new[]{typeof(IInterceptor)},paramsType[]additionalInterfacesToProxy// ← 这里常用 params);2. 注册服务时指定多个接口
publicvoidRegisterService(Typeimplementation,paramsType[]serviceTypes){foreach(varserviceinserviceTypes){container.Register(service,implementation);}}// 调用RegisterService(typeof(Logger),typeof(ILogger),typeof(IDisposable));3. 断言对象是否实现某些接口(单元测试)
publicvoidAssertImplements(objectobj,paramsType[]expectedInterfaces){TypeactualType=obj.GetType();foreach(varifaceinexpectedInterfaces){Assert.IsTrue(actualType.GetInterfaces().Contains(iface));}}四、注意事项
❗ 1.params参数可以为null
MyMethod(null);// 此时 params 数组为 null!因此在方法内部应做空值检查:
publicvoidFoo(paramsstring[]args){if(args==null){// 处理 null 情况}}❗ 2. 类型安全
params Type[]要求传入的每个参数必须是Type类型(通常是typeof(接口)),不能传接口实例。
✅ 正确:
Check(typeof(ISerializable),typeof(IDisposable));❌ 错误:
ISerializableobj=...;Check(obj);// 编译错误!obj 不是 Type 类型❗ 3. 性能
每次调用会隐式创建数组(除非传入已有数组),高频调用需注意分配开销。
五、完整示例:通用接口验证工具
usingSystem;usingSystem.Linq;publicstaticclassInterfaceChecker{publicstaticboolHasAllInterfaces(Typetype,paramsType[]requiredInterfaces){if(requiredInterfaces==null||requiredInterfaces.Length==0)returntrue;varimplemented=type.GetInterfaces();returnrequiredInterfaces.All(implemented.Contains);}}// 测试interfaceIA{}interfaceIB{}classMyClass:IA,IB{}classProgram{staticvoidMain(){boolok=InterfaceChecker.HasAllInterfaces(typeof(MyClass),typeof(IA),typeof(IB));Console.WriteLine(ok);// True}}总结
params Type[] interfaceTypes是一种灵活接收多个接口类型的写法。- 常用于反射、依赖注入、AOP、插件架构等需要动态处理类型的场景。
- 调用简洁,但需注意
null、性能和类型安全。 - 它让 API 更友好:用户无需手动构造数组。