///
///
///
/// Initializes a new instance of the Bitmap class with the specified
/// size and format.
///
///
public Bitmap(int width, int height, PixelFormat format) {
IntPtr bitmap = IntPtr.Zero;
int status = SafeNativeMethods.Gdip.GdipCreateBitmapFromScan0(width, height, 0, (int) format, NativeMethods.NullHandleRef, out bitmap);
if (status != SafeNativeMethods.Gdip.Ok)
throw SafeNativeMethods.Gdip.StatusException(status);
SetNativeImage(bitmap);
}
///
///
/// Initializes a new instance of the
///
/// class with the specified size.
///
public Bitmap(int width, int height) : this(width, height, System.Drawing.Imaging.PixelFormat.Format32bppArgb) {
}
namespace ConsoleAppTest
{
internal static class Program
{
#region Public Methods
public static IEnumerable<Type> GetInheritanceHierarchy(this Type type)
{
for (var current = type; current != null; current = current.BaseType)
{
yield return current;
}
}
#endregion Public Methods
#region Private Methods
private static void Main(string[] args)
{
IEnumerable<Type>? nsTypes = AppDomain.CurrentDomain.GetAssemblies()
.SelectMany(t => t.GetTypes())
.Where(t => t.IsClass);
uint idIndex = 0;
Dictionary<Type, uint> map = [];
List<List<Type>> hierarchy = [];
foreach (Type type in nsTypes)
{
IEnumerable<Type> iTypes = type.GetInheritanceHierarchy().Reverse();
if (iTypes is not null && iTypes.Any())
{
hierarchy.Add(iTypes.ToList());
}
else
{
hierarchy.Add([type]);
}
}
// Process hierarchy first to get nodes id's
string allhierarchy = string.Join(
"\n ",
hierarchy.Select(types =>
string.Join(
" --> ",
types.Select(t => $"T{GetTypeId(t)}")
)
)
);
// Now process all nodes names
IEnumerable<string> nodes = map.Select(p => $"T{p.Value}(\"{p.Key}\")");
string allNodes = string.Join("\n ", nodes);
// Combine all data to chart
string mermaidChart = $"flowchart TD\n\n%% Nodes\n {allNodes}\n\n%% Hierarchy\n {allhierarchy}";
File.WriteAllText("mermaid chart.txt", mermaidChart);
Console.WriteLine($"Done. Classes processed: {nodes.Count()}");
Console.ReadKey();
uint GetTypeId(Type type)
{
if (map.TryGetValue(type, out uint id))
{
return id;
}
map[type] = idIndex;
return idIndex++;
}
}
#endregion Private Methods
}
}
IEnumerable
- интерфейс, а List
- класс, реализующий данный интерфейс. Любой класс может реализовывать несколько интерфейсов. Правильнее объявлять как есть - т.е. List
, а там где, где нужен конкретный интерфейс/класс - просто делать каст. Обычно не требуется, т.к. IDE/компилятор еще стадии написания/компиляции кода проверяет наличие нужного интерфейса в передаваемом объекте. Соответственно, если ваш конструктор просит IEnumerable
, но не разрешает List
- проверяйте точнее, что именно нужно конструктору, т.к. если все правильно делать - то List
он должен принимать. Control
и вперед. Логика самого интерфейса вполне нормально живет в самих классах элементов управления (в терминах MVVM это два в одном View + ViewModel). Например, реальный случай из практики: запилил WF приложение по выданному дизайну - его потестили и почти сразу дизайнер нарисовал полностью новый дизайн; ввиду увеличения фишечек, рюшечек и всего остального (а так же тормозов древнего легаси наследия WF, конечно же) - я просто перенес файлы с логикой из WF проекта в WPF проект в модели и запилил новый GUI на WPF.