3

我写了一个从这样的对象中提取字段的方法:

private static string GetHTMLStatic(ref Object objectX, ref List<string> ExludeFields)
{
    Type objectType = objectX.GetType();
    FieldInfo[] fieldInfo = objectType.GetFields();

    foreach (FieldInfo field in fieldInfo)
    {
        if(!ExludeFields.Contains(field.Name))
        {
            DisplayOutput += GetHTMLAttributes(field);
        }                
    }

    return DisplayOutput;
}

我的类中的每个字段也有它自己的属性,在这种情况下我的属性称为 HTMLAttributes。在 foreach 循环中,我试图获取每个字段的属性及其各自的值。它目前看起来像这样:

private static string GetHTMLAttributes(FieldInfo field)
{
    string AttributeOutput = string.Empty;

    HTMLAttributes[] htmlAttributes = field.GetCustomAttributes(typeof(HTMLAttributes), false);

    foreach (HTMLAttributes fa in htmlAttributes)
    {
        //Do stuff with the field's attributes here.
    }

    return AttributeOutput;
}

我的属性类如下所示:

[AttributeUsage(AttributeTargets.Field,
                AllowMultiple = true)]
public class HTMLAttributes : System.Attribute
{
    public string fieldType;
    public string inputType;

    public HTMLAttributes(string fType, string iType)
    {
        fieldType = fType.ToString();
        inputType = iType.ToString();
    }
}

这似乎合乎逻辑,但它不会编译,我在 GetHTMLAttributes() 方法中有一条红色波浪线:

field.GetCustomAttributes(typeof(HTMLAttributes), false);

我试图从中提取属性的字段位于另一个类中,如下所示:

[HTMLAttributes("input", "text")]
public string CustomerName;

根据我的理解(或缺乏),这应该有效吗?请扩展我的思想开发人员!

*编辑,编译器错误

无法将类型“object[]”隐式转换为“data.HTMLAttributes[]”。存在显式转换(您是否缺少演员表?)

我试过这样投射:

(HTMLAttributes)field.GetCustomAttributes(typeof(HTMLAttributes), false);

但这也不起作用,我得到这个编译器错误:

无法将类型“object[]”转换为“data.HTMLAttributes”

4

1 回答 1

16

GetCustomAttributes方法返回一个object[],而不是HTMLAttributes[]。它返回的原因object[]是它从 1.0 开始就已经存在,在 .NET 泛型出现之前。

您应该手动将返回值中的每个项目转换为HTMLAttributes.

要修复您的代码,您只需将该行更改为:

object[] htmlAttributes = field.GetCustomAttributes(typeof(HTMLAttributes), false);

foreach会为你照顾演员。

更新:

不应该将返回的数组转换为HTMLAttributes[]. 返回值不是HTMLAttributes[]。它是一个object[]包含类型的元素HTMLAttributes。如果你想要一个HTMLAttribute[]类型化的对象(在这个特定的代码片段中你不需要foreach它就足够了),你应该将数组的每个元素单独转换为HTMLAttribute; 也许使用 LINQ:

HTMLAttributes[] htmlAttributes = returnValue.Cast<HTMLAttributes>().ToArray();
于 2009-09-13T12:49:35.113 回答