7

我一直在代码生成器中使用 DefaultValue 属性,它从模式中编写 C# 类定义。

我被困在架构中的属性是字符串数组的地方。

我想在我的 C# 中写这样的东西:

[DefaultValue(typeof(string[]), ["a","b"])]
public string[] Names{get;set;}

但这不会编译。

有什么方法可以成功声明字符串数组的默认值属性?

4

2 回答 2

11

你可以试试

[DefaultValue(new string[] { "a", "b" })]

当你想传递一个新的字符串数组时,你必须实例化它——这是由new string[]. C# 允许初始化列表与数组的初始内容在大括号中,即{ "a", "b" }.


编辑:正如Cory-G正确指出的那样,您可能希望确保您的实际实例不会收到存储在属性中的数组实例。否则,对该实例的更改可能会影响整个应用程序的默认值。DefaultValue

相反,您可以使用属性的设置器来复制分配的数组。

于 2012-09-18T14:19:40.680 回答
0

另一种解决方案是利用虚拟特性DefaultValueAttribute并衍生出你自己的特性。下面是一些具有非常量类型的示例。

示例用法:

public class Foo
{
    [DefaultValueNew( typeof(List<int>), new int[]{2,2} )]
    public List<int> SomeList { get; set; }

    // -- Or --
    public static List<int> GetDefaultSomeList2() => new List<int>{2,2};

    [DefaultValueCallStatic( typeof(Foo), nameof(GetDefaultSomeList2) )]
    public List<int> SomeList2 { get; set; }
};

以下是这些属性的定义:

  public class DefaultValueNewAttribute : DefaultValueAttribute
  {
    public Type Type { get; }
    public object[] Args { get; }

    public DefaultValueNewAttribute(Type type, params object[] args)
      : base(null)
    {
      Type = type;
      Args = args;
    }

    public override object? Value => Activator.CreateInstance(Type, Args);
  };

  public class DefaultValueCallStaticAttribute : DefaultValueAttribute
  {
    public Type Type { get; }
    public string Method { get; }

    public DefaultValueCallStaticAttribute(Type type, string method)
      : base(null)
    {
      Type = type;
      Method = method;
    }

    public override object? Value => Type.GetMethod(Method, BindingFlags.Public | BindingFlags.Static).Invoke(null, null);
  };

需要注意的问题

定义自己的DefaultValueAttribute. 最重要的是,在创建它之前先了解一下如何使用它。对于像代码生成器这样的东西,上面可能没问题。但是,如果您将它与 Newtonsoft Json 或主要仅使用它来比较值的东西一起使用,那么您可能希望其中的值更加恒定,以节省时间而不是每次都重新创建对象。

对于您不希望每次都重新创建值的情况,您可以执行以下操作:

  public static readonly List<int> DefaultAges = new List<int>{2,2};
  private List<int> __ages = new List<int>(DefaultAges);
  [DefaultValueStatic( typeof(List<int>), nameof(DefaultAges) )]
  public List<int> Ages { get => __ages; set {__ages = new List<int>(value);}

其中属性DefaultValueStatic定义为:

  public class DefaultValueStaticAttribute : DefaultValueAttribute
  {
    public DefaultValueStaticAttribute(Type type, string memberName) : base(null)
    {
      foreach (var member in type.GetMember( memberName, BindingFlags.Static | BindingFlags.Public ))
      {
        if (member is FieldInfo fi) { SetValue(fi.GetValue(type)); return; }
        if (member is PropertyInfo pi) { SetValue(pi.GetValue(type)); return; }
      }
      throw new ArgumentException($"Unable to get static member '{memberName}' from type '{type.Name}'");
    }
  };

上述版本将确保不会重新创建默认值。这对于像 Newtonsoft json 这样的东西很有用,在这种情况下,setter 不会经常被调用,但默认比较会。

同样,只需确保您了解该属性的使用方式。

于 2021-07-24T22:01:22.093 回答