返回不同的列表类型C#

本文关键字:类型 列表 返回 | 更新日期: 2023-09-27 18:25:35

试图弄清楚如何返回不同的列表类型。

尝试这样的东西,但似乎不起作用:

public Dictionary<string,object> Data;
public List<T> ReturnList(string key){  
    var type = Data[key].GetType().Name;
    switch(type){
        case "Bool":            
            return new List<bool>(); break;
        case "Int":         
            return new List<int>(); break;
        case "String": 
        case default:
            return new List<string>(); break;
    }   
    return null;
}

有人知道这怎么可能吗?

注意:我是C#的新手

返回不同的列表类型C#

您可以返回IList而不是List<T>。我已经重新定义了您的ReturnList,现在看起来像这样-

public IList ReturnList(string key)
{
    //var type = Data[key].GetType().Name;
    switch (key)
    {
        case "System.Boolean":
            return new List<bool>(); break;
        case "System.Int32":
            return new List<int>(); break;
        case "System.String":
            return new List<string>(); break;
    }
    return null;
}

在这里,我假设你的字典包含这样的值-

var dict = new Dictionary<string, object>()
{
    {"bool", typeof(bool)},
    {"string", typeof(string)},
    {"Int", typeof(int)}
};

您可以根据需要修改您的功能。

我已经在.Net Fiddle控制台应用程序中测试过了,比如

var type = dict["bool"].ToString();
Program prg = new Program();
var list = prg.ReturnList(type);
Console.WriteLine(list);

这是一个有点棘手的问题,但我认为这会解决问题:

public List<T> ReturnList<T>(string key){  
    if (Data[key].GetType() != typeof (T))
    {
        throw new Exception("Invalid data type for key");
    }
    return new Lit<T>();
}

仍然进行了类型检查,但使用了泛型方法的所有优点。

您不需要在return语句之后写break,在默认值之前写case。bool类型的名称也是"Boolean",而int实际上是"Int32"。

    public static IList ReturnList(string key)
    {  
        var type = Data[key].GetType().Name;
        switch(type){
        case "Boolean":            
            return new List<bool>();
        case "Int32":         
            return new List<int>();
        case "String": 
        default:
            return new List<string>();
        }   
        return null;
    }  

示例:

        Data = new Dictionary<string, object>();
        Data.Add("someBool", true);
        Data.Add("someInt", 42);
        Data.Add("someString","test");
        IList listString = ReturnList("someString");
        IList listInt = ReturnList("someInt");
        IList listBool = ReturnList("someString");