我们如何从System.Collections.Generic.List`1 [System.String]获取List <string>?

时间:2018-03-01 15:06:45

标签: c# generics reflection t4

我正在使用T4模板生成c#类。我需要从另一个类Class1生成阴影类。

在Class1中,我有TypeAttribute,它可以告诉Class1中属性的类型。

通过使用反射,我得到TypeAttribute中指定的类型。

我没有采用任何标准方法来获取非拼写格式的泛型类型。

我需要来自System.Collections.Generic.List`1 [System.String]的List<String>

我正在使用T4Toolbox进行T4Template。

T4Toolbox是否提供任何此类功能来处理泛型,同时生成c#代码?

谢谢。

1 个答案:

答案 0 :(得分:2)

这是我最近在玩T4模板时扔在一起的东西。

static class Exts
{
    public static string ToCSharpString(this Type type, StringBuilder sb = null)
    {
        sb = sb ?? new StringBuilder();

        if (type.IsGenericType)
        {
            sb.Append(type.Name.Split('`')[0]);
            sb.Append('<');
            bool first = true;
            foreach (var tp in type.GenericTypeArguments)
            {
                if (first)
                {
                    first = false;
                }
                else
                {
                    sb.Append(", ");
                }

                sb.Append(tp.ToCSharpString());
            }
            sb.Append('>');
        }
        else if (type.IsArray)
        {
            sb.Append(type.GetElementType().ToCSharpString());
            sb.Append("[]");
        }
        else
        {
            sb.Append(type.Name);
        }

        return sb.ToString();
    }
}

可能有更多特殊情况,但它涵盖了泛型和数组。

var list = typeof(List<string>).ToCSharpString();
// List<String>

var dict = typeof(Dictionary<int, HashSet<string>>).ToCSharpString();
// Dictionary<Int32, HashSet<String>>

var array = typeof(Dictionary<int, HashSet<string>>[]).ToCSharpString();
// Dictionary<Int32, HashSet<String>>[]