c# asp.net-mvc image treemap

Desde el lado del servidor de C#, ¿hay alguna forma de generar un treemap y guardarlo como una imagen?



linkedhashmap (7)

He estado usando esta biblioteca de javascript para crear un treemap en las páginas web y funciona muy bien. El problema ahora es que necesito incluir esto en una presentación de powerpoint que estoy generando en el lado del servidor (estoy generando el powerpoint usando aspose.slides for .net )

Lo más fácil que pensé fue intentar de alguna manera construir un treemap en el servidor y guardarlo como una imagen (ya que agregar una imagen a la presentación de PowerPoint es bastante simple) pero después de buscar en Google, no veo ninguna solución que provenga de C # serverside. Puede generar un treemap como una imagen.

Existe algo como esto donde puedo crear un treemap como una imagen desde una aplicación C # del lado del servidor.


Dado que los algoritmos son conocidos, no es difícil simplemente dibujar un mapa de bits con un treemap. En este momento no tengo suficiente tiempo para escribir código, pero tengo suficiente tiempo para (casi) portar un poco de código existente a C # :) Tomemos this implementación de javascript. Utiliza algoritmo descrito en this artículo. Encontré algunos problemas en esa implementación, que se corrigen en la versión C #. La versión de Javascript funciona con matrices puras (y matrices de matrices de matrices) de enteros. Definimos alguna clase en su lugar:

public class TreemapItem { private TreemapItem() { FillBrush = Brushes.White; BorderBrush = Brushes.Black; TextBrush = Brushes.Black; } public TreemapItem(string label, int area, Brush fillBrush) : this() { Label = label; Area = area; FillBrush = fillBrush; Children = null; } public TreemapItem(params TreemapItem[] children) : this() { // in this implementation if there are children - all other properies are ignored // but this can be changed in future Children = children; } // Label to write on rectangle public string Label { get; set; } // color to fill rectangle with public Brush FillBrush { get; set; } // color to fill rectangle border with public Brush BorderBrush { get; set; } // color of label public Brush TextBrush { get; set; } // area public int Area { get; set; } // children public TreemapItem[] Children { get; set; } }

Luego empezando a babor. Clase de primer contenedor:

class Container { public Container(int x, int y, int width, int height) { X = x; Y = y; Width = width; Height = height; } public int X { get; } public int Y { get; } public int Width { get; } public int Height { get; } public int ShortestEdge => Math.Min(Width, Height); public IDictionary<TreemapItem, Rectangle> GetCoordinates(TreemapItem[] row) { // getCoordinates - for a row of boxes which we''ve placed // return an array of their cartesian coordinates var coordinates = new Dictionary<TreemapItem, Rectangle>(); var subx = this.X; var suby = this.Y; var areaWidth = row.Select(c => c.Area).Sum()/(float) Height; var areaHeight = row.Select(c => c.Area).Sum()/(float) Width; if (Width >= Height) { for (int i = 0; i < row.Length; i++) { var rect = new Rectangle(subx, suby, (int) (areaWidth), (int) (row[i].Area/areaWidth)); coordinates.Add(row[i], rect); suby += (int) (row[i].Area/areaWidth); } } else { for (int i = 0; i < row.Length; i++) { var rect = new Rectangle(subx, suby, (int) (row[i].Area/areaHeight), (int) (areaHeight)); coordinates.Add(row[i], rect); subx += (int) (row[i].Area/areaHeight); } } return coordinates; } public Container CutArea(int area) { // cutArea - once we''ve placed some boxes into an row we then need to identify the remaining area, // this function takes the area of the boxes we''ve placed and calculates the location and // dimensions of the remaining space and returns a container box defined by the remaining area if (Width >= Height) { var areaWidth = area/(float) Height; var newWidth = Width - areaWidth; return new Container((int) (X + areaWidth), Y, (int) newWidth, Height); } else { var areaHeight = area/(float) Width; var newHeight = Height - areaHeight; return new Container(X, (int) (Y + areaHeight), Width, (int) newHeight); } } }

Entonces la clase Treemap que construye Bitmap real

public class Treemap { public Bitmap Build(TreemapItem[] items, int width, int height) { var map = BuildMultidimensional(items, width, height, 0, 0); var bmp = new Bitmap(width, height); var g = Graphics.FromImage(bmp); g.TextRenderingHint = System.Drawing.Text.TextRenderingHint.AntiAliasGridFit; foreach (var kv in map) { var item = kv.Key; var rect = kv.Value; // fill rectangle g.FillRectangle(item.FillBrush, rect); // draw border g.DrawRectangle(new Pen(item.BorderBrush, 1), rect); if (!String.IsNullOrWhiteSpace(item.Label)) { // draw text var format = new StringFormat(); format.Alignment = StringAlignment.Center; format.LineAlignment = StringAlignment.Center; var font = new Font("Arial", 16); g.DrawString(item.Label, font, item.TextBrush, new RectangleF(rect.X, rect.Y, rect.Width, rect.Height), format); } } return bmp; } private Dictionary<TreemapItem, Rectangle> BuildMultidimensional(TreemapItem[] items, int width, int height, int x, int y) { var results = new Dictionary<TreemapItem, Rectangle>(); var mergedData = new TreemapItem[items.Length]; for (int i = 0; i < items.Length; i++) { // calculate total area of children - current item''s area is ignored mergedData[i] = SumChildren(items[i]); } // build a map for this merged items (merged because their area is sum of areas of their children) var mergedMap = BuildFlat(mergedData, width, height, x, y); for (int i = 0; i < items.Length; i++) { var mergedChild = mergedMap[mergedData[i]]; // inspect children of children in the same way if (items[i].Children != null) { var headerRect = new Rectangle(mergedChild.X, mergedChild.Y, mergedChild.Width, 20); results.Add(mergedData[i], headerRect); // reserve 20 pixels of height for header foreach (var kv in BuildMultidimensional(items[i].Children, mergedChild.Width, mergedChild.Height - 20, mergedChild.X, mergedChild.Y + 20)) { results.Add(kv.Key, kv.Value); } } else { results.Add(mergedData[i], mergedChild); } } return results; } private Dictionary<TreemapItem, Rectangle> BuildFlat(TreemapItem[] items, int width, int height, int x, int y) { // normalize all area values for given width and height Normalize(items, width*height); var result = new Dictionary<TreemapItem, Rectangle>(); Squarify(items, new TreemapItem[0], new Container(x, y, width, height), result); return result; } private void Normalize(TreemapItem[] data, int area) { var sum = data.Select(c => c.Area).Sum(); var multi = area/(float) sum; foreach (var item in data) { item.Area = (int) (item.Area*multi); } } private void Squarify(TreemapItem[] data, TreemapItem[] currentRow, Container container, Dictionary<TreemapItem, Rectangle> stack) { if (data.Length == 0) { foreach (var kv in container.GetCoordinates(currentRow)) { stack.Add(kv.Key, kv.Value); } return; } var length = container.ShortestEdge; var nextPoint = data[0]; if (ImprovesRatio(currentRow, nextPoint, length)) { currentRow = currentRow.Concat(new[] {nextPoint}).ToArray(); Squarify(data.Skip(1).ToArray(), currentRow, container, stack); } else { var newContainer = container.CutArea(currentRow.Select(c => c.Area).Sum()); foreach (var kv in container.GetCoordinates(currentRow)) { stack.Add(kv.Key, kv.Value); } Squarify(data, new TreemapItem[0], newContainer, stack); } } private bool ImprovesRatio(TreemapItem[] currentRow, TreemapItem nextNode, int length) { // if adding nextNode if (currentRow.Length == 0) return true; var newRow = currentRow.Concat(new[] {nextNode}).ToArray(); var currentRatio = CalculateRatio(currentRow, length); var newRatio = CalculateRatio(newRow, length); return currentRatio >= newRatio; } private int CalculateRatio(TreemapItem[] row, int length) { var min = row.Select(c => c.Area).Min(); var max = row.Select(c => c.Area).Max(); var sum = row.Select(c => c.Area).Sum(); return (int) Math.Max(Math.Pow(length, 2)*max/Math.Pow(sum, 2), Math.Pow(sum, 2)/(Math.Pow(length, 2)*min)); } private TreemapItem SumChildren(TreemapItem item) { int total = 0; if (item.Children?.Length > 0) { total += item.Children.Sum(c => c.Area); foreach (var child in item.Children) { total += SumChildren(child).Area; } } else { total = item.Area; } return new TreemapItem(item.Label, total, item.FillBrush); } }

Ahora vamos a tratar de usar y ver cómo va:

var map = new[] { new TreemapItem("ItemA", 0, Brushes.DarkGray) { Children = new[] { new TreemapItem("ItemA-1", 200, Brushes.White), new TreemapItem("ItemA-2", 500, Brushes.BurlyWood), new TreemapItem("ItemA-3", 600, Brushes.Purple), } }, new TreemapItem("ItemB", 1000, Brushes.Yellow) { }, new TreemapItem("ItemC", 0, Brushes.Red) { Children = new[] { new TreemapItem("ItemC-1", 200, Brushes.White), new TreemapItem("ItemC-2", 500, Brushes.BurlyWood), new TreemapItem("ItemC-3", 600, Brushes.Purple), } }, new TreemapItem("ItemD", 2400, Brushes.Blue) { }, new TreemapItem("ItemE", 0, Brushes.Cyan) { Children = new[] { new TreemapItem("ItemE-1", 200, Brushes.White), new TreemapItem("ItemE-2", 500, Brushes.BurlyWood), new TreemapItem("ItemE-3", 600, Brushes.Purple), } }, }; using (var bmp = new Treemap().Build(map, 1024, 1024)) { bmp.Save("output.bmp", ImageFormat.Bmp); }

Salida:

Esto se puede extender de múltiples maneras, y la calidad del código puede mejorarse significativamente. Pero si siguieras así, al menos podría darte un buen comienzo. El beneficio es que es rápido y no hay dependencias externas involucradas. Si desea usarlo y encontrar algunos problemas o si no cumple con algunos de sus requisitos, no dude en preguntar y lo mejoraré cuando tenga más tiempo.


Dado que ya estás generando JS y la versión HTML de todo, una cosa que podrías querer revisar es:

http://www.nrecosite.com/html_to_image_generator_net.aspx

Lo utilizo para generar informes de alta resolución directamente desde mis páginas generadas. Usó WKHTML para representarlo y puede pasarle una tonelada de parámetros para ajustarlo realmente. Es gratis para la mayoría de las cosas y funciona muy bien. Multi-threading es una especie de dolor en el trasero con él, pero no me he topado con muchos problemas. Si usas la biblioteca NRECO PDf, incluso puedes hacer lotes de cosas también.

Con esto, todo lo que tendría que hacer es renderizar la página como lo está haciendo, canalizarla a través de la biblioteca e insertarla en su PPT y todo debería estar bien.


Estoy basando la siguiente solución en este project sobre treemaps en WPF .

Usando los datos en su enlace, puede definir su modelo (solo con los datos necesarios) de la siguiente manera:

class Data { [JsonProperty("$area")] public float Area { get; set; } [JsonProperty("$color")] public Color Color { get; set; } } class Item { public string Name { get; set; } public Data Data { get; set; } public IEnumerable<Item> Children { get; set; } internal TreeMapData TMData { get; set; } internal int GetDepth() { return Children.Select(c => c.GetDepth()).DefaultIfEmpty().Max() + 1; } }

Agregando una propiedad extra TreeMapData con algunos valores usados ​​en la solución:

class TreeMapData { public float Area { get; set; } public SizeF Size { get; set; } public PointF Location { get; set; } }

Ahora, definiendo una clase TreeMap con los siguientes miembros públicos:

class TreeMap { public IEnumerable<Item> Items { get; private set; } public TreeMap(params Item[] items) : this(items.AsEnumerable()) { } public TreeMap(IEnumerable<Item> items) { Items = items.OrderByDescending(t => t.Data.Area).ThenByDescending(t => t.Children.Count()); } public Bitmap Draw(int width, int height) { var bmp = new Bitmap(width + 1, height + 1); using (var g = Graphics.FromImage(bmp)) { DrawIn(g, 0, 0, width, height); g.Flush(); } return bmp; } //Private members }

Entonces, puedes usarlo así:

var treeMap = new TreeMap(items); var bmp = treeMap.Draw(1366, 768);

Y los miembros privados / ayudantes:

private RectangleF emptyArea; private void DrawIn(Graphics g, float x, float y, float width, float height) { Measure(width, height); foreach (var item in Items) { var sFormat = new StringFormat { Alignment = StringAlignment.Center, LineAlignment = StringAlignment.Center }; if (item.Children.Count() > 0) { g.FillRectangle(Brushes.DimGray, x + item.TMData.Location.X, y + item.TMData.Location.Y, item.TMData.Size.Width, 15); g.DrawString(item.Name, SystemFonts.DefaultFont, Brushes.LightGray, new RectangleF(x + item.TMData.Location.X, y + item.TMData.Location.Y, item.TMData.Size.Width, 15), sFormat); var treeMap = new TreeMap(item.Children); treeMap.DrawIn(g, x + item.TMData.Location.X, y + item.TMData.Location.Y + 15, item.TMData.Size.Width, item.TMData.Size.Height - 15); } else { g.FillRectangle(new SolidBrush(item.Data.Color), x + item.TMData.Location.X, y + item.TMData.Location.Y, item.TMData.Size.Width, item.TMData.Size.Height); g.DrawString(item.Name, SystemFonts.DefaultFont, Brushes.Black, new RectangleF(x + item.TMData.Location.X, y + item.TMData.Location.Y, item.TMData.Size.Width, item.TMData.Size.Height), sFormat); } var pen = new Pen(Color.Black, item.GetDepth() * 1.5f); g.DrawRectangle(pen, x + item.TMData.Location.X, y + item.TMData.Location.Y, item.TMData.Size.Width, item.TMData.Size.Height); } g.Flush(); } private void Measure(float width, float height) { emptyArea = new RectangleF(0, 0, width, height); var area = width * height; var sum = Items.Sum(t => t.Data.Area + 1); foreach (var item in Items) { item.TMData = new TreeMapData(); item.TMData.Area = area * (item.Data.Area + 1) / sum; } Squarify(Items, new List<Item>(), ShortestSide()); foreach (var child in Items) if (!IsValidSize(child.TMData.Size)) child.TMData.Size = new Size(0, 0); } private void Squarify(IEnumerable<Item> items, IEnumerable<Item> row, float sideLength) { if (items.Count() == 0) { ComputeTreeMaps(row); return; } var item = items.First(); List<Item> row2 = new List<Item>(row); row2.Add(item); List<Item> items2 = new List<Item>(items); items2.RemoveAt(0); float worst1 = Worst(row, sideLength); float worst2 = Worst(row2, sideLength); if (row.Count() == 0 || worst1 > worst2) Squarify(items2, row2, sideLength); else { ComputeTreeMaps(row); Squarify(items, new List<Item>(), ShortestSide()); } } private void ComputeTreeMaps(IEnumerable<Item> items) { var orientation = this.GetOrientation(); float areaSum = 0; foreach (var item in items) areaSum += item.TMData.Area; RectangleF currentRow; if (orientation == RowOrientation.Horizontal) { currentRow = new RectangleF(emptyArea.X, emptyArea.Y, areaSum / emptyArea.Height, emptyArea.Height); emptyArea = new RectangleF(emptyArea.X + currentRow.Width, emptyArea.Y, Math.Max(0, emptyArea.Width - currentRow.Width), emptyArea.Height); } else { currentRow = new RectangleF(emptyArea.X, emptyArea.Y, emptyArea.Width, areaSum / emptyArea.Width); emptyArea = new RectangleF(emptyArea.X, emptyArea.Y + currentRow.Height, emptyArea.Width, Math.Max(0, emptyArea.Height - currentRow.Height)); } float prevX = currentRow.X; float prevY = currentRow.Y; foreach (var item in items) { var rect = GetRectangle(orientation, item, prevX, prevY, currentRow.Width, currentRow.Height); item.TMData.Size = rect.Size; item.TMData.Location = rect.Location; ComputeNextPosition(orientation, ref prevX, ref prevY, rect.Width, rect.Height); } } private RectangleF GetRectangle(RowOrientation orientation, Item item, float x, float y, float width, float height) { if (orientation == RowOrientation.Horizontal) return new RectangleF(x, y, width, item.TMData.Area / width); else return new RectangleF(x, y, item.TMData.Area / height, height); } private void ComputeNextPosition(RowOrientation orientation, ref float xPos, ref float yPos, float width, float height) { if (orientation == RowOrientation.Horizontal) yPos += height; else xPos += width; } private RowOrientation GetOrientation() { return emptyArea.Width > emptyArea.Height ? RowOrientation.Horizontal : RowOrientation.Vertical; } private float Worst(IEnumerable<Item> row, float sideLength) { if (row.Count() == 0) return 0; float maxArea = 0; float minArea = float.MaxValue; float totalArea = 0; foreach (var item in row) { maxArea = Math.Max(maxArea, item.TMData.Area); minArea = Math.Min(minArea, item.TMData.Area); totalArea += item.TMData.Area; } if (minArea == float.MaxValue) minArea = 0; float val1 = (sideLength * sideLength * maxArea) / (totalArea * totalArea); float val2 = (totalArea * totalArea) / (sideLength * sideLength * minArea); return Math.Max(val1, val2); } private float ShortestSide() { return Math.Min(emptyArea.Width, emptyArea.Height); } private bool IsValidSize(SizeF size) { return (!size.IsEmpty && size.Width > 0 && size.Width != float.NaN && size.Height > 0 && size.Height != float.NaN); } private enum RowOrientation { Horizontal, Vertical }

Finalmente, para analizar y dibujar el json en el ejemplo, estoy haciendo esto:

var json = File.ReadAllText(@"treemap.json"); var items = JsonConvert.DeserializeObject<Item>(json); var treeMap = new TreeMap(items); var bmp = treeMap.Draw(1366, 768); bmp.Save("treemap.png", ImageFormat.Png);

Y la imagen resultante:

En realidad, no sé si lo siguiente puede ayudarlo o no, ya que no está usando vsto , Y LO QUE SE DICE EN LOS COMENTARIOS PROBABLEMENTE ES UNA IDEA MALA.

A partir de Office 2016 , los treemaps se incorporan como cuadros. Puede leer this para ver cómo crear treemaps a partir de conjuntos de datos en Excel .

Entonces, puedes generar el gráfico en Excel y pasarlo a PowerPoint :

//Start an hidden excel application var appExcel = new Excel.Application { Visible = false }; var workbook = appExcel.Workbooks.Add(); var sheet = workbook.ActiveSheet; //Generate some random data Random r = new Random(); for (int i = 1; i <= 10; i++) { sheet.Cells[i, 1].Value2 = ((char)(''A'' + i - 1)).ToString(); sheet.Cells[i, 2].Value2 = r.Next(1, 20); } //Select the data to use in the treemap var range = sheet.Cells.Range["A1", "B10"]; range.Select(); range.Activate(); //Generate the chart var shape = sheet.Shapes.AddChart2(-1, (Office.XlChartType)117, 200, 25, 300, 300, null); shape.Chart.ChartTitle.Caption = "Generated TreeMap Chart"; //Copy the chart shape.Copy(); appExcel.Quit(); //Start a Powerpoint application var appPpoint = new Point.Application { Visible = Office.MsoTriState.msoTrue }; var presentation = appPpoint.Presentations.Add(); //Add a blank slide var master = presentation.SlideMaster; var slide = presentation.Slides.AddSlide(1, master.CustomLayouts[7]); //Paste the treemap slide.Shapes.Paste();

Gráfico de treemap en la diapositiva:

Probablemente, puede generar el mapa de árbol utilizando la primera parte (parte de Excel ) y pegar el gráfico utilizando la herramienta que dijo, o guardar el archivo de Powerpoint con el gráfico generado en VSTO y abrirlo con la herramienta.

Los beneficios son que estos objetos son gráficos reales, no solo imágenes, por lo que puede cambiar o agregar colores, estilos y efectos fácilmente.


La Universidad de Tecnología de Eindhoven ha publicado un artículo sobre el algoritmo de los mapas de árboles cuadrados. Pascal Laurin ha convertido esto en C #. También hay un artículo de Code Project que tiene una sección sobre mapas de ruta.

Por supuesto, también hay soluciones comerciales como la de .NET Charting , Infragistics o Telerik . La desventaja de estos es que están diseñados como controles que deben pintarse, por lo que es posible que necesites algún tipo de hilo de interfaz de usuario.

También hay una pregunta aquí en que ya solicitó implementaciones de treemap en C #. Por si no lo recuerdas.


Puede usar la representación de WPF: http://lordzoltan.blogspot.co.uk/2010/09/using-wpf-to-render-bitmaps.html pero no está exenta de inconvenientes.

(Ese es un enlace a mi antiguo blog, pero si busca ''usar wpf para generar imágenes'' obtendrá muchos otros ejemplos, ¡muchos de los cuales son mejores que los míos!)

La generación de un árbol en WPF será, sin embargo, un desafío, aunque se puede hacer, ya que las primitivas de dibujo de WPF son de naturaleza jerárquica.

Puede que no sea adecuado, también podría considerar GraphViz - https://github.com/JamieDixon/GraphViz-C-Sharp-Wrapper sin embargo, no sé cuánta suerte tendrá ejecutando la línea de comandos en un servidor web .

Hay, y espero, que las bibliotecas pagadas también hagan esto, ya que es una necesidad común.


Usar la api de GDI + puede ser su única opción, con un buen soporte multiplataforma. Sin embargo, hay varios problemas potenciales que debe tener en cuenta al hacer cualquier cosa con GDI + en el lado del servidor. Vale la pena leer esto ya que explica el estado actual del dibujo de gráficos en DotNet y tiene un punto en el procesamiento del lado del servidor:

https://github.com/imazen/Graphics-vNext

Una vez dicho esto; hay un artículo que trata sobre lo que estás pidiendo:

Excepción de OutOfMemory cuando se dibujan rectángulos recursivamente en GDI + (se trata específicamente de generar un TreeMap con GDI + y si lee los comentarios y responde, evitará muchos de los escollos)

Una vez que haya generado su imagen, es un proceso trivial guardarla en un disco y luego, con suerte, incrustarla en su presentación; También tiene opciones para escribir en secuencias, por lo que puede ser posible incrustarlo directamente en el archivo de powerpoint sin guardarlo primero en el disco.


Ya que todo lo que necesita hacer es extraer una captura de pantalla de la página web, sería más conveniente capturar la página web como una imagen.

http://www.nrecosite.com/html_to_image_generator_net.aspx biblioteca gratuita es capaz de extraer capturas de pantalla de su página web, y soporta Javascript / CSS.