2

我正在尝试创建一个包含“项目”列表的类。我已经成功完成了,但是我想在项目列表中创建一个项目列表。我也能够做到这一点,但是我必须为项目中的类使用不同的名称。

我想使用相同的类名,因为这将用于生成一些类名很重要的 json。此外,我希望能够以一种可以像文件夹结构一样递归的方式来做到这一点。每个属性的所有属性都是相同的。我希望我能很好地解释这一点。我实际上是在尝试创建一个文件夹/文件结构,其中每个文件夹中可以有 x 个文件,也可以有 x 个文件夹等等。

例如:

文档库

-物品

--Item.Items

---项目.项目.项目

--Item.Items

-项目2等...

这是现有的代码:

public class DocLib
{
    public string Title { get; set; }
    public string spriteCssClass { get { return "rootfolder"; } }
    public List<item> items { get; set; }

    public DocLib()
    {
        items = new List<item>();
    }

    public class item
    {
        public string Title { get; set; }
        public string spriteCssClass { get; set; }
        public List<document> documents { get; set; }

        public item()
        {
            documents = new List<document>();
        }

        public class document
        {
            public string Title { get; set; }
            public string spriteCssClass { get; set; }
        }
    }
}

我相信可能有更好的方法来实现这一点。

4

2 回答 2

6

只需让 items 成为您“自己”类型的列表

public class DocLib{
   public string Title { get; set; }
   public string spriteCssClass { get { return "rootfolder"; } }

   List<DocLib> _items;

   public DocLib(){
      _items = new List<DocLib>();
   }

   public List<DocLib> Items { 
      get{
         return _items;
      }
   }
}

编辑使用示例:

public static class DocLibExtensions {
    public static void Traverse(this DocLib lib,Action<DocLib> process) {
        foreach (var item in lib.Items) {
            process(item);
            item.Traverse(process);
        }
    }
}

class Program {
    static void Main(string[] args) {

        DocLib rootDoc = new DocLib {Title = "root"};

        rootDoc.Items.Add( new DocLib{ Title = "c1" });
        rootDoc.Items.Add(new DocLib { Title = "c2" });

        DocLib child = new DocLib {Title = "c3"};
        child.Items.Add(new DocLib {Title = "c3.1"});

        rootDoc.Items.Add(child);

        rootDoc.Traverse(i => Console.WriteLine(i.Title));

    }
}
于 2013-01-14T18:47:51.263 回答
0

你也可以用泛型来做到这一点。

public class DocLib<T>
{
   public T Item { get; set; }
   public IEnumerable<DocLib<T>> Items { get; set; }
}

public class Item
{
   public string Title { get; set; }
   public string spriteCssClass { get; set; }
}

//Usage
//Set up a root item, and some sub-items
var lib  = new DocLib<Item>();
lib.Item = new Item { Title="ABC", spriteCssClass="DEF" };
lib.Items = new List<DocLib<Item>> { 
  new DocLib<Item>{ Item = new Item {Title="ABC2", spriteCssClass="DEF2"} },
  new DocLib<Item>{ Item = new Item {Title="ABC3", spriteCssClass="DEF3"} }
};

//Get the values
var root = lib.Item;
var subItems = lib.Items.Select(i=>i.Item);
于 2013-01-14T18:57:32.957 回答