1

在 c# 中,我们可以在做其他事情之前确定 List 持有什么类型吗?例子:

List<int> listing = new List<int>();

if(listing is int)
{
    // if List use <int> type, do this...
}
else if(listing is string)
{
    // if List use <string> type, do this...
}
4

3 回答 3

4

你可以使用Type.GetGenericArguments()方法。

像:

Type[] types = list.GetType().GetGenericArguments();
if (types.Length == 1 && types[0] == typeof(int))
{
    ...
}
于 2012-12-26T08:16:43.770 回答
3

您可以使用

if(listing is List<int>) ...
于 2012-12-26T08:11:44.903 回答
1

当使用 C# 等面向对象语言进行编码时,我们通常更喜欢使用多态性,而不是在运行时类型上使用条件。下次试试这样的,看看你喜不喜欢!

interface IMyDoer
{
    void DoThis();
}

class MyIntDoer: IMyDoer
{
    private readonly List<int> _list;
    public MyIntClass(List<int> list) { _list = list; } 
    public void DoThis() { // Do this... }
}
class MyStringDoer: IMyDoer
{
    private readonly List<string> _list;
    public MyIntClass(List<string> list) { _list = list; } 
    public void DoThis() { // Do this... }
}

像这样调用:

doer.DoThis(); // Will automatically call the right method
//depending on the runtime type of 'doer'!

代码变得更短更清晰,您不必使用 if 语句。

通过这种排列代码(或分解)的方式,您可以自由地更改代码的内部结构而不会破坏它。如果您使用条件,您会发现代码在修复不相关的问题时很容易中断。这是代码的一个非常有价值的属性。希望你觉得这有帮助!

于 2012-12-26T19:20:57.180 回答