-1

如何添加到

GroupAtributes = new GroupAttribute[]
{
    new GroupAttribute { value = groupName },
    new GroupAttribute { value = groupName },
    new GroupAttribute { value = groupName }
};

List<string> groupNames?

4

3 回答 3

3

通常,您不能添加到数组中。该数组被分配以容纳三个项目。如果要添加更多项目,则必须调整数组大小以容纳更多项目。查看Array.Resize了解更多信息。

但是为什么不直接用 a 替换那个数组List<GroupAttributes>呢?您可以将其构建为一个列表,然后如果您真的需要一个数组,您可以调用ToArray该列表。

这是做你想做的吗?

List<GroupAttribute> attrList = new List<GroupAttributes>();
// here, put a bunch of items into the list
// now, create an array from the list.
GroupAttribute[] attrArray = attrList.ToArray();

最后一条语句从列表中创建一个数组。

编辑:在我看来,也许你想要这样的东西:

var GroupAttributes = (from name in groupNames
                       select new GroupAttribute{value = name}).ToArray();
于 2013-01-17T06:58:22.927 回答
0

我会尝试使ToArray列表的方法起作用,或者您可以使用更经典的方法,例如(我没有尝试编译,因此可能需要调整)

GroupAtributes[] myArray = new GroupAttribute[groupNames.Count]

int i=0; 
foreach(var name in groupNames)
{
    myArray[i++] = new GroupAttribute { value = name };
}
于 2013-01-17T07:02:33.240 回答
0

数组不是为“添加”而设计的,但如果您不希望列表过度分配内存(通常这是以牺牲速度为代价),它就有它的用途。

    public void Add<T>(ref T[] ar, List<T> list)
    {
        int oldlen = ar.Length;
        Array.Resize<T>(ref ar, oldlen + list.Count);
        for (int i = 0; i < list.Count; ++i)
        {
            ar[oldlen + i] = list[i];
        }
    }

然后只需调用 Add(ref attrs, myAttrsList);

于 2013-01-17T07:02:38.657 回答