我希望类的构造函数能够传递两种类型的参数,然后在方法内部根据参数的类型做一些事情。类型为double
和String[]
。类及其构造函数类似于:
public class MyClass
{
public MyClass (Type par /* the syntax here is my issue */ )
{
if (Type.GetType(par) == String[])
{
/// Do the stuff
}
if (Type.GetType(par) == double)
{
/// Do another stuff
}
}
并且这个类将以这种方式在另一个类上实例化:
double d;
String[] a;
new MyClass(d); /// or new MyClass(a);
答案 0 :(得分:5)
最简单的方法是创建两个构造函数。每种类型一个。
public class MyClass
{
public MyClass (Double d)
{
//stuff
}
public MyClass(String[] s)
{
//other stuff
}
}
此外,我建议您阅读此article
答案 1 :(得分:1)
你可以使用以下内容 - 但我不推荐它。从类型安全的角度来看,单独的构造函数(如the other answer所示)会更简单,也更好。
public MyClass(object par)
{
if (par.GetType() == typeof(double))
{
// do double stuff
}
if (par.GetType() == typeof(string))
{
// do string stuff
}
else
{
// unexpected - fail somehow, i.e. throw ...
}
}