1

我有一个创造性的问题。我想给类型一个依赖于依赖项的顺序。:)

例子:

public class Oil
{}

public class Seat
{}

public class Wheel : IDependOn<Oil>
{}

public class Car : IDependOn<Wheel>, IDependOn<Seat>
{}

所以,现在我想要一个函数(包括反射),它给我一个索引是顺序的Dictionary<Int32, Type>地方。Int32

函数定义如下所示:

public Dictionary<Int32, Type> GetOrderedTypes(List<Type> types);

这个例子的结果应该是:

<1, Oil>
<2, Seat>
<3, Wheel>
<4, Car>

任务可能要复杂得多,但将具有相同的逻辑。

  • 没有依赖关系的类型具有最低的顺序。
  • 对于具有相同依赖关系的类型,顺序并不重要。

任何人都可以在这方面帮助我吗?

4

1 回答 1

3

这是您的问题的解决方案:

interface IDependOn<T> { }

class Oil { }

class Seat { }

class Wheel : IDependOn<Oil> { }

class Car : IDependOn<Wheel>, IDependOn<Oil> { }

static class TypeExtensions {

  public static IEnumerable<Type> OrderByDependencies(this IEnumerable<Type> types) {
    if (types == null)
      throw new ArgumentNullException("types");
    var dictionary = types.ToDictionary(t => t, t => GetDependOnTypes(t));
    var list = dictionary
      .Where(kvp => !kvp.Value.Any())
      .Select(kvp => kvp.Key)
      .ToList();
    foreach (var type in list)
      dictionary.Remove(type);
    foreach (var keyValuePair in dictionary.Where(kvp => !kvp.Value.Any())) {
      list.Add(keyValuePair.Key);
      dictionary.Remove(keyValuePair.Key);
    }
    while (dictionary.Count > 0) {
      var type = dictionary.Keys.First();
      Recurse(type, dictionary, list);
    }
    return list;
  }

  static void Recurse(Type type, Dictionary<Type, IEnumerable<Type>> dictionary, List<Type> list) {
    if (!dictionary.ContainsKey(type))
      return;
    foreach (var dependOnType in dictionary[type])
      Recurse(dependOnType, dictionary, list);
    list.Add(type);
    dictionary.Remove(type);
  }

  static IEnumerable<Type> GetDependOnTypes(Type type) {
    return type
      .GetInterfaces()
      .Where(i => i.IsGenericType && i.GetGenericTypeDefinition() == typeof(IDependOn<>))
      .Select(i => i.GetGenericArguments().First());
  }

}

您可以像这样创建有序列表:

var orderedList =
  new[] { typeof(Oil), typeof(Seat), typeof(Wheel), typeof(Car) }
    .OrderByDependencies();

如果您想要一个以索引为键的字典,您可以轻松地从有序列表中创建它。

于 2013-02-13T06:55:55.673 回答