0

我有一个包含节点列表的模型对象。这些节点包含一个签名。

我想要一个带有返回签名数组的吸气剂的属性。我无法实例化数组,我不确定是否应该使用数组/列表/可枚举或其他东西。

您将如何实现这一目标?

using System;
using System.Collections.Generic;
using System.Linq;

namespace ConsoleApplication1
{
    internal class Program
    {
        private static void Main(string[] args)
        {
            var m = new Model();

            Console.WriteLine(m.Signatures.ToString());
            Console.ReadLine();
        }
    }

    public class Model
    {
        public List<Node> Nodes { get; set; }

        public int[][] Signatures
        {
            get
            {
                return Nodes.Select(x => x.Signature) as int[][];
            }
        }

        public Model()
        {
            Nodes = new List<Node>();
            Nodes.Add(new Node { Signature = new[] { 1,1,0,0,0 } });
            Nodes.Add(new Node { Signature = new[] { 1,1,0,0,1 } });
        }
    }

    public class Node
    {
        public int[] Signature { get; set; }
    }
}
4

2 回答 2

2

采用ToArray()

return Nodes.Select(x => x.Signature).ToArray();

像这样正确输出它:

Array.ForEach(m.Signatures, x=>Console.WriteLine(string.Join(",", x)));
于 2013-11-02T22:23:44.950 回答
1

在您的Signatures属性中,您尝试使用as运算符将​​类型转换为int[][]. 然而,该Select方法返回一个IEnumerable<int[]>不是数组的。用于ToArray创建数组:

public int[][] Signatures
{
    get
    {
        return Nodes.Select(x => x.Signature).ToArray();
    }
}
于 2013-11-02T22:19:55.600 回答