SlideShare a Scribd company logo
1 of 41
Interactive Rendering
 of Complex 3D-Treemaps
Matthias Trapp, Sebastian Schmechel, Jürgen Döllner

Hasso-Plattner-Institute, University of Potsdam, Germany
Agenda

             I.   Motivation

             II. Conceptual Overview

             III. Implementation Details

             IV. Results & Discussion

             V. Future Work & Conclusions


02/22/2013             Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp   2
SECTION I

Motivation
3D Treemap Example




02/22/2013   Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp   4
Related Work
   2D Treemaps [Shneiderman ’92, Bederson ’02]:
         Common technique for space restricted hierarchy
          visualization
         Various layouting algorithms available


   3D Treemap / StepTree [Bladh, 2004]
         Can be used to map additional attributes of the data items
         Significantly better performance in interpreting the
          hierarchical structure
         Preserve performance in interpretational/navigational
          tasks


02/22/2013              Rendering of Complex 3D Treemaps :: Matthias Trapp   5
Image-Synthesis of a 3D Treemap

                    Computation of 2D Treemap Layout



                Mapping of Thematic Data to Treemap Items



                   Generation of 3D Rendering Primitives



             Rendering/Rasterization of 3D Rendering Primitives

02/22/2013                Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp   6
3D Treemap >600k Items




02/22/2013   Rendering of Complex 3D Treemaps :: Matthias Trapp   7
3D Treemap Item

  Additional dimension =
    additional complexity




   Observation: 3D treemap = 2.5D virtual
    environment
   3-5 times more geometry required than 2D case
   Attributes for thematic mappings vary per item
   Number of items determines update performance
02/22/2013        Rendering of Complex 3D Treemaps :: Matthias Trapp   8
Challenges for Complex 3D Treemaps
  3D Treemap ~ geometrical complex
    representation:
   High memory footprint in VRAM
   High run-time complexity for item updates
   High run-time complexity for layout

  Efficient rendering depends on/is determined by:
   Rendering run-time complexity
   Update run-time complexity
   Client/Server memory consumption/space
    complexity

   Goal: Reduction ofComplex 3D Treemaps :: Matthias Trapp complexity
02/22/2013       Rendering of space and time                             9
SECTION II

Conceptual Overview
Treemap Item :: Parameterization
   Goals:
        1. Provide a small-as-possible memory footprint on client
        2. Support fast client-server updates
   Layout-dependent attributes:
         2D item position & size (X, Y, W, H)
   Mapping-dependent attributes:
            Item color & item identity (R, G, B, ID)
            Item depth & Z-position (D, Z)
            Hierarchy Level (L)
            Binary flags, e.g., isLeaf, isVisible, isSelected,… (F)


02/22/2013                  Rendering of Complex 3D Treemaps :: Matthias Trapp   11
Treemap Item :: Buffer Mapping




  Assumption:
   mapping and layout are often modified separately
       Two separate buffers: layout and mapping buffer
       Can be updated separately and saves bandwidth
02/22/2013          Rendering of Complex 3D Treemaps :: Matthias Trapp   12
Approach :: Overview




  Three-stage deferred rendering process:
  1. Generate and render attributed point cloud
  2. Generate primitives & rasterize to G-Buffer (1 pass)
  3. Apply post-processing techniques (1 pass)

02/22/2013         Rendering of Complex 3D Treemaps :: Matthias Trapp   13
Approach :: Attributed Point Cloud




02/22/2013   Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp   14
Approach :: Generated Primitives




02/22/2013   Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp   15
Approach :: Thematic Mapping




02/22/2013   Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp   16
Approach :: Post Processing




02/22/2013   Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp   17
Approach :: Summary




   Fully GPU accelerated shape generation
   Render attributed point cloud and generate triangles
   Enables a compact representation of treemaps


02/22/2013         Rendering of Complex 3D Treemaps :: Matthias Trapp   18
SECTION III

Implementation Details
Primitive Template




   Optimal GPU representation: 8 vertices + 12 indices
   Format: triangle-strip without swaps
   Omit bottom face of treemap item

02/22/2013        Rendering of Complex 3D Treemaps :: Matthias Trapp   20
Emitter Function




02/22/2013     Rendering of Complex 3D Treemaps :: Matthias Trapp   21
Culling Strategies
   Backface Culling:
         Goal: omit rasterization of back-facing primitives
         Performed using fixed-function pipeline feature
         Overhead if performed in geometry shader

   View-frustum Culling:
         Goal: omit shape generation for items outside the frustum
         Performed per-item in vertex shader

   Size Culling:
         Goal: omit rasterization of small treemap items
         Performed per-item in vertex shader

02/22/2013               Rendering of Complex 3D Treemaps :: Matthias Trapp   22
Size–Culling using a Screen-Space Metric




     a       max p0 x ,, p7 x       min p0 x ,, p7 x          b     max p0 y ,, p7 y    min p0 y ,, p7 y
                                 true   a b
     passSizeCulling
                                 false otherwise


02/22/2013                            Rendering of Complex 3D Treemaps :: Matthias Trapp                       23
Culling Implementation
             bool passCulling(const in mat4 mvp, const in vec4 vertex, const in vec4 dimensions,
                              const in bool applyViewFrustumCulling, const in bool applySizeCulling)
             { float cPMaxX=-10000.0;float cPMinX=10000.0;float cPMaxY=-10000.0;float cPMinY=10000.0;
               bool passCulling = true;
               if(useViewFrustumCulling)
               { // 1. Do conservative culling and test only center of item
                 vec4 V = mvp * vertex;
                 passCulling=((-V.w<V.x)&&(V.x<V.w))&&((-V.w<V.y)&&(V.y<V.w))&&((-V.w<V.z)&&(V.z<V.w));
                 if(!passCulling)
                 { // 2. Perform precise culling if item center is not in frustum
                   vec4 AABB[8];
                   for (int i = 0; i < 8; i++){
                     AABB[i] = mvp * (vertex + VERTEX[i] * dimensions);
                     vec4 p = AABB[i] / AABB[i].w;
                     p.xy = (p.xy + 1.0) * (viewport.zw * 0.5) + viewport.xy;
                     cPMaxX = max(cPMaxX, p.x); cPMinX = min(cPMinX, p.x);
                     cPMaxY = max(cPMaxY, p.y); cPMinY = min(cPMinY, p.y);
                   } //endfor
                   // 2. Perform precise culling if item center is not in frustum
                   int bounds[6] = int[6](0,0,0,0,0,0);
                   for(int i = 0; i < 8; i++){
                     if(AABB[i].x>AABB[i].w) bounds[0]++; if(AABB[i].x<-AABB[i].w) bounds[1]++;
                     if(AABB[i].y>AABB[i].w) bounds[2]++; if(AABB[i].y<-AABB[i].w) bounds[3]++;
                     if(AABB[i].z>AABB[i].w) bounds[4]++; if(AABB[i].z<-AABB[i].w) bounds[5]++;
                   }//endfor
                   for(int i = 0; i < 6; i++) if(bounds[i]==8) passCulling = false;
                 }//endif }//endif
                 // 3. Apply size culling if enable to every visible item
                 if(passCulling && applyViewFrustumCulling && useSizeCulling)
                     passCulling = ((abs(cPMaxX)-abs(cPMinX))*(abs(cPMaxY)-abs(cPMinY)))
                       > float(pixelSizeThreshold);
                 return passCulling;
             }



02/22/2013                         Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp         24
Deferred Stylization :: Overview




   Performed in post-processing: low per-fragment cost
   Can be customized to user demands/rendering
    speed
   Rendering overhead: ca. 1-3 ms @ 720p
02/22/2013        Rendering of Complex 3D Treemaps :: Matthias Trapp   25
Deferred Stylization :: Variances




02/22/2013    Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp   26
SECTION IV

Results & Discussion
Comparison of Approaches




  Difference: Geometry generation on CPU vs. GPU

  Utilized stage/approach has impact on:
   Bandwidth required (CPU  GPU)
   Main (CPU) and video (GPU) memory footprints
   Number of draw calls issued

02/22/2013     Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp   28
Existing Approaches
 Vertex Buffer Objects (VBO):
      Generate geometry for each treemap item
       client-side (CPU) and push to server (GPU)
      Index variant has low memory footprint and
       leverage post-transform cache (~32 vertices)
      CPU bound for frequent treemap updates
 Geometry Instancing (Pseudo, UBO, TBO)
 Encoding of per-instance-data (PID) is bottleneck:
         Pseudo-Instancing: encode PID in shader constant
           registers
         Uniform-Buffer Instancing: encode PID to L1-Cache
           (~64K)
         Texture-Buffer Instancing:3Dencode PID to texture
02/22/2013               Rendering of Complex Treemaps :: Matthias Trapp   29
Rendering Performance
                  GPU: NVIDIA GTX 460 / CPU: Intel Xeon 2,79GHz
                  250




                  200




                  150
 milliseconds




                  100




                   50




                    0
                                               Pseudo               UBO              TBO            Indexed    Non-Indexed   Intermediate
                          Shape Generation
                                             Instancing          Instancing       Instancing          VBO         VBO            Mode
                13.884          0.38           1.68                1.47             1.49             0.63         1.37          5.12
                98.858          1.75           6.28                4.01             4.01             3.42         8.67          35.45
                365.645         6.15           27.49               15.91            14.93            12.57        32.35        133.05
                614.920        14.76           60.88               31.12            31.51            28.46        54.71        220.01


02/22/2013                                                Rendering of Complex 3D Treemaps :: Matthias Trapp                                30
Memory Footprint :: Metric




   #Bytes for n treemap items with a attributes
   compression ratios for VRAM consumption:
         1:2.5 over indexed vertex representations
         1:3.75 over non-index vertex representations


02/22/2013            Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp   31
Memory Footprint :: Results
                     1E+09

                 10000000

                 10000000

                  1000000

                   100000
   byte




                     10000

                        1000

                         100

                           10

                           1
                                  CPU                 GPU            CPU                 GPU        CPU             GPU       CPU             GPU
                                           13.884                             98.858                      365.645                   614.920
          Shape Generation      444288              444368          3163456            3163536    11700640      11700640    19677440      19677520
          Pseudo Instancing     444368              444368          3163536            3163536    11700640      11700640    19677520      19677520
          UBO Instancing        444368              444368          3163536            3163536    11700640      11700640    19677520      19677520
          TBO Instancing        444368              444368          3163536            3163536    11700640      11700640    19677520      19677520
          Indexed VBO           1999296             1555008        14235552            11072096   52652880      40952240    88548480      68871040
          Non-Indexed VBO       15439008            14994720       109930096       106766640      406597240     394896600   683791040     664113600
          Intermediate Mode     444288                 0            3163456               0       11700640           0      19677440           0



02/22/2013                                                 Rendering of Complex 3D Treemaps :: Matthias Trapp                                         32
Discussion
   Outperforms all existing rendering techniques:
            Pseudo & UBO Instancing are CPU bound
            TBO instancing is bound by L2-Cache performance
            VBOs probably transform bound
            Indexed VBO leverage post-transform cache
            Generation and instancing have similar memory footprint
            All approaches are not fill-limited


   Theoretical limits of the presented approach:
         ~2.5 million 3D treemap items at ~20 frames-per-second
         Equals 1 pixel-per-item at full HD resolution (1920x1080)

02/22/2013                 Rendering of Complex 3D Treemaps :: Matthias Trapp   33
SECTION V

Future Work & Conclusions
Future Work :: Reduce Overdraw

   high overdraw   low overdraw




02/22/2013           Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp   35
Future Work :: Reduce Overdraw


         Independent Representation                            Interdependent Representation

  A                                                       B



                                                                                           L2
                                                 Item Origin


                                                                                                L1

                                                                                                     L0

             Unnecessary Item Overdraw                            L ~ Hierachy Level of Item




02/22/2013                Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp                  36
Future Work :: Improve Readability




02/22/2013    Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp   37
Future Work :: Concept Transfer




02/22/2013     Rendering of Complex 3D Treemaps :: Matthias Trapp   38
Future Work :: Summary
  Foundation for advanced visualization techniques:
   Animated transition between 3D treemap states
   Application of interactive focus+context lenses
   Multi-perspective views of 3D treemaps

  Generalize approach for other treemap types:
   3D Voronoi treemaps
   Classical 2D (Voronoi) treemaps



02/22/2013       Rendering of Complex 3D Treemaps :: Matthias Trapp   39
Conclusions
   Rendering technique for complex 3D treemaps

   Outperforms existing approaches w.r.t.:
         Rendering speed
         Memory requirements (client & server)

   Building block for GPU framework for 3D treemaps

   Stylization possibilities are limited (e.g.
    ,transparency)

   Potentials for future work

02/22/2013           Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp   40
Questions & Comments
  Contact:
    www.4dndvis.de

   Matthias Trapp
      matthias.trapp@hpi.uni-potsdam.de
   Sebastian Schmechel
      sebastian.schmechel@hpi.uni-potsdam.de
   Jürgen Döllner
      juergen.doellner@hpi.uni-potsdam.de


  Publications:
      http://www.hpi.uni-potsdam.de/doellner/4dndvis/publikationen.html



      This work was funded by the Federal Ministry of Education and Research
    (BMBF), Germany within the InnoProfile Transfer research group "4DnD-Vis".


07/23/2012                       Rendering of Complex 3D Treemaps :: Matthias Trapp   41

More Related Content

What's hot

Build Your Own 3D Scanner: Conclusion
Build Your Own 3D Scanner: ConclusionBuild Your Own 3D Scanner: Conclusion
Build Your Own 3D Scanner: ConclusionDouglas Lanman
 
Texture mapping in_opengl
Texture mapping in_openglTexture mapping in_opengl
Texture mapping in_openglManas Nayak
 
Object Detection Beyond Mask R-CNN and RetinaNet III
Object Detection Beyond Mask R-CNN and RetinaNet IIIObject Detection Beyond Mask R-CNN and RetinaNet III
Object Detection Beyond Mask R-CNN and RetinaNet IIIWanjin Yu
 
Double Patterning
Double PatterningDouble Patterning
Double PatterningDanny Luk
 
Double Patterning (3/31 update)
Double Patterning (3/31 update)Double Patterning (3/31 update)
Double Patterning (3/31 update)guest833ea6e
 
CS 354 Transformation, Clipping, and Culling
CS 354 Transformation, Clipping, and CullingCS 354 Transformation, Clipping, and Culling
CS 354 Transformation, Clipping, and CullingMark Kilgard
 
Parallel implementation of geodesic distance transform with application in su...
Parallel implementation of geodesic distance transform with application in su...Parallel implementation of geodesic distance transform with application in su...
Parallel implementation of geodesic distance transform with application in su...Tuan Q. Pham
 
Visualizing Data Using t-SNE
Visualizing Data Using t-SNEVisualizing Data Using t-SNE
Visualizing Data Using t-SNEDavid Khosid
 
Visualization using tSNE
Visualization using tSNEVisualization using tSNE
Visualization using tSNEYan Xu
 
View-Dependent Texture Atlases (EG 2010)
View-Dependent Texture Atlases (EG 2010)View-Dependent Texture Atlases (EG 2010)
View-Dependent Texture Atlases (EG 2010)Matthias Trapp
 
30th コンピュータビジョン勉強会@関東 DynamicFusion
30th コンピュータビジョン勉強会@関東 DynamicFusion30th コンピュータビジョン勉強会@関東 DynamicFusion
30th コンピュータビジョン勉強会@関東 DynamicFusionHiroki Mizuno
 
High Dimensional Data Visualization using t-SNE
High Dimensional Data Visualization using t-SNEHigh Dimensional Data Visualization using t-SNE
High Dimensional Data Visualization using t-SNEKai-Wen Zhao
 
Point cloud mesh-investigation_report-lihang
Point cloud mesh-investigation_report-lihangPoint cloud mesh-investigation_report-lihang
Point cloud mesh-investigation_report-lihangLihang Li
 
Texture mapping
Texture mapping Texture mapping
Texture mapping wahab13
 
A Framework of Secured and Bio-Inspired Image Steganography Using Chaotic Enc...
A Framework of Secured and Bio-Inspired Image Steganography Using Chaotic Enc...A Framework of Secured and Bio-Inspired Image Steganography Using Chaotic Enc...
A Framework of Secured and Bio-Inspired Image Steganography Using Chaotic Enc...Varun Ojha
 
Graph Regularised Hashing
Graph Regularised HashingGraph Regularised Hashing
Graph Regularised HashingSean Moran
 
VJAI Paper Reading#3-KDD2019-ClusterGCN
VJAI Paper Reading#3-KDD2019-ClusterGCNVJAI Paper Reading#3-KDD2019-ClusterGCN
VJAI Paper Reading#3-KDD2019-ClusterGCNDat Nguyen
 
A Novel Background Subtraction Algorithm for Dynamic Texture Scenes
A Novel Background Subtraction Algorithm for Dynamic Texture ScenesA Novel Background Subtraction Algorithm for Dynamic Texture Scenes
A Novel Background Subtraction Algorithm for Dynamic Texture ScenesIJMER
 

What's hot (20)

Mask R-CNN
Mask R-CNNMask R-CNN
Mask R-CNN
 
Build Your Own 3D Scanner: Conclusion
Build Your Own 3D Scanner: ConclusionBuild Your Own 3D Scanner: Conclusion
Build Your Own 3D Scanner: Conclusion
 
Texture mapping in_opengl
Texture mapping in_openglTexture mapping in_opengl
Texture mapping in_opengl
 
Object Detection Beyond Mask R-CNN and RetinaNet III
Object Detection Beyond Mask R-CNN and RetinaNet IIIObject Detection Beyond Mask R-CNN and RetinaNet III
Object Detection Beyond Mask R-CNN and RetinaNet III
 
Double Patterning
Double PatterningDouble Patterning
Double Patterning
 
Double Patterning (3/31 update)
Double Patterning (3/31 update)Double Patterning (3/31 update)
Double Patterning (3/31 update)
 
CS 354 Transformation, Clipping, and Culling
CS 354 Transformation, Clipping, and CullingCS 354 Transformation, Clipping, and Culling
CS 354 Transformation, Clipping, and Culling
 
Parallel implementation of geodesic distance transform with application in su...
Parallel implementation of geodesic distance transform with application in su...Parallel implementation of geodesic distance transform with application in su...
Parallel implementation of geodesic distance transform with application in su...
 
Visualizing Data Using t-SNE
Visualizing Data Using t-SNEVisualizing Data Using t-SNE
Visualizing Data Using t-SNE
 
Visualization using tSNE
Visualization using tSNEVisualization using tSNE
Visualization using tSNE
 
Deep 3D Analysis - Javier Ruiz-Hidalgo - UPC Barcelona 2018
Deep 3D Analysis - Javier Ruiz-Hidalgo - UPC Barcelona 2018Deep 3D Analysis - Javier Ruiz-Hidalgo - UPC Barcelona 2018
Deep 3D Analysis - Javier Ruiz-Hidalgo - UPC Barcelona 2018
 
View-Dependent Texture Atlases (EG 2010)
View-Dependent Texture Atlases (EG 2010)View-Dependent Texture Atlases (EG 2010)
View-Dependent Texture Atlases (EG 2010)
 
30th コンピュータビジョン勉強会@関東 DynamicFusion
30th コンピュータビジョン勉強会@関東 DynamicFusion30th コンピュータビジョン勉強会@関東 DynamicFusion
30th コンピュータビジョン勉強会@関東 DynamicFusion
 
High Dimensional Data Visualization using t-SNE
High Dimensional Data Visualization using t-SNEHigh Dimensional Data Visualization using t-SNE
High Dimensional Data Visualization using t-SNE
 
Point cloud mesh-investigation_report-lihang
Point cloud mesh-investigation_report-lihangPoint cloud mesh-investigation_report-lihang
Point cloud mesh-investigation_report-lihang
 
Texture mapping
Texture mapping Texture mapping
Texture mapping
 
A Framework of Secured and Bio-Inspired Image Steganography Using Chaotic Enc...
A Framework of Secured and Bio-Inspired Image Steganography Using Chaotic Enc...A Framework of Secured and Bio-Inspired Image Steganography Using Chaotic Enc...
A Framework of Secured and Bio-Inspired Image Steganography Using Chaotic Enc...
 
Graph Regularised Hashing
Graph Regularised HashingGraph Regularised Hashing
Graph Regularised Hashing
 
VJAI Paper Reading#3-KDD2019-ClusterGCN
VJAI Paper Reading#3-KDD2019-ClusterGCNVJAI Paper Reading#3-KDD2019-ClusterGCN
VJAI Paper Reading#3-KDD2019-ClusterGCN
 
A Novel Background Subtraction Algorithm for Dynamic Texture Scenes
A Novel Background Subtraction Algorithm for Dynamic Texture ScenesA Novel Background Subtraction Algorithm for Dynamic Texture Scenes
A Novel Background Subtraction Algorithm for Dynamic Texture Scenes
 

Viewers also liked

094 spectroscopic fiber optic catheter
094 spectroscopic fiber optic catheter094 spectroscopic fiber optic catheter
094 spectroscopic fiber optic catheterSHAPE Society
 
Juan fernando proyecto de vida
Juan fernando proyecto de vidaJuan fernando proyecto de vida
Juan fernando proyecto de vidaIE Simona Duque
 
Las técnicas y sus aplicaciones en la naturaleza
Las técnicas y sus aplicaciones en la naturaleza Las técnicas y sus aplicaciones en la naturaleza
Las técnicas y sus aplicaciones en la naturaleza Hannia Torres Guzman
 
Proyecto de vida santiago Garcia Orozco
Proyecto de vida santiago Garcia OrozcoProyecto de vida santiago Garcia Orozco
Proyecto de vida santiago Garcia OrozcoIE Simona Duque
 
Proyecto de vida. juan camilo marin henao
Proyecto de vida. juan camilo marin henaoProyecto de vida. juan camilo marin henao
Proyecto de vida. juan camilo marin henaoIE Simona Duque
 
Pacto de convivencia sala de informatica esteban
Pacto de convivencia sala de informatica estebanPacto de convivencia sala de informatica esteban
Pacto de convivencia sala de informatica estebanIE Simona Duque
 
What is IRS Form 8949 | IRS Form 8949 Instructions
What is IRS Form 8949 | IRS Form 8949 InstructionsWhat is IRS Form 8949 | IRS Form 8949 Instructions
What is IRS Form 8949 | IRS Form 8949 InstructionsScott Wright
 
La paradoja ing alejandro angulo
La paradoja ing alejandro anguloLa paradoja ing alejandro angulo
La paradoja ing alejandro anguloalejandro angulo
 
Real-Time Volumetric Tests (EG 2008)
Real-Time Volumetric Tests (EG 2008)Real-Time Volumetric Tests (EG 2008)
Real-Time Volumetric Tests (EG 2008)Matthias Trapp
 
Dia dos Pais - Website - Baterias Moura
Dia dos Pais - Website - Baterias MouraDia dos Pais - Website - Baterias Moura
Dia dos Pais - Website - Baterias MouraCésar Mafra
 
Pies y Terapia Natural
Pies y Terapia NaturalPies y Terapia Natural
Pies y Terapia NaturalJulio Mata
 

Viewers also liked (20)

094 spectroscopic fiber optic catheter
094 spectroscopic fiber optic catheter094 spectroscopic fiber optic catheter
094 spectroscopic fiber optic catheter
 
Juan fernando proyecto de vida
Juan fernando proyecto de vidaJuan fernando proyecto de vida
Juan fernando proyecto de vida
 
La creatividad
La creatividadLa creatividad
La creatividad
 
Las técnicas y sus aplicaciones en la naturaleza
Las técnicas y sus aplicaciones en la naturaleza Las técnicas y sus aplicaciones en la naturaleza
Las técnicas y sus aplicaciones en la naturaleza
 
Unidad 2
Unidad 2Unidad 2
Unidad 2
 
Proyecto de vida santiago Garcia Orozco
Proyecto de vida santiago Garcia OrozcoProyecto de vida santiago Garcia Orozco
Proyecto de vida santiago Garcia Orozco
 
Que es internet
Que es internetQue es internet
Que es internet
 
Proyecto de vida. juan camilo marin henao
Proyecto de vida. juan camilo marin henaoProyecto de vida. juan camilo marin henao
Proyecto de vida. juan camilo marin henao
 
Pacto de convivencia sala de informatica esteban
Pacto de convivencia sala de informatica estebanPacto de convivencia sala de informatica esteban
Pacto de convivencia sala de informatica esteban
 
What is IRS Form 8949 | IRS Form 8949 Instructions
What is IRS Form 8949 | IRS Form 8949 InstructionsWhat is IRS Form 8949 | IRS Form 8949 Instructions
What is IRS Form 8949 | IRS Form 8949 Instructions
 
H1b Stamping at the US Consulate.
H1b Stamping at the US Consulate.H1b Stamping at the US Consulate.
H1b Stamping at the US Consulate.
 
Objetivos ondas
Objetivos ondasObjetivos ondas
Objetivos ondas
 
La paradoja ing alejandro angulo
La paradoja ing alejandro anguloLa paradoja ing alejandro angulo
La paradoja ing alejandro angulo
 
Genciana
GencianaGenciana
Genciana
 
Innovaciones del Mouse y Teclado
Innovaciones del Mouse y Teclado Innovaciones del Mouse y Teclado
Innovaciones del Mouse y Teclado
 
Real-Time Volumetric Tests (EG 2008)
Real-Time Volumetric Tests (EG 2008)Real-Time Volumetric Tests (EG 2008)
Real-Time Volumetric Tests (EG 2008)
 
Dia dos Pais - Website - Baterias Moura
Dia dos Pais - Website - Baterias MouraDia dos Pais - Website - Baterias Moura
Dia dos Pais - Website - Baterias Moura
 
Abordaje del suicidio en atencion primaria
Abordaje del suicidio en atencion primariaAbordaje del suicidio en atencion primaria
Abordaje del suicidio en atencion primaria
 
Pies y Terapia Natural
Pies y Terapia NaturalPies y Terapia Natural
Pies y Terapia Natural
 
Sena
SenaSena
Sena
 

Similar to Rendering of Complex 3D Treemaps (GRAPP 2013)

Triangle Visibility buffer
Triangle Visibility bufferTriangle Visibility buffer
Triangle Visibility bufferWolfgang Engel
 
Advanced Game Development with the Mobile 3D Graphics API
Advanced Game Development with the Mobile 3D Graphics APIAdvanced Game Development with the Mobile 3D Graphics API
Advanced Game Development with the Mobile 3D Graphics APITomi Aarnio
 
Advanced Scenegraph Rendering Pipeline
Advanced Scenegraph Rendering PipelineAdvanced Scenegraph Rendering Pipeline
Advanced Scenegraph Rendering PipelineNarann29
 
OpenGL 4.4 - Scene Rendering Techniques
OpenGL 4.4 - Scene Rendering TechniquesOpenGL 4.4 - Scene Rendering Techniques
OpenGL 4.4 - Scene Rendering TechniquesNarann29
 
Holy smoke! Faster Particle Rendering using Direct Compute by Gareth Thomas
Holy smoke! Faster Particle Rendering using Direct Compute by Gareth ThomasHoly smoke! Faster Particle Rendering using Direct Compute by Gareth Thomas
Holy smoke! Faster Particle Rendering using Direct Compute by Gareth ThomasAMD Developer Central
 
Interactive Editing of Signed Distance Fields
Interactive Editing of Signed Distance FieldsInteractive Editing of Signed Distance Fields
Interactive Editing of Signed Distance FieldsMatthias Trapp
 
Implementing a modern, RenderMan compliant, REYES renderer
Implementing a modern, RenderMan compliant, REYES rendererImplementing a modern, RenderMan compliant, REYES renderer
Implementing a modern, RenderMan compliant, REYES rendererDavide Pasca
 
Efficient LDI Representation (TPCG 2008)
Efficient LDI Representation (TPCG 2008)Efficient LDI Representation (TPCG 2008)
Efficient LDI Representation (TPCG 2008)Matthias Trapp
 
5 Ways to Improve Your LiDAR Workflows
5 Ways to Improve Your LiDAR Workflows5 Ways to Improve Your LiDAR Workflows
5 Ways to Improve Your LiDAR WorkflowsSafe Software
 
3D Image visualization
3D Image visualization3D Image visualization
3D Image visualizationalok ray
 
Cascading talk in Etsy (http://www.meetup.com/cascading/events/169390262/)
Cascading talk in Etsy (http://www.meetup.com/cascading/events/169390262/)Cascading talk in Etsy (http://www.meetup.com/cascading/events/169390262/)
Cascading talk in Etsy (http://www.meetup.com/cascading/events/169390262/)Jyotirmoy Sundi
 
Rethinking metrics: metrics 2.0 @ Lisa 2014
Rethinking metrics: metrics 2.0 @ Lisa 2014Rethinking metrics: metrics 2.0 @ Lisa 2014
Rethinking metrics: metrics 2.0 @ Lisa 2014Dieter Plaetinck
 
CS 354 Pixel Updating
CS 354 Pixel UpdatingCS 354 Pixel Updating
CS 354 Pixel UpdatingMark Kilgard
 
DDGK: Learning Graph Representations for Deep Divergence Graph Kernels
DDGK: Learning Graph Representations for Deep Divergence Graph KernelsDDGK: Learning Graph Representations for Deep Divergence Graph Kernels
DDGK: Learning Graph Representations for Deep Divergence Graph Kernelsivaderivader
 
3D Reconstruction from Multiple uncalibrated 2D Images of an Object
3D Reconstruction from Multiple uncalibrated 2D Images of an Object3D Reconstruction from Multiple uncalibrated 2D Images of an Object
3D Reconstruction from Multiple uncalibrated 2D Images of an ObjectAnkur Tyagi
 
High-Quality Server Side Rendering using the OGC’s 3D Portrayal Service – App...
High-Quality Server Side Rendering using the OGC’s 3D Portrayal Service – App...High-Quality Server Side Rendering using the OGC’s 3D Portrayal Service – App...
High-Quality Server Side Rendering using the OGC’s 3D Portrayal Service – App...Martin Christen
 
3D Graphics
3D Graphics3D Graphics
3D GraphicsViTAly
 
A Robust Image Watermarking Technique using Luminance Based Area Selection an...
A Robust Image Watermarking Technique using Luminance Based Area Selection an...A Robust Image Watermarking Technique using Luminance Based Area Selection an...
A Robust Image Watermarking Technique using Luminance Based Area Selection an...IRJET Journal
 

Similar to Rendering of Complex 3D Treemaps (GRAPP 2013) (20)

Triangle Visibility buffer
Triangle Visibility bufferTriangle Visibility buffer
Triangle Visibility buffer
 
Advanced Game Development with the Mobile 3D Graphics API
Advanced Game Development with the Mobile 3D Graphics APIAdvanced Game Development with the Mobile 3D Graphics API
Advanced Game Development with the Mobile 3D Graphics API
 
Advanced Scenegraph Rendering Pipeline
Advanced Scenegraph Rendering PipelineAdvanced Scenegraph Rendering Pipeline
Advanced Scenegraph Rendering Pipeline
 
OpenGL 4.4 - Scene Rendering Techniques
OpenGL 4.4 - Scene Rendering TechniquesOpenGL 4.4 - Scene Rendering Techniques
OpenGL 4.4 - Scene Rendering Techniques
 
Praseed Pai
Praseed PaiPraseed Pai
Praseed Pai
 
Holy smoke! Faster Particle Rendering using Direct Compute by Gareth Thomas
Holy smoke! Faster Particle Rendering using Direct Compute by Gareth ThomasHoly smoke! Faster Particle Rendering using Direct Compute by Gareth Thomas
Holy smoke! Faster Particle Rendering using Direct Compute by Gareth Thomas
 
Interactive Editing of Signed Distance Fields
Interactive Editing of Signed Distance FieldsInteractive Editing of Signed Distance Fields
Interactive Editing of Signed Distance Fields
 
Implementing a modern, RenderMan compliant, REYES renderer
Implementing a modern, RenderMan compliant, REYES rendererImplementing a modern, RenderMan compliant, REYES renderer
Implementing a modern, RenderMan compliant, REYES renderer
 
Efficient LDI Representation (TPCG 2008)
Efficient LDI Representation (TPCG 2008)Efficient LDI Representation (TPCG 2008)
Efficient LDI Representation (TPCG 2008)
 
5 Ways to Improve Your LiDAR Workflows
5 Ways to Improve Your LiDAR Workflows5 Ways to Improve Your LiDAR Workflows
5 Ways to Improve Your LiDAR Workflows
 
3D Image visualization
3D Image visualization3D Image visualization
3D Image visualization
 
WebGL and three.js
WebGL and three.jsWebGL and three.js
WebGL and three.js
 
Cascading talk in Etsy (http://www.meetup.com/cascading/events/169390262/)
Cascading talk in Etsy (http://www.meetup.com/cascading/events/169390262/)Cascading talk in Etsy (http://www.meetup.com/cascading/events/169390262/)
Cascading talk in Etsy (http://www.meetup.com/cascading/events/169390262/)
 
Rethinking metrics: metrics 2.0 @ Lisa 2014
Rethinking metrics: metrics 2.0 @ Lisa 2014Rethinking metrics: metrics 2.0 @ Lisa 2014
Rethinking metrics: metrics 2.0 @ Lisa 2014
 
CS 354 Pixel Updating
CS 354 Pixel UpdatingCS 354 Pixel Updating
CS 354 Pixel Updating
 
DDGK: Learning Graph Representations for Deep Divergence Graph Kernels
DDGK: Learning Graph Representations for Deep Divergence Graph KernelsDDGK: Learning Graph Representations for Deep Divergence Graph Kernels
DDGK: Learning Graph Representations for Deep Divergence Graph Kernels
 
3D Reconstruction from Multiple uncalibrated 2D Images of an Object
3D Reconstruction from Multiple uncalibrated 2D Images of an Object3D Reconstruction from Multiple uncalibrated 2D Images of an Object
3D Reconstruction from Multiple uncalibrated 2D Images of an Object
 
High-Quality Server Side Rendering using the OGC’s 3D Portrayal Service – App...
High-Quality Server Side Rendering using the OGC’s 3D Portrayal Service – App...High-Quality Server Side Rendering using the OGC’s 3D Portrayal Service – App...
High-Quality Server Side Rendering using the OGC’s 3D Portrayal Service – App...
 
3D Graphics
3D Graphics3D Graphics
3D Graphics
 
A Robust Image Watermarking Technique using Luminance Based Area Selection an...
A Robust Image Watermarking Technique using Luminance Based Area Selection an...A Robust Image Watermarking Technique using Luminance Based Area Selection an...
A Robust Image Watermarking Technique using Luminance Based Area Selection an...
 

More from Matthias Trapp

Interactive Control over Temporal Consistency while Stylizing Video Streams
Interactive Control over Temporal Consistency while Stylizing Video StreamsInteractive Control over Temporal Consistency while Stylizing Video Streams
Interactive Control over Temporal Consistency while Stylizing Video StreamsMatthias Trapp
 
A Framework for Art-directed Augmentation of Human Motion in Videos on Mobile...
A Framework for Art-directed Augmentation of Human Motion in Videos on Mobile...A Framework for Art-directed Augmentation of Human Motion in Videos on Mobile...
A Framework for Art-directed Augmentation of Human Motion in Videos on Mobile...Matthias Trapp
 
A Framework for Interactive 3D Photo Stylization Techniques on Mobile Devices
A Framework for Interactive 3D Photo Stylization Techniques on Mobile DevicesA Framework for Interactive 3D Photo Stylization Techniques on Mobile Devices
A Framework for Interactive 3D Photo Stylization Techniques on Mobile DevicesMatthias Trapp
 
ALIVE-Adaptive Chromaticity for Interactive Low-light Image and Video Enhance...
ALIVE-Adaptive Chromaticity for Interactive Low-light Image and Video Enhance...ALIVE-Adaptive Chromaticity for Interactive Low-light Image and Video Enhance...
ALIVE-Adaptive Chromaticity for Interactive Low-light Image and Video Enhance...Matthias Trapp
 
A Service-based Preset Recommendation System for Image Stylization Applications
A Service-based Preset Recommendation System for Image Stylization ApplicationsA Service-based Preset Recommendation System for Image Stylization Applications
A Service-based Preset Recommendation System for Image Stylization ApplicationsMatthias Trapp
 
Design Space of Geometry-based Image Abstraction Techniques with Vectorizatio...
Design Space of Geometry-based Image Abstraction Techniques with Vectorizatio...Design Space of Geometry-based Image Abstraction Techniques with Vectorizatio...
Design Space of Geometry-based Image Abstraction Techniques with Vectorizatio...Matthias Trapp
 
A Benchmark for the Use of Topic Models for Text Visualization Tasks - Online...
A Benchmark for the Use of Topic Models for Text Visualization Tasks - Online...A Benchmark for the Use of Topic Models for Text Visualization Tasks - Online...
A Benchmark for the Use of Topic Models for Text Visualization Tasks - Online...Matthias Trapp
 
Efficient GitHub Crawling using the GraphQL API
Efficient GitHub Crawling using the GraphQL APIEfficient GitHub Crawling using the GraphQL API
Efficient GitHub Crawling using the GraphQL APIMatthias Trapp
 
CodeCV - Mining Expertise of GitHub Users from Coding Activities - Online.pdf
CodeCV - Mining Expertise of GitHub Users from Coding Activities - Online.pdfCodeCV - Mining Expertise of GitHub Users from Coding Activities - Online.pdf
CodeCV - Mining Expertise of GitHub Users from Coding Activities - Online.pdfMatthias Trapp
 
Non-Photorealistic Rendering of 3D Point Clouds for Cartographic Visualization
Non-Photorealistic Rendering of 3D Point Clouds for Cartographic VisualizationNon-Photorealistic Rendering of 3D Point Clouds for Cartographic Visualization
Non-Photorealistic Rendering of 3D Point Clouds for Cartographic VisualizationMatthias Trapp
 
TWIN4ROAD - Erfassung Analyse und Auswertung mobiler Multi Sensorik im Strass...
TWIN4ROAD - Erfassung Analyse und Auswertung mobiler Multi Sensorik im Strass...TWIN4ROAD - Erfassung Analyse und Auswertung mobiler Multi Sensorik im Strass...
TWIN4ROAD - Erfassung Analyse und Auswertung mobiler Multi Sensorik im Strass...Matthias Trapp
 
Interactive Close-Up Rendering for Detail+Overview Visualization of 3D Digita...
Interactive Close-Up Rendering for Detail+Overview Visualization of 3D Digita...Interactive Close-Up Rendering for Detail+Overview Visualization of 3D Digita...
Interactive Close-Up Rendering for Detail+Overview Visualization of 3D Digita...Matthias Trapp
 
Web-based and Mobile Provisioning of Virtual 3D Reconstructions
Web-based and Mobile Provisioning of Virtual 3D ReconstructionsWeb-based and Mobile Provisioning of Virtual 3D Reconstructions
Web-based and Mobile Provisioning of Virtual 3D ReconstructionsMatthias Trapp
 
Visualization of Knowledge Distribution across Development Teams using 2.5D S...
Visualization of Knowledge Distribution across Development Teams using 2.5D S...Visualization of Knowledge Distribution across Development Teams using 2.5D S...
Visualization of Knowledge Distribution across Development Teams using 2.5D S...Matthias Trapp
 
Real-time Screen-space Geometry Draping for 3D Digital Terrain Models
Real-time Screen-space Geometry Draping for 3D Digital Terrain ModelsReal-time Screen-space Geometry Draping for 3D Digital Terrain Models
Real-time Screen-space Geometry Draping for 3D Digital Terrain ModelsMatthias Trapp
 
FERMIUM - A Framework for Real-time Procedural Point Cloud Animation & Morphing
FERMIUM - A Framework for Real-time Procedural Point Cloud Animation & MorphingFERMIUM - A Framework for Real-time Procedural Point Cloud Animation & Morphing
FERMIUM - A Framework for Real-time Procedural Point Cloud Animation & MorphingMatthias Trapp
 
Integration of Image Processing Techniques into the Unity Game Engine
Integration of Image Processing Techniques into the Unity Game EngineIntegration of Image Processing Techniques into the Unity Game Engine
Integration of Image Processing Techniques into the Unity Game EngineMatthias Trapp
 
Interactive GPU-based Image Deformation for Mobile Devices
Interactive GPU-based Image Deformation for Mobile DevicesInteractive GPU-based Image Deformation for Mobile Devices
Interactive GPU-based Image Deformation for Mobile DevicesMatthias Trapp
 
Interactive Photo Editing on Smartphones via Intrinsic Decomposition
Interactive Photo Editing on Smartphones via Intrinsic DecompositionInteractive Photo Editing on Smartphones via Intrinsic Decomposition
Interactive Photo Editing on Smartphones via Intrinsic DecompositionMatthias Trapp
 
Service-based Analysis and Abstraction for Content Moderation of Digital Images
Service-based Analysis and Abstraction for Content Moderation of Digital ImagesService-based Analysis and Abstraction for Content Moderation of Digital Images
Service-based Analysis and Abstraction for Content Moderation of Digital ImagesMatthias Trapp
 

More from Matthias Trapp (20)

Interactive Control over Temporal Consistency while Stylizing Video Streams
Interactive Control over Temporal Consistency while Stylizing Video StreamsInteractive Control over Temporal Consistency while Stylizing Video Streams
Interactive Control over Temporal Consistency while Stylizing Video Streams
 
A Framework for Art-directed Augmentation of Human Motion in Videos on Mobile...
A Framework for Art-directed Augmentation of Human Motion in Videos on Mobile...A Framework for Art-directed Augmentation of Human Motion in Videos on Mobile...
A Framework for Art-directed Augmentation of Human Motion in Videos on Mobile...
 
A Framework for Interactive 3D Photo Stylization Techniques on Mobile Devices
A Framework for Interactive 3D Photo Stylization Techniques on Mobile DevicesA Framework for Interactive 3D Photo Stylization Techniques on Mobile Devices
A Framework for Interactive 3D Photo Stylization Techniques on Mobile Devices
 
ALIVE-Adaptive Chromaticity for Interactive Low-light Image and Video Enhance...
ALIVE-Adaptive Chromaticity for Interactive Low-light Image and Video Enhance...ALIVE-Adaptive Chromaticity for Interactive Low-light Image and Video Enhance...
ALIVE-Adaptive Chromaticity for Interactive Low-light Image and Video Enhance...
 
A Service-based Preset Recommendation System for Image Stylization Applications
A Service-based Preset Recommendation System for Image Stylization ApplicationsA Service-based Preset Recommendation System for Image Stylization Applications
A Service-based Preset Recommendation System for Image Stylization Applications
 
Design Space of Geometry-based Image Abstraction Techniques with Vectorizatio...
Design Space of Geometry-based Image Abstraction Techniques with Vectorizatio...Design Space of Geometry-based Image Abstraction Techniques with Vectorizatio...
Design Space of Geometry-based Image Abstraction Techniques with Vectorizatio...
 
A Benchmark for the Use of Topic Models for Text Visualization Tasks - Online...
A Benchmark for the Use of Topic Models for Text Visualization Tasks - Online...A Benchmark for the Use of Topic Models for Text Visualization Tasks - Online...
A Benchmark for the Use of Topic Models for Text Visualization Tasks - Online...
 
Efficient GitHub Crawling using the GraphQL API
Efficient GitHub Crawling using the GraphQL APIEfficient GitHub Crawling using the GraphQL API
Efficient GitHub Crawling using the GraphQL API
 
CodeCV - Mining Expertise of GitHub Users from Coding Activities - Online.pdf
CodeCV - Mining Expertise of GitHub Users from Coding Activities - Online.pdfCodeCV - Mining Expertise of GitHub Users from Coding Activities - Online.pdf
CodeCV - Mining Expertise of GitHub Users from Coding Activities - Online.pdf
 
Non-Photorealistic Rendering of 3D Point Clouds for Cartographic Visualization
Non-Photorealistic Rendering of 3D Point Clouds for Cartographic VisualizationNon-Photorealistic Rendering of 3D Point Clouds for Cartographic Visualization
Non-Photorealistic Rendering of 3D Point Clouds for Cartographic Visualization
 
TWIN4ROAD - Erfassung Analyse und Auswertung mobiler Multi Sensorik im Strass...
TWIN4ROAD - Erfassung Analyse und Auswertung mobiler Multi Sensorik im Strass...TWIN4ROAD - Erfassung Analyse und Auswertung mobiler Multi Sensorik im Strass...
TWIN4ROAD - Erfassung Analyse und Auswertung mobiler Multi Sensorik im Strass...
 
Interactive Close-Up Rendering for Detail+Overview Visualization of 3D Digita...
Interactive Close-Up Rendering for Detail+Overview Visualization of 3D Digita...Interactive Close-Up Rendering for Detail+Overview Visualization of 3D Digita...
Interactive Close-Up Rendering for Detail+Overview Visualization of 3D Digita...
 
Web-based and Mobile Provisioning of Virtual 3D Reconstructions
Web-based and Mobile Provisioning of Virtual 3D ReconstructionsWeb-based and Mobile Provisioning of Virtual 3D Reconstructions
Web-based and Mobile Provisioning of Virtual 3D Reconstructions
 
Visualization of Knowledge Distribution across Development Teams using 2.5D S...
Visualization of Knowledge Distribution across Development Teams using 2.5D S...Visualization of Knowledge Distribution across Development Teams using 2.5D S...
Visualization of Knowledge Distribution across Development Teams using 2.5D S...
 
Real-time Screen-space Geometry Draping for 3D Digital Terrain Models
Real-time Screen-space Geometry Draping for 3D Digital Terrain ModelsReal-time Screen-space Geometry Draping for 3D Digital Terrain Models
Real-time Screen-space Geometry Draping for 3D Digital Terrain Models
 
FERMIUM - A Framework for Real-time Procedural Point Cloud Animation & Morphing
FERMIUM - A Framework for Real-time Procedural Point Cloud Animation & MorphingFERMIUM - A Framework for Real-time Procedural Point Cloud Animation & Morphing
FERMIUM - A Framework for Real-time Procedural Point Cloud Animation & Morphing
 
Integration of Image Processing Techniques into the Unity Game Engine
Integration of Image Processing Techniques into the Unity Game EngineIntegration of Image Processing Techniques into the Unity Game Engine
Integration of Image Processing Techniques into the Unity Game Engine
 
Interactive GPU-based Image Deformation for Mobile Devices
Interactive GPU-based Image Deformation for Mobile DevicesInteractive GPU-based Image Deformation for Mobile Devices
Interactive GPU-based Image Deformation for Mobile Devices
 
Interactive Photo Editing on Smartphones via Intrinsic Decomposition
Interactive Photo Editing on Smartphones via Intrinsic DecompositionInteractive Photo Editing on Smartphones via Intrinsic Decomposition
Interactive Photo Editing on Smartphones via Intrinsic Decomposition
 
Service-based Analysis and Abstraction for Content Moderation of Digital Images
Service-based Analysis and Abstraction for Content Moderation of Digital ImagesService-based Analysis and Abstraction for Content Moderation of Digital Images
Service-based Analysis and Abstraction for Content Moderation of Digital Images
 

Recently uploaded

ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptx
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptxECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptx
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptxiammrhaywood
 
Procuring digital preservation CAN be quick and painless with our new dynamic...
Procuring digital preservation CAN be quick and painless with our new dynamic...Procuring digital preservation CAN be quick and painless with our new dynamic...
Procuring digital preservation CAN be quick and painless with our new dynamic...Jisc
 
AUDIENCE THEORY -CULTIVATION THEORY - GERBNER.pptx
AUDIENCE THEORY -CULTIVATION THEORY -  GERBNER.pptxAUDIENCE THEORY -CULTIVATION THEORY -  GERBNER.pptx
AUDIENCE THEORY -CULTIVATION THEORY - GERBNER.pptxiammrhaywood
 
Inclusivity Essentials_ Creating Accessible Websites for Nonprofits .pdf
Inclusivity Essentials_ Creating Accessible Websites for Nonprofits .pdfInclusivity Essentials_ Creating Accessible Websites for Nonprofits .pdf
Inclusivity Essentials_ Creating Accessible Websites for Nonprofits .pdfTechSoup
 
Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)
Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)
Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)lakshayb543
 
HỌC TỐT TIẾNG ANH 11 THEO CHƯƠNG TRÌNH GLOBAL SUCCESS ĐÁP ÁN CHI TIẾT - CẢ NĂ...
HỌC TỐT TIẾNG ANH 11 THEO CHƯƠNG TRÌNH GLOBAL SUCCESS ĐÁP ÁN CHI TIẾT - CẢ NĂ...HỌC TỐT TIẾNG ANH 11 THEO CHƯƠNG TRÌNH GLOBAL SUCCESS ĐÁP ÁN CHI TIẾT - CẢ NĂ...
HỌC TỐT TIẾNG ANH 11 THEO CHƯƠNG TRÌNH GLOBAL SUCCESS ĐÁP ÁN CHI TIẾT - CẢ NĂ...Nguyen Thanh Tu Collection
 
USPS® Forced Meter Migration - How to Know if Your Postage Meter Will Soon be...
USPS® Forced Meter Migration - How to Know if Your Postage Meter Will Soon be...USPS® Forced Meter Migration - How to Know if Your Postage Meter Will Soon be...
USPS® Forced Meter Migration - How to Know if Your Postage Meter Will Soon be...Postal Advocate Inc.
 
How to do quick user assign in kanban in Odoo 17 ERP
How to do quick user assign in kanban in Odoo 17 ERPHow to do quick user assign in kanban in Odoo 17 ERP
How to do quick user assign in kanban in Odoo 17 ERPCeline George
 
Choosing the Right CBSE School A Comprehensive Guide for Parents
Choosing the Right CBSE School A Comprehensive Guide for ParentsChoosing the Right CBSE School A Comprehensive Guide for Parents
Choosing the Right CBSE School A Comprehensive Guide for Parentsnavabharathschool99
 
ANG SEKTOR NG agrikultura.pptx QUARTER 4
ANG SEKTOR NG agrikultura.pptx QUARTER 4ANG SEKTOR NG agrikultura.pptx QUARTER 4
ANG SEKTOR NG agrikultura.pptx QUARTER 4MiaBumagat1
 
How to Add Barcode on PDF Report in Odoo 17
How to Add Barcode on PDF Report in Odoo 17How to Add Barcode on PDF Report in Odoo 17
How to Add Barcode on PDF Report in Odoo 17Celine George
 
Student Profile Sample - We help schools to connect the data they have, with ...
Student Profile Sample - We help schools to connect the data they have, with ...Student Profile Sample - We help schools to connect the data they have, with ...
Student Profile Sample - We help schools to connect the data they have, with ...Seán Kennedy
 
Proudly South Africa powerpoint Thorisha.pptx
Proudly South Africa powerpoint Thorisha.pptxProudly South Africa powerpoint Thorisha.pptx
Proudly South Africa powerpoint Thorisha.pptxthorishapillay1
 
Influencing policy (training slides from Fast Track Impact)
Influencing policy (training slides from Fast Track Impact)Influencing policy (training slides from Fast Track Impact)
Influencing policy (training slides from Fast Track Impact)Mark Reed
 
4.18.24 Movement Legacies, Reflection, and Review.pptx
4.18.24 Movement Legacies, Reflection, and Review.pptx4.18.24 Movement Legacies, Reflection, and Review.pptx
4.18.24 Movement Legacies, Reflection, and Review.pptxmary850239
 
ENGLISH6-Q4-W3.pptxqurter our high choom
ENGLISH6-Q4-W3.pptxqurter our high choomENGLISH6-Q4-W3.pptxqurter our high choom
ENGLISH6-Q4-W3.pptxqurter our high choomnelietumpap1
 

Recently uploaded (20)

ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptx
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptxECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptx
ECONOMIC CONTEXT - PAPER 1 Q3: NEWSPAPERS.pptx
 
FINALS_OF_LEFT_ON_C'N_EL_DORADO_2024.pptx
FINALS_OF_LEFT_ON_C'N_EL_DORADO_2024.pptxFINALS_OF_LEFT_ON_C'N_EL_DORADO_2024.pptx
FINALS_OF_LEFT_ON_C'N_EL_DORADO_2024.pptx
 
Procuring digital preservation CAN be quick and painless with our new dynamic...
Procuring digital preservation CAN be quick and painless with our new dynamic...Procuring digital preservation CAN be quick and painless with our new dynamic...
Procuring digital preservation CAN be quick and painless with our new dynamic...
 
AUDIENCE THEORY -CULTIVATION THEORY - GERBNER.pptx
AUDIENCE THEORY -CULTIVATION THEORY -  GERBNER.pptxAUDIENCE THEORY -CULTIVATION THEORY -  GERBNER.pptx
AUDIENCE THEORY -CULTIVATION THEORY - GERBNER.pptx
 
Inclusivity Essentials_ Creating Accessible Websites for Nonprofits .pdf
Inclusivity Essentials_ Creating Accessible Websites for Nonprofits .pdfInclusivity Essentials_ Creating Accessible Websites for Nonprofits .pdf
Inclusivity Essentials_ Creating Accessible Websites for Nonprofits .pdf
 
Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)
Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)
Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)
 
HỌC TỐT TIẾNG ANH 11 THEO CHƯƠNG TRÌNH GLOBAL SUCCESS ĐÁP ÁN CHI TIẾT - CẢ NĂ...
HỌC TỐT TIẾNG ANH 11 THEO CHƯƠNG TRÌNH GLOBAL SUCCESS ĐÁP ÁN CHI TIẾT - CẢ NĂ...HỌC TỐT TIẾNG ANH 11 THEO CHƯƠNG TRÌNH GLOBAL SUCCESS ĐÁP ÁN CHI TIẾT - CẢ NĂ...
HỌC TỐT TIẾNG ANH 11 THEO CHƯƠNG TRÌNH GLOBAL SUCCESS ĐÁP ÁN CHI TIẾT - CẢ NĂ...
 
YOUVE_GOT_EMAIL_PRELIMS_EL_DORADO_2024.pptx
YOUVE_GOT_EMAIL_PRELIMS_EL_DORADO_2024.pptxYOUVE_GOT_EMAIL_PRELIMS_EL_DORADO_2024.pptx
YOUVE_GOT_EMAIL_PRELIMS_EL_DORADO_2024.pptx
 
USPS® Forced Meter Migration - How to Know if Your Postage Meter Will Soon be...
USPS® Forced Meter Migration - How to Know if Your Postage Meter Will Soon be...USPS® Forced Meter Migration - How to Know if Your Postage Meter Will Soon be...
USPS® Forced Meter Migration - How to Know if Your Postage Meter Will Soon be...
 
How to do quick user assign in kanban in Odoo 17 ERP
How to do quick user assign in kanban in Odoo 17 ERPHow to do quick user assign in kanban in Odoo 17 ERP
How to do quick user assign in kanban in Odoo 17 ERP
 
Choosing the Right CBSE School A Comprehensive Guide for Parents
Choosing the Right CBSE School A Comprehensive Guide for ParentsChoosing the Right CBSE School A Comprehensive Guide for Parents
Choosing the Right CBSE School A Comprehensive Guide for Parents
 
ANG SEKTOR NG agrikultura.pptx QUARTER 4
ANG SEKTOR NG agrikultura.pptx QUARTER 4ANG SEKTOR NG agrikultura.pptx QUARTER 4
ANG SEKTOR NG agrikultura.pptx QUARTER 4
 
How to Add Barcode on PDF Report in Odoo 17
How to Add Barcode on PDF Report in Odoo 17How to Add Barcode on PDF Report in Odoo 17
How to Add Barcode on PDF Report in Odoo 17
 
Student Profile Sample - We help schools to connect the data they have, with ...
Student Profile Sample - We help schools to connect the data they have, with ...Student Profile Sample - We help schools to connect the data they have, with ...
Student Profile Sample - We help schools to connect the data they have, with ...
 
Proudly South Africa powerpoint Thorisha.pptx
Proudly South Africa powerpoint Thorisha.pptxProudly South Africa powerpoint Thorisha.pptx
Proudly South Africa powerpoint Thorisha.pptx
 
Influencing policy (training slides from Fast Track Impact)
Influencing policy (training slides from Fast Track Impact)Influencing policy (training slides from Fast Track Impact)
Influencing policy (training slides from Fast Track Impact)
 
Raw materials used in Herbal Cosmetics.pptx
Raw materials used in Herbal Cosmetics.pptxRaw materials used in Herbal Cosmetics.pptx
Raw materials used in Herbal Cosmetics.pptx
 
4.18.24 Movement Legacies, Reflection, and Review.pptx
4.18.24 Movement Legacies, Reflection, and Review.pptx4.18.24 Movement Legacies, Reflection, and Review.pptx
4.18.24 Movement Legacies, Reflection, and Review.pptx
 
LEFT_ON_C'N_ PRELIMS_EL_DORADO_2024.pptx
LEFT_ON_C'N_ PRELIMS_EL_DORADO_2024.pptxLEFT_ON_C'N_ PRELIMS_EL_DORADO_2024.pptx
LEFT_ON_C'N_ PRELIMS_EL_DORADO_2024.pptx
 
ENGLISH6-Q4-W3.pptxqurter our high choom
ENGLISH6-Q4-W3.pptxqurter our high choomENGLISH6-Q4-W3.pptxqurter our high choom
ENGLISH6-Q4-W3.pptxqurter our high choom
 

Rendering of Complex 3D Treemaps (GRAPP 2013)

  • 1. Interactive Rendering of Complex 3D-Treemaps Matthias Trapp, Sebastian Schmechel, Jürgen Döllner Hasso-Plattner-Institute, University of Potsdam, Germany
  • 2. Agenda I. Motivation II. Conceptual Overview III. Implementation Details IV. Results & Discussion V. Future Work & Conclusions 02/22/2013 Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp 2
  • 4. 3D Treemap Example 02/22/2013 Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp 4
  • 5. Related Work  2D Treemaps [Shneiderman ’92, Bederson ’02]:  Common technique for space restricted hierarchy visualization  Various layouting algorithms available  3D Treemap / StepTree [Bladh, 2004]  Can be used to map additional attributes of the data items  Significantly better performance in interpreting the hierarchical structure  Preserve performance in interpretational/navigational tasks 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 5
  • 6. Image-Synthesis of a 3D Treemap Computation of 2D Treemap Layout Mapping of Thematic Data to Treemap Items Generation of 3D Rendering Primitives Rendering/Rasterization of 3D Rendering Primitives 02/22/2013 Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp 6
  • 7. 3D Treemap >600k Items 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 7
  • 8. 3D Treemap Item Additional dimension = additional complexity  Observation: 3D treemap = 2.5D virtual environment  3-5 times more geometry required than 2D case  Attributes for thematic mappings vary per item  Number of items determines update performance 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 8
  • 9. Challenges for Complex 3D Treemaps 3D Treemap ~ geometrical complex representation:  High memory footprint in VRAM  High run-time complexity for item updates  High run-time complexity for layout Efficient rendering depends on/is determined by:  Rendering run-time complexity  Update run-time complexity  Client/Server memory consumption/space complexity  Goal: Reduction ofComplex 3D Treemaps :: Matthias Trapp complexity 02/22/2013 Rendering of space and time 9
  • 11. Treemap Item :: Parameterization  Goals: 1. Provide a small-as-possible memory footprint on client 2. Support fast client-server updates  Layout-dependent attributes:  2D item position & size (X, Y, W, H)  Mapping-dependent attributes:  Item color & item identity (R, G, B, ID)  Item depth & Z-position (D, Z)  Hierarchy Level (L)  Binary flags, e.g., isLeaf, isVisible, isSelected,… (F) 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 11
  • 12. Treemap Item :: Buffer Mapping Assumption: mapping and layout are often modified separately  Two separate buffers: layout and mapping buffer  Can be updated separately and saves bandwidth 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 12
  • 13. Approach :: Overview Three-stage deferred rendering process: 1. Generate and render attributed point cloud 2. Generate primitives & rasterize to G-Buffer (1 pass) 3. Apply post-processing techniques (1 pass) 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 13
  • 14. Approach :: Attributed Point Cloud 02/22/2013 Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp 14
  • 15. Approach :: Generated Primitives 02/22/2013 Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp 15
  • 16. Approach :: Thematic Mapping 02/22/2013 Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp 16
  • 17. Approach :: Post Processing 02/22/2013 Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp 17
  • 18. Approach :: Summary  Fully GPU accelerated shape generation  Render attributed point cloud and generate triangles  Enables a compact representation of treemaps 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 18
  • 20. Primitive Template  Optimal GPU representation: 8 vertices + 12 indices  Format: triangle-strip without swaps  Omit bottom face of treemap item 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 20
  • 21. Emitter Function 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 21
  • 22. Culling Strategies  Backface Culling:  Goal: omit rasterization of back-facing primitives  Performed using fixed-function pipeline feature  Overhead if performed in geometry shader  View-frustum Culling:  Goal: omit shape generation for items outside the frustum  Performed per-item in vertex shader  Size Culling:  Goal: omit rasterization of small treemap items  Performed per-item in vertex shader 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 22
  • 23. Size–Culling using a Screen-Space Metric a max p0 x ,, p7 x min p0 x ,, p7 x b max p0 y ,, p7 y min p0 y ,, p7 y true a b passSizeCulling false otherwise 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 23
  • 24. Culling Implementation bool passCulling(const in mat4 mvp, const in vec4 vertex, const in vec4 dimensions, const in bool applyViewFrustumCulling, const in bool applySizeCulling) { float cPMaxX=-10000.0;float cPMinX=10000.0;float cPMaxY=-10000.0;float cPMinY=10000.0; bool passCulling = true; if(useViewFrustumCulling) { // 1. Do conservative culling and test only center of item vec4 V = mvp * vertex; passCulling=((-V.w<V.x)&&(V.x<V.w))&&((-V.w<V.y)&&(V.y<V.w))&&((-V.w<V.z)&&(V.z<V.w)); if(!passCulling) { // 2. Perform precise culling if item center is not in frustum vec4 AABB[8]; for (int i = 0; i < 8; i++){ AABB[i] = mvp * (vertex + VERTEX[i] * dimensions); vec4 p = AABB[i] / AABB[i].w; p.xy = (p.xy + 1.0) * (viewport.zw * 0.5) + viewport.xy; cPMaxX = max(cPMaxX, p.x); cPMinX = min(cPMinX, p.x); cPMaxY = max(cPMaxY, p.y); cPMinY = min(cPMinY, p.y); } //endfor // 2. Perform precise culling if item center is not in frustum int bounds[6] = int[6](0,0,0,0,0,0); for(int i = 0; i < 8; i++){ if(AABB[i].x>AABB[i].w) bounds[0]++; if(AABB[i].x<-AABB[i].w) bounds[1]++; if(AABB[i].y>AABB[i].w) bounds[2]++; if(AABB[i].y<-AABB[i].w) bounds[3]++; if(AABB[i].z>AABB[i].w) bounds[4]++; if(AABB[i].z<-AABB[i].w) bounds[5]++; }//endfor for(int i = 0; i < 6; i++) if(bounds[i]==8) passCulling = false; }//endif }//endif // 3. Apply size culling if enable to every visible item if(passCulling && applyViewFrustumCulling && useSizeCulling) passCulling = ((abs(cPMaxX)-abs(cPMinX))*(abs(cPMaxY)-abs(cPMinY))) > float(pixelSizeThreshold); return passCulling; } 02/22/2013 Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp 24
  • 25. Deferred Stylization :: Overview  Performed in post-processing: low per-fragment cost  Can be customized to user demands/rendering speed  Rendering overhead: ca. 1-3 ms @ 720p 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 25
  • 26. Deferred Stylization :: Variances 02/22/2013 Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp 26
  • 27. SECTION IV Results & Discussion
  • 28. Comparison of Approaches Difference: Geometry generation on CPU vs. GPU Utilized stage/approach has impact on:  Bandwidth required (CPU  GPU)  Main (CPU) and video (GPU) memory footprints  Number of draw calls issued 02/22/2013 Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp 28
  • 29. Existing Approaches Vertex Buffer Objects (VBO):  Generate geometry for each treemap item client-side (CPU) and push to server (GPU)  Index variant has low memory footprint and leverage post-transform cache (~32 vertices)  CPU bound for frequent treemap updates Geometry Instancing (Pseudo, UBO, TBO) Encoding of per-instance-data (PID) is bottleneck:  Pseudo-Instancing: encode PID in shader constant registers  Uniform-Buffer Instancing: encode PID to L1-Cache (~64K)  Texture-Buffer Instancing:3Dencode PID to texture 02/22/2013 Rendering of Complex Treemaps :: Matthias Trapp 29
  • 30. Rendering Performance GPU: NVIDIA GTX 460 / CPU: Intel Xeon 2,79GHz 250 200 150 milliseconds 100 50 0 Pseudo UBO TBO Indexed Non-Indexed Intermediate Shape Generation Instancing Instancing Instancing VBO VBO Mode 13.884 0.38 1.68 1.47 1.49 0.63 1.37 5.12 98.858 1.75 6.28 4.01 4.01 3.42 8.67 35.45 365.645 6.15 27.49 15.91 14.93 12.57 32.35 133.05 614.920 14.76 60.88 31.12 31.51 28.46 54.71 220.01 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 30
  • 31. Memory Footprint :: Metric  #Bytes for n treemap items with a attributes  compression ratios for VRAM consumption:  1:2.5 over indexed vertex representations  1:3.75 over non-index vertex representations 02/22/2013 Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp 31
  • 32. Memory Footprint :: Results 1E+09 10000000 10000000 1000000 100000 byte 10000 1000 100 10 1 CPU GPU CPU GPU CPU GPU CPU GPU 13.884 98.858 365.645 614.920 Shape Generation 444288 444368 3163456 3163536 11700640 11700640 19677440 19677520 Pseudo Instancing 444368 444368 3163536 3163536 11700640 11700640 19677520 19677520 UBO Instancing 444368 444368 3163536 3163536 11700640 11700640 19677520 19677520 TBO Instancing 444368 444368 3163536 3163536 11700640 11700640 19677520 19677520 Indexed VBO 1999296 1555008 14235552 11072096 52652880 40952240 88548480 68871040 Non-Indexed VBO 15439008 14994720 109930096 106766640 406597240 394896600 683791040 664113600 Intermediate Mode 444288 0 3163456 0 11700640 0 19677440 0 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 32
  • 33. Discussion  Outperforms all existing rendering techniques:  Pseudo & UBO Instancing are CPU bound  TBO instancing is bound by L2-Cache performance  VBOs probably transform bound  Indexed VBO leverage post-transform cache  Generation and instancing have similar memory footprint  All approaches are not fill-limited  Theoretical limits of the presented approach:  ~2.5 million 3D treemap items at ~20 frames-per-second  Equals 1 pixel-per-item at full HD resolution (1920x1080) 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 33
  • 34. SECTION V Future Work & Conclusions
  • 35. Future Work :: Reduce Overdraw high overdraw low overdraw 02/22/2013 Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp 35
  • 36. Future Work :: Reduce Overdraw Independent Representation Interdependent Representation A B L2 Item Origin L1 L0 Unnecessary Item Overdraw L ~ Hierachy Level of Item 02/22/2013 Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp 36
  • 37. Future Work :: Improve Readability 02/22/2013 Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp 37
  • 38. Future Work :: Concept Transfer 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 38
  • 39. Future Work :: Summary Foundation for advanced visualization techniques:  Animated transition between 3D treemap states  Application of interactive focus+context lenses  Multi-perspective views of 3D treemaps Generalize approach for other treemap types:  3D Voronoi treemaps  Classical 2D (Voronoi) treemaps 02/22/2013 Rendering of Complex 3D Treemaps :: Matthias Trapp 39
  • 40. Conclusions  Rendering technique for complex 3D treemaps  Outperforms existing approaches w.r.t.:  Rendering speed  Memory requirements (client & server)  Building block for GPU framework for 3D treemaps  Stylization possibilities are limited (e.g. ,transparency)  Potentials for future work 02/22/2013 Interactive Rendering of Complex 3D Treemaps :: Matthias Trapp 40
  • 41. Questions & Comments Contact: www.4dndvis.de  Matthias Trapp matthias.trapp@hpi.uni-potsdam.de  Sebastian Schmechel sebastian.schmechel@hpi.uni-potsdam.de  Jürgen Döllner juergen.doellner@hpi.uni-potsdam.de Publications: http://www.hpi.uni-potsdam.de/doellner/4dndvis/publikationen.html This work was funded by the Federal Ministry of Education and Research (BMBF), Germany within the InnoProfile Transfer research group "4DnD-Vis". 07/23/2012 Rendering of Complex 3D Treemaps :: Matthias Trapp 41

Editor's Notes

  1. Domain: Software Visualization- Different metricaremappedtothetreemaplayout, item sizeandcolor
  2. Squarified, Slice &amp; Dice, Strip, andVoronio
  3. Visualizationof massive datausing 3D treemapsFullyhardwareaccleratedlayoutingandrenderinginteractivefiltering,Animatedtransitions,Automatic generalizationoftreemaps
  4. Rendering Budget + Layouting Budget + Updata
  5. Nowletsfocus onthebasiccomponentsoftherenderingpipeline
  6. So what do we need to represented for an individual 3D treemap item?
  7. Based on thepreviousobservation,Row = Treemap item
  8. Thisgeometryshaderdepictstheshapegenerationprocess.
  9. As mostofyouknow, theapplicationofcullingstrategiesampliedtheperformanceof an redneringtechnique
  10. References
  11. Despite intermediate mode:
  12. CPU: Single threadedForothermachinespleaseread-up in thepaperThe rendering technique was tested using four datasets of different geometric complexity: 35.089,96.658, 365.645, and 614.929 items. The performancetests are conducted on three different test platformswith different GPU generations: (1) NVIDIAGeForce GTX 460 GPU with 1024MB video memoryon an Intel Xeon W3530 CPU with 2,8GHz and6GB of main memory; (2) NVIDIA GeForce GTX480 with 1.5GB video memory on an Intel XeonW3520 2.67GHz and 24GB of main memory; and (3)NVIDIA GeForce GTX 560 Ti with 2GB video memoryon an Intel Xeon W3550 3.07GHz and 6GB ofmainmemory.The test application runs in windowed mode athigh-definition resolution of 1280720 pixels. Thecomplete scene is visible in the view frustum, thusview-frustum culling is not applied. Further backfaceculling is activated and size culling is deactivated.For each rendering technique, a total of 5000consecutive frames are rendered and the respectiverun-time performance in milliseconds is tracked. Afterperformance tracking, all records are averaged. Todetermine to update performance, the time requiredbetween committing a new data set to the renderingtechniques and the next frames rendered is measuredin milliseconds. Styling is turned off to measure
  13. Logarithmicscale
  14. - Transfer conceptsofcartographicgeneralizationto 3D Treemaps