动态笛卡尔积

时间:2016-08-22 10:04:50

标签: c# cartesian

课程演示:

class item
{
    public string name { get; set; }
    public int level { get; set; }
}

数据演示:

List<item> all = new List<item>();
all.Add(new item { name = "Red", level = 0 });
all.Add(new item { name = "Blue", level = 0 });

all.Add(new item { name = "S", level = 1 });
all.Add(new item { name = "M", level = 1 });
all.Add(new item { name = "L", level = 1 });

all.Add(new item { name = "Man", level = 2 });
all.Add(new item { name = "Woman", level = 2 });

我需要 组合并合并所有 名称 ,这是 笛卡儿产品 问题。 结果如下:

  红色 - S - 男子   红色 - S - 女士
  红 - 男 - 男   红色 - M - 女士
  红色 - L - Man
  红色 - L - 女士
  蓝 - S - Man
  蓝色 - S - 女士
  蓝 - 男 - 男   蓝色 - M - 女士
  蓝 - L - Man
  蓝色 - L - 女人

如果级别已修复,请使用以下代码解决方案:

foreach(var _0 in all.Where(m => m.level == 0))
{
    foreach(var _1 in all.Where(m => m.level == 1))
    {
        foreach(var _2 in all.Where(m => m.level == 2))
        {
            Console.WriteLine(_0.name + "-" + _1.name + "-" + _2.name);
        }
    }
}

但是最大的问题是:关卡是动态的,我只是这样编码:

for(int i = 0; i < level; i++)
{
    //some code ...
}

因为我的真实项目是Javascript,所以请给我简单的代码(非linq),非常感谢您的帮助。

2 个答案:

答案 0 :(得分:0)

这样的事情应该有效:

var lines = CartesianProduct(all, 0);
foreach(var line in lines) {
   Console.WriteLine(line);
}

List<string> CartesianProduct(List<item> items, int level) {
   List<string> result = new List<string>();
   List<string> itemsOnThisLevel = new List<string>();
   foreach(var it in items) {
      if (it.level == level) itemsOnThisLevel.Add(it.name);
   }
   if (!itemsOnThisLevel.Any()) {
      result.Add("");
      return result;
   }
   var itemsOnLowerLevels = CartesianProduct(items, level+1);
   foreach(var it in itemsOnThisLevel) {
      foreach(var it2 in itemsOnLowerLevels) {
         result.Add(it2 + " - " + it);
      } 
   }
   return result
}

编辑:删除了作者请求的linq表达式。

答案 1 :(得分:0)

我首先要建立一个包含每个级别项目的列表:

var levels = new List<List<item>>();
foreach (var item in all)
{
    while (levels.Count <= item.level)
        levels.Add(new List<item>());
    levels[item.level].Add(item);
}

然后使用简单的递归方法填充结果:

var result = new List<string>();
AddCombinations(result, levels, 0, null);

方法是:

static void AddCombinations(List<string> result, List<List<item>> levels, int level, string path)
{
    if (level >= levels.Count)
    {
        result.Add(path);
        return;
    }
    foreach (var item in levels[level])
        AddCombinations(result, levels, level + 1, path == null ? item.name : path + " - " + item.name);
}

如果你愿意的话,我可以从我对Every combination of "1 item from each of N collections"的答案中调整实现,而不是递归,我可以根据需要调整实现,但我认为上面的内容应该足够了。