我可以初始化一个 C # 属性与一个数组或其他可变数量的参数?

是否可以创建一个可以用可变数量的参数初始化的属性?

例如:

[MyCustomAttribute(new int[3,4,5])]  // this doesn't work
public MyClass ...
93764 次浏览

Yes, but you need to initialize the array that you are passing in. Here is an example from a row test in our unit tests that tests a variable number of command line options;

[Row( new[] { "-l", "/port:13102", "-lfsw" } )]
public void MyTest( string[] args ) { //... }

应该没问题,说明书第17.2节:

如果下列所有语句都为真,则表达式 E 为 属性-参数-表达式:

  • E 的类型是属性参数类型(17.1.3)。
  • 在编译时,E 的值可以解析为下列值之一:
    • 一个常量值。
    • A System.Type object.
    • 属性-参数-表达式的一维数组。

这里有一个例子:

using System;


[AttributeUsage(AttributeTargets.All, AllowMultiple = false, Inherited = true)]
public class SampleAttribute : Attribute
{
public SampleAttribute(int[] foo)
{
}
}


[Sample(new int[]{1, 3, 5})]
class Test
{
}

尝试像下面这样声明构造函数:

public class MyCustomAttribute : Attribute
{
public MyCustomAttribute(params int[] t)
{
}
}

然后你可以像这样使用它:

[MyCustomAttribute(3, 4, 5)]

你可以这么做,另一个例子是:

class MyAttribute: Attribute
{
public MyAttribute(params object[] args)
{
}
}


[MyAttribute("hello", 2, 3.14f)]
class Program
{
static void Main(string[] args)
{
}
}

属性将采用数组。虽然如果您控制属性,您也可以使用 params代替(这对消费者更好,IMO) :

class MyCustomAttribute : Attribute {
public int[] Values { get; set; }


public MyCustomAttribute(params int[] values) {
this.Values = values;
}
}


[MyCustomAttribute(3, 4, 5)]
class MyClass { }

你的数组创建语法刚好是错误的:

class MyCustomAttribute : Attribute {
public int[] Values { get; set; }


public MyCustomAttribute(int[] values) {
this.Values = values;
}
}


[MyCustomAttribute(new int[] { 3, 4, 5 })]
class MyClass { }

你可以这么做,但它不符合 CLS 的要求:

[assembly: CLSCompliant(true)]


class Foo : Attribute
{
public Foo(string[] vals) { }
}
[Foo(new string[] {"abc","def"})]
static void Bar() {}

节目:

Warning 1   Arrays as attribute arguments is not CLS-compliant

对于常规的反射使用,最好有多个属性,即。

[Foo("abc"), Foo("def")]

但是,这对于 TypeDescriptor/PropertyDescriptor不起作用,因为在 TypeDescriptor/PropertyDescriptor中只支持任何属性的单个实例(无论是第一个还是最后一个获胜,我都想不起来是哪个)。

要回答 Marc Gravell 的问题,是的,您可以用数组参数定义一个属性,但是用数组参数应用一个属性是不符合 CLS 的。然而,仅仅使用数组属性定义属性是完全符合 CLS 的。

What made me realize this was that Json.NET, a CLS-compliant library, has an attribute class JsonPropertyAttribute with a property named ItemConverterParameters that's an array of objects.

我使用了一个可能有点愚蠢的变通方法:

public class CLParam : Attribute
{
/// <summary>
/// Command line parameter
/// </summary>
public string Names { get; set; }
}

然后将名称拆分为字符串[] :

var names = loadAtt.Names.Split(',');

我允许像下面这样使用属性:

class CLContext
{
[CLParam(Names = "selectscene,ss")]
public List<string> SelectScene { get; set; }

但是当然对于 int 你需要解析文本,所以可能有点慢..。