ParaView s Comparative Viewing, XY Plot, Spreadsheet View, Matrix View
|
|
|
- Rosamund Arnold
- 10 years ago
- Views:
Transcription
1 ParaView s Comparative Viewing, XY Plot, Spreadsheet View, Matrix View Dublin, March 2013 Jean M. Favre, CSCS
2 Motivational movie Supercomputing 2011 Movie Gallery Accepted at Supercomputing 11 Visualization Contest
3 Agenda 9:30 11:00 Start ParaView and show some demos. Do some exercises 11:30 13:00 Parallel and python usage. More exercises 3
4 Quantitative and qualitative data visualization 13/5/2009
5 Plot Over a Line Position the line end-points on the extremities of the dataset User can move them back with the p stroke (two times) Plot will open a Line Chart View Use panning, zooming and reset camera buttons ValidPointMask array set to 0 if data is missing Can be done interactively, in real-time with the Auto- Accept button (View->Settings) Browse with the mouse over the line Select which fields to make visibile/invisible Exercise with naca.bin.case
6 Bart Chart Histogram (a vtktable) will open a Bar Chart View Use panning, zooming and reset camera buttons Can be saved as vtktable, or as CSV file Use SpreadSheet View to look at RowData
7 GeoPhysics example: Longitudinal average
8 Spreadsheet View Any dataset can be viewed in a Spreadsheet View Allows display of node-, cell-, field- and row-data Allows linked-selection Can be exported as CSV file Display can be reduced to Show only selected elements Allows sorting by column Exercise 1: Source->Wavelet Filters->PointData to CellData Select all cells above 230 Exercise 2: Use Edit->Find Data to do the same search (Manual page 108)
9 Comparative Viewing Compare, side-by-side, multiple visualization pipelines Open the 3D View (Comparative) Inspector Load file can.ex2
10 Plot Over Time Multiple points can be tracked over time (based on their ID) Make a selection Copy the Active Selection Apply Plotting is allowed for multiple points Produces a multiblock dataset
11 Parallel Coordinates View Points are shown in n-dimensional space Each vertical column allows subset selection /wiki/ Parallel_coordinates Load vehicle_data.csv
12 Plot-Matrix View Open vehicle_data.csv 12
13 Summary Plotting and Charting will use vtktables Comparative viewing is to be done with caution (or low-resolution data) Idem for plot over time Both are ideal candidates for batch-mode processing
14 Exercise: Naca dataset Load ${PARAVIEW_DATA _ROOT}/Data/ naca.bin.case Plot density and gradient along the curvilinear contour of the airfoil Export plot as PDF
15 ParaView Python Tools Dublin, March 2013 Jean M. Favre, CSCS
16 Outline 1.Tools, application scripting, python traces pvpython, pvserver parallel execution 2. Quantitative Analysis programmable filters, python calculator
17 ParaView tools paraview, pvbatch can run in a single or multi-cpu session pvpython can connect to a parallel server The standard version called paraview, will run interactively, i.e. with a graphics OpenGL window. This is intended to do exploratory visualization, and to prepare a visualization script. To keep interaction live, you might want to use lower-resolution data Important:
18 pvbatch The batch-oriented tool called pvbatch, will run without user s interaction. pvbatch will be used to repeat the same visualization for: many time-steps in a transient simulation different input datasets to customize an animation pvbatch can execute a hand-written python script, or reload a script generated with paraview, and save images to disk.
19 Reloading a state file paraview can reload a state file with the option state=filename.pvsm paraview can reload a state with the command File->Load State pvbatch can reload the same state file with the commands: from paraview.simple import * () Connect (' servermanager.loadstate('/users/jfavre/state.pvsm
20 Reloading a python script paraview can reload a python script with the option --script=filename.py paraview can reload a python script with the command Tools- >Python Shell->Run Script Try reloading lib/paraview-3.98/sitepackages/paraview/demos/demo1.py sph = Sphere() shr = Shrink() rep = Show() Render()
21 ColoredSphere (parallel) example from paraview.simple import * view = GetRenderView() sphere = Sphere() sphere.phiresolution = 100 pidscal = ProcessIdScalars(sphere) rep = Show(pidscal) nbprocs = servermanager.activeconnection.getnumberofdataparti tions() drange = [0, nbprocs-1]
22 ColoredSphere (parallel) example lt = MakeBlueToRedLT(drange[0], drange[1]) lt.numberoftablevalues = nbprocs rep.lookuptable = lt rep.colorattributetype = 'POINT_DATA' rep.colorarrayname = "ProcessId" bar = CreateScalarBar(LookupTable=lt, Title="PID") bar.titlecolor = [0,0,0] bar.labelcolor = [0,0,0] bar.numberoflabels = 6 view.representations.append(bar)
23 running the example with pvbatch view.resetcamera() view.background = [.7,.7,.7] view.cameraviewup = [0, 1, 0] view.stillrender() WriteImage("coloredSphere.png", view=view, Writer="vtkPNGWriter") # Execute with MPI mpirun n12 `which pvbatch` \ --use-offscreen-rendering \ coloredsphere.py
24 How to get started with Python commands? Utilities/VTKPythonWrapping/servermanager.py Utilities/VTKPythonWrapping/simple.py Use Python Shell -> Trace Start trace, trace state, show/edit/save trace The traces are very verbose. Editing is recommended.
25 Look at data fields stored in the grid r = OpenDataFile("/ParaViewData/Data/bluntfin.vts") r.updatepipeline() pd = r.pointdata for n in range(pd.getnumberofarrays()): print pd.getarray(n).getname(), ' ', pd.getarray(n).getrange() for n in range(pd.numberofarrays): print pd[n].name, ' ', pd[n].getrange() for k, v in pd.iteritems(): print k, v.getrange() # pd is a python dictionary
26 Execute a script for multiple timesteps AnimateReader() (from simple.py) is a macro that takes a time-aware data source, a view, and a filename AnimateReader(reader, GetRenderView(), /tmp/foo.png ) It will step through all timesteps. The execution is run on-demand by the view
27 Execute for some timesteps AnimateReader() starts at the beginning and runs to the end with a fixed increment. You can change that and do your own start, end, and time increment. tsteps = reader.timestepvalues start = 2 incr = 3 end = 7 for i in tsteps[start:end:incr]: view.viewtime = tsteps[i] () view.stillrender imgfile = image.%03d.png % (start+i*incr) ( 1 vtkpngwriter, view.writeimage(imgfile,
28 Exercise with a file can.ex2 reader = FindSource( can.ex2 ) view = GetRenderView() tsteps = reader.timestepvalues start = 0 incr = 1 end = len(tsteps) -1 for i in tsteps[start:end:incr]: view.viewtime = tsteps[i] () view.stillrender AnimateReader(reader, view, c:/users/jfavre/foo.png )
29 Execute a script for multiple files While running paraview, get the python interface. Find all files Tools-> Python Shell import glob, string ( glob.glob( /scratch/user/file*.dat files = () files.sort
30 Execute a script for multiple files How do we update the pipeline objects? must find the names of the objects to be modified () GetRenderView view = #you created a pipeline and read a file file.000.dat #using the GUI Open menu # the object called 'file.000.dat' shows in the pipeline viewer (' FindSource('file.000.dat reader = # reader can now be updated reader.filename = files[i] () view.stillrender
31 Quantitative Analysis Calculator (page 90) Python Calculator (page 96) Programmable Source/Filter (page 87) Ref. ParaView 3.98 User Manual CSCS Lorem ipsum dolor 31
32 Calculator filter Calculate derived quantities from existing attributes Use a free-form text expression Example: 5 * RTData if(condition,true_expres sion,false_expression) 32
33 Python Calculator filter Uses python and numpy Accepts multiple inputs. inputs[0], inputs[1], Can access the point or cell data using the.pointdata or.celldata qualifiers. Can access the coordinates array using the.points qualifier: inputs[0].pointdata[ Normals'] inputs[0].points[:,0] 33
34 Python Calculator filter Examples: Normals + 5 Normals + [1,2,3] velocity[:, 0] hstack([velocity_x, velocity_y, velocity_z]) When the calculation is more involved and trying to do it in one expression may be difficult. When you need access to a program flow construct such as if or for When you need to change the type of the mesh => use the programmable filter 34
35 Python Programmable Source/Filters Creates and transforms VTK grids Examples: Have a Python code to read data, and you may re-use it instead of writing a C++ reader. Prototype a filter, without a GUI Import one of many python packages Extract the data arrays of a Grid and show them as a Table
36 Python Programmable Source/Filters In it simplest form, the input is copied to the output. It is a pass-thru filter With the Copy Arrays option, the output will have all of the input arrays Example: # create a Sphere Source and add normals = inputs[0].pointdata['normals'] output.pointdata.append(normals[:,0], "Normals_x")
37 Example of the use of numpy #get VTK objects pdi = self.getinputdataobject(0,0) pdo = self.getoutputdataobject(0) pdo.shallowcopy(pdi) #manipulate Python objects data0 = inputs[0].pointdata['density'] data1 = inputs[0].pointdata['energy'] output.pointdata.append(data1-data0, 'minus')
38 Example : create a grid and remap it to spherical space Python Prog. Source Python Prog. Filter Source code here /2010-August/ html from paraview.util import SetOutputWholeExtent SetOutputWholeExtent(self, [0, 29, 0, 19, 0, 19])
39 Example of the use of a python package import scipy from scipy import integrate And create a vtkpolydata object to view Google for source code with lorenz python laprise
40 Grid to Table translation # Get a Programmable filter # set the output type to vtktable table = self.gettableoutput() pd = self.getinput().getpointdata() for i in range(pd.getnumberofarrays()): table.addcolumn(pd.getarray(i))
41 Summary Python scripts are a much better representation of the pipeline than the older state files (*.pvsm) I recommend you learn at least the basics, to reload a given configuration, in a more portable manner Python is the only interface to run ParaView in batch mode
Facts about Visualization Pipelines, applicable to VisIt and ParaView
Facts about Visualization Pipelines, applicable to VisIt and ParaView March 2013 Jean M. Favre, CSCS Agenda Visualization pipelines Motivation by examples VTK Data Streaming Visualization Pipelines: Introduction
VisIt Visualization Tool
The Center for Astrophysical Thermonuclear Flashes VisIt Visualization Tool Randy Hudson [email protected] Argonne National Laboratory Flash Center, University of Chicago An Advanced Simulation and Computing
Introduction to Visualization with VTK and ParaView
Introduction to Visualization with VTK and ParaView R. Sungkorn and J. Derksen Department of Chemical and Materials Engineering University of Alberta Canada August 24, 2011 / LBM Workshop 1 Introduction
MicroStrategy Desktop
MicroStrategy Desktop Quick Start Guide MicroStrategy Desktop is designed to enable business professionals like you to explore data, simply and without needing direct support from IT. 1 Import data from
Processing Data with rsmap3d Software Services Group Advanced Photon Source Argonne National Laboratory
Processing Data with rsmap3d Software Services Group Advanced Photon Source Argonne National Laboratory Introduction rsmap3d is an application for producing 3D reciprocal space maps from x-ray diffraction
Why are we teaching you VisIt?
VisIt Tutorial Why are we teaching you VisIt? Interactive (GUI) Visualization and Analysis tool Multiplatform, Free and Open Source The interface looks the same whether you run locally or remotely, serial
Visualization with ParaView
Visualization with ParaView Before we begin Make sure you have ParaView 4.1.0 installed so you can follow along in the lab section http://paraview.org/paraview/resources/software.php Background http://www.paraview.org/
Scientific Visualization with ParaView
Scientific Visualization with ParaView Geilo Winter School 2016 Andrea Brambilla (GEXCON AS, Bergen) Outline Part 1 (Monday) Fundamentals Data Filtering Part 2 (Tuesday) Time Dependent Data Selection &
DataPA OpenAnalytics End User Training
DataPA OpenAnalytics End User Training DataPA End User Training Lesson 1 Course Overview DataPA Chapter 1 Course Overview Introduction This course covers the skills required to use DataPA OpenAnalytics
DiskPulse DISK CHANGE MONITOR
DiskPulse DISK CHANGE MONITOR User Manual Version 7.9 Oct 2015 www.diskpulse.com [email protected] 1 1 DiskPulse Overview...3 2 DiskPulse Product Versions...5 3 Using Desktop Product Version...6 3.1 Product
TIBCO Spotfire Business Author Essentials Quick Reference Guide. Table of contents:
Table of contents: Access Data for Analysis Data file types Format assumptions Data from Excel Information links Add multiple data tables Create & Interpret Visualizations Table Pie Chart Cross Table Treemap
Introduction to Paraview. H.D.Rajesh
Introduction to Paraview H.D.Rajesh 1.Introduction 2.file formats 3.How to use Brief Overview Info: www.paraview.org http://www.paraview.org/wiki/paraview Open source,multi-platform application (Linux,
Introduction... 1 Welcome Screen... 2 Map View... 3. Generating a map... 3. Map View... 4. Basic Map Features... 4
Quick Start Guide Contents Introduction... 1 Welcome Screen... 2 Map View... 3 Generating a map... 3 Map View... 4 Basic Map Features... 4 Adding a Secondary Indicator... 5 Adding a Secondary Indicator...
PyRy3D: a software tool for modeling of large macromolecular complexes MODELING OF STRUCTURES FOR LARGE MACROMOLECULAR COMPLEXES
MODELING OF STRUCTURES FOR LARGE MACROMOLECULAR COMPLEXES PyRy3D is a method for building low-resolution models of large macromolecular complexes. The components (proteins, nucleic acids and any other
How is EnSight Uniquely Suited to FLOW-3D Data?
How is EnSight Uniquely Suited to FLOW-3D Data? July 5, 2011 figure 1. FLOW-3D model of Dam visualized with EnSight If you would like to know how CEI s EnSight offers you more power than other postprocessors
CHAPTER FIVE RESULT ANALYSIS
CHAPTER FIVE RESULT ANALYSIS 5.1 Chapter Introduction 5.2 Discussion of Results 5.3 Performance Comparisons 5.4 Chapter Summary 61 5.1 Chapter Introduction This chapter outlines the results obtained from
Viewing and Troubleshooting Perfmon Logs
CHAPTER 7 To view perfmon logs, you can download the logs or view them locally. This chapter contains information on the following topics: Viewing Perfmon Log Files, page 7-1 Working with Troubleshooting
imc FAMOS 6.3 visualization signal analysis data processing test reporting Comprehensive data analysis and documentation imc productive testing
imc FAMOS 6.3 visualization signal analysis data processing test reporting Comprehensive data analysis and documentation imc productive testing imc FAMOS ensures fast results Comprehensive data processing
imc FAMOS 6.3 visualization signal analysis data processing test reporting Comprehensive data analysis and documentation imc productive testing
imc FAMOS 6.3 visualization signal analysis data processing test reporting Comprehensive data analysis and documentation imc productive testing www.imcfamos.com imc FAMOS at a glance Four editions to Optimize
Paraview scripting. Raffaele Ponzini [email protected] SuperComputing Applications and Innovation Department
Paraview scripting Raffaele Ponzini [email protected] SuperComputing Applications and Innovation Department OUTLINE Why scripting pvbatch and pvpython Macros Scripting using a tracefile Journaling in
Visualization and Post Processing of OpenFOAM results a Brie. a Brief Introduction to VTK
Visualization and Post Processing of OpenFOAM results a Brief Introduction to VTK December 13:th 2007 OpenFOAM Introdutory Course Chalmers University of Technology Post Processing in OF No built in post
Analysis Programs DPDAK and DAWN
Analysis Programs DPDAK and DAWN An Overview Gero Flucke FS-EC PNI-HDRI Spring Meeting April 13-14, 2015 Outline Introduction Overview of Analysis Programs: DPDAK DAWN Summary Gero Flucke (DESY) Analysis
Tutorial 2 Online and offline Ship Visualization tool Table of Contents
Tutorial 2 Online and offline Ship Visualization tool Table of Contents 1.Tutorial objective...2 1.1.Standard that will be used over this document...2 2. The online tool...2 2.1.View all records...3 2.2.Search
Distributed Visualization Parallel Visualization Large data volumes
Distributed Visualization Parallel Visualization Large data volumes Dr. Jean M. Favre Head of Scientific Visualisation Outline Historical perspective Some strategies to deal with large data How do VTK
Visualizing molecular simulations
Visualizing molecular simulations ChE210D Overview Visualization plays a very important role in molecular simulations: it enables us to develop physical intuition about the behavior of a system that is
SonicWALL GMS Custom Reports
SonicWALL GMS Custom Reports Document Scope This document describes how to configure and use the SonicWALL GMS 6.0 Custom Reports feature. This document contains the following sections: Feature Overview
DiskBoss. File & Disk Manager. Version 2.0. Dec 2011. Flexense Ltd. www.flexense.com [email protected]. File Integrity Monitor
DiskBoss File & Disk Manager File Integrity Monitor Version 2.0 Dec 2011 www.flexense.com [email protected] 1 Product Overview DiskBoss is an automated, rule-based file and disk manager allowing one to
InfiniteInsight 6.5 sp4
End User Documentation Document Version: 1.0 2013-11-19 CUSTOMER InfiniteInsight 6.5 sp4 Toolkit User Guide Table of Contents Table of Contents About this Document 3 Common Steps 4 Selecting a Data Set...
Visualization Plugin for ParaView
Alexey I. Baranov Visualization Plugin for ParaView version 1.3 Springer Contents 1 Visualization with ParaView..................................... 1 1.1 ParaView plugin installation.................................
Top 10 Oracle SQL Developer Tips and Tricks
Top 10 Oracle SQL Developer Tips and Tricks December 17, 2013 Marc Sewtz Senior Software Development Manager Oracle Application Express Oracle America Inc., New York, NY The following is intended to outline
Simply Accounting Intelligence Tips and Tricks Booklet Vol. 1
Simply Accounting Intelligence Tips and Tricks Booklet Vol. 1 1 Contents Accessing the SAI reports... 3 Running, Copying and Pasting reports... 4 Creating and linking a report... 5 Auto e-mailing reports...
MicroStrategy Analytics Express User Guide
MicroStrategy Analytics Express User Guide Analyzing Data with MicroStrategy Analytics Express Version: 4.0 Document Number: 09770040 CONTENTS 1. Getting Started with MicroStrategy Analytics Express Introduction...
Visualization with ParaView. Greg Johnson
Visualization with Greg Johnson Before we begin Make sure you have 3.8.0 installed so you can follow along in the lab section http://paraview.org/paraview/resources/software.html http://www.paraview.org/
OpenFOAM postprocessing and advanced running options
OpenFOAM postprocessing and advanced running options Tommaso Lucchini Department of Energy Politecnico di Milano The post processing tool: parafoam The main post-processing tool provided with OpenFOAM
LAMBDA CONSULTING GROUP Legendary Academy of Management & Business Development Advisories
Curriculum # 05 Four Months Certification Program WEB DESIGNING & DEVELOPMENT LAMBDA CONSULTING GROUP Legendary Academy of Management & Business Development Advisories The duration of The Course is Four
Compute Cluster Server Lab 3: Debugging the parallel MPI programs in Microsoft Visual Studio 2005
Compute Cluster Server Lab 3: Debugging the parallel MPI programs in Microsoft Visual Studio 2005 Compute Cluster Server Lab 3: Debugging the parallel MPI programs in Microsoft Visual Studio 2005... 1
Using SPSS, Chapter 2: Descriptive Statistics
1 Using SPSS, Chapter 2: Descriptive Statistics Chapters 2.1 & 2.2 Descriptive Statistics 2 Mean, Standard Deviation, Variance, Range, Minimum, Maximum 2 Mean, Median, Mode, Standard Deviation, Variance,
Virto Pivot View for Microsoft SharePoint Release 4.2.1. User and Installation Guide
Virto Pivot View for Microsoft SharePoint Release 4.2.1 User and Installation Guide 2 Table of Contents SYSTEM/DEVELOPER REQUIREMENTS... 4 OPERATING SYSTEM... 4 SERVER... 4 BROWSER... 4 INSTALLATION AND
VX Search File Search Solution. VX Search FILE SEARCH SOLUTION. User Manual. Version 8.2. Jan 2016. www.vxsearch.com [email protected]. Flexense Ltd.
VX Search FILE SEARCH SOLUTION User Manual Version 8.2 Jan 2016 www.vxsearch.com [email protected] 1 1 Product Overview...4 2 VX Search Product Versions...8 3 Using Desktop Product Versions...9 3.1 Product
NaviCell Data Visualization Python API
NaviCell Data Visualization Python API Tutorial - Version 1.0 The NaviCell Data Visualization Python API is a Python module that let computational biologists write programs to interact with the molecular
Ovation Operator Workstation for Microsoft Windows Operating System Data Sheet
Ovation Operator Workstation for Microsoft Windows Operating System Features Delivers full multi-tasking operation Accesses up to 200,000 dynamic points Secure standard operating desktop environment Intuitive
Reporting Manual. Prepared by. NUIT Support Center Northwestern University
Reporting Manual Prepared by NUIT Support Center Northwestern University Updated: February 2013 CONTENTS 1. Introduction... 1 2. Reporting... 1 2.1 Reporting Functionality... 1 2.2 Creating Reports...
Using Net2 Timesheet. Net2 AN1029. Timesheet software. Configuring Clocking In and Clocking Out readers
Using Timesheet Timesheet software This program provides basic time and attendance reporting when used with the access control system. A user must be defined as an operator to log in to. The level of detail
COGNOS 8 Business Intelligence
COGNOS 8 Business Intelligence QUERY STUDIO USER GUIDE Query Studio is the reporting tool for creating simple queries and reports in Cognos 8, the Web-based reporting solution. In Query Studio, you can
version 3.0 tutorial - Turbulent mixing in a T-junction with CFDSTUDY in SALOME contact: [email protected]
EDF R&D Fluid Dynamics, Power Generation and Environment Department Single Phase Thermal-Hydraulics Group 6, quai Watier F-78401 Chatou Cedex Tel: 33 1 30 87 75 40 Fax: 33 1 30 87 79 16 MAY 2013 documentation
Applying a circular load. Immediate and consolidation settlement. Deformed contours. Query points and query lines. Graph query.
Quick Start Tutorial 1-1 Quick Start Tutorial This quick start tutorial will cover some of the basic features of Settle3D. A circular load is applied to a single soil layer and settlements are examined.
<Insert Picture Here> Oracle SQL Developer 3.0: Overview and New Features
1 Oracle SQL Developer 3.0: Overview and New Features Sue Harper Senior Principal Product Manager The following is intended to outline our general product direction. It is intended
Gephi Tutorial Visualization
Gephi Tutorial Welcome to this Gephi tutorial. It will guide you to the basic and advanced visualization settings in Gephi. The selection and interaction with tools will also be introduced. Follow the
Material for tutorial. Twitter: prabhu_r. Slides: http://goo.gl/5u7pv. Demos: http://goo.gl/mc0ea. www.enthought.com/~prabhu/m2_tutorial.
Material for tutorial Twitter: prabhu_r Slides: http://goo.gl/5u7pv www.enthought.com/~prabhu/m2_tutorial.pdf Demos: http://goo.gl/mc0ea www.enthought.com/~prabhu/demos.zip 3D Data visualization with Mayavi
CASA Analysis and Visualization
CASA Analysis and Visualization Synthesis... 1 Current Status... 1 General Goals and Challenges... 3 Immediate Goals... 5 Harnessing Community Development... 7 Synthesis We summarize capabilities and challenges
Excel Companion. (Profit Embedded PHD) User's Guide
Excel Companion (Profit Embedded PHD) User's Guide Excel Companion (Profit Embedded PHD) User's Guide Copyright, Notices, and Trademarks Copyright, Notices, and Trademarks Honeywell Inc. 1998 2001. All
Getting Started With SPSS
Getting Started With SPSS To investigate the research questions posed in each section of this site, we ll be using SPSS, an IBM computer software package specifically designed for use in the social sciences.
James Ahrens, Berk Geveci, Charles Law. Technical Report
LA-UR-03-1560 Approved for public release; distribution is unlimited. Title: ParaView: An End-User Tool for Large Data Visualization Author(s): James Ahrens, Berk Geveci, Charles Law Submitted to: Technical
Audit TM. The Security Auditing Component of. Out-of-the-Box
Audit TM The Security Auditing Component of Out-of-the-Box This guide is intended to provide a quick reference and tutorial to the principal features of Audit. Please refer to the User Manual for more
RVA: RESERVOIR VISUALIZATION AND ANALYSIS
RVA: RESERVOIR VISUALIZATION AND ANALYSIS USER MANUAL Beta 0.1.0 D. Keefer, D. Torridi, J. Duggirala Copyright 2011, University of Illinois at Urbana Champaign (UIUC). All Rights Reserved. 1 CONTENTS About...
Evaluator s Guide. PC-Duo Enterprise HelpDesk v5.0. Copyright 2006 Vector Networks Ltd and MetaQuest Software Inc. All rights reserved.
Evaluator s Guide PC-Duo Enterprise HelpDesk v5.0 Copyright 2006 Vector Networks Ltd and MetaQuest Software Inc. All rights reserved. All third-party trademarks are the property of their respective owners.
Integrated Sensor Analysis Tool (I-SAT )
FRONTIER TECHNOLOGY, INC. Advanced Technology for Superior Solutions. Integrated Sensor Analysis Tool (I-SAT ) Core Visualization Software Package Abstract As the technology behind the production of large
MAS 500 Intelligence Tips and Tricks Booklet Vol. 1
MAS 500 Intelligence Tips and Tricks Booklet Vol. 1 1 Contents Accessing the Sage MAS Intelligence Reports... 3 Copying, Pasting and Renaming Reports... 4 To create a new report from an existing report...
CURRICULUM MAP. Web Design II Mr. Gault
CURRICULUM MAP Web Design II Mr. Gault MONTH August- September ESSENTIAL QUESTIONS How do I create an animated map in? How do I integrate components and dynamic text boxes with the animated map? How do
Parallel Large-Scale Visualization
Parallel Large-Scale Visualization Aaron Birkland Cornell Center for Advanced Computing Data Analysis on Ranger January 2012 Parallel Visualization Why? Performance Processing may be too slow on one CPU
XCal-View user manual
XCal-View user manual XCal-View user manual M-9925-0107-04 1 Introduction to XCal-View About XCal-View Renishaw XCal-View software has been written as a direct replacement for the previous analysis package
Navigator Software. Contents 1. NAVIGATOR SOFTWARE 2. INSTALLATION 3. USING NAVIGATOR SOFTWARE 3.1 STARTING THE PROGRAM 3.
Navigator Software Contents 1. NAVIGATOR SOFTWARE 2. INSTALLATION 3. USING NAVIGATOR SOFTWARE 3.1 STARTING THE PROGRAM 3.2 SYSTEM SET UP 3.3 LOAD DATA FILE 3.3.1 LOADING PARTIAL FILES 3.4 DATA TABLE WINDOW
First Prev Next Last MayaVi: A Free Tool for 3D/2D Data Visualization Prabhu Ramachandran October, 25, 2002 Abstract MayaVi (http://mayavi.sf.net) is an easy to use tool for interactive 3D/2D data visualization
JustClust User Manual
JustClust User Manual Contents 1. Installing JustClust 2. Running JustClust 3. Basic Usage of JustClust 3.1. Creating a Network 3.2. Clustering a Network 3.3. Applying a Layout 3.4. Saving and Loading
SAS/GRAPH Network Visualization Workshop 2.1
SAS/GRAPH Network Visualization Workshop 2.1 User s Guide SAS Documentation The correct bibliographic citation for this manual is as follows: SAS Institute Inc 2009. SAS/GRAPH : Network Visualization Workshop
Visualization of Semantic Windows with SciDB Integration
Visualization of Semantic Windows with SciDB Integration Hasan Tuna Icingir Department of Computer Science Brown University Providence, RI 02912 [email protected] February 6, 2013 Abstract Interactive Data
CE 504 Computational Hydrology Computational Environments and Tools Fritz R. Fiedler
CE 504 Computational Hydrology Computational Environments and Tools Fritz R. Fiedler 1) Operating systems a) Windows b) Unix and Linux c) Macintosh 2) Data manipulation tools a) Text Editors b) Spreadsheets
Scientific data formats and visualization of large datasets
Scientific data formats and visualization of large datasets Compute Ontario Summer School, May 2013 Alex Razoumov [email protected] SHARCNET/UOIT copy of these slides in http://razoumov.sharcnet.ca/paraview.pdf
OECD.Stat Web Browser User Guide
OECD.Stat Web Browser User Guide May 2013 May 2013 1 p.10 Search by keyword across themes and datasets p.31 View and save combined queries p.11 Customise dimensions: select variables, change table layout;
PROJECT ON MICROSOFT ACCESS (HOME TAB AND EXTERNAL DATA TAB) SUBMITTED BY: SUBMITTED TO: NAME: ROLL NO: REGN NO: BATCH:
PROJECT ON MICROSOFT ACCESS (HOME TAB AND EXTERNAL DATA TAB) SUBMITTED BY: SUBMITTED TO: NAME: ROLL NO: REGN NO: BATCH: INDEX Microsoft Access- An Overview 2 Datasheet view 4 Create a Table in Datasheet
Charts for SharePoint
KWizCom Corporation Charts for SharePoint Admin Guide Copyright 2005-2015 KWizCom Corporation. All rights reserved. Company Headquarters 95 Mural Street, Suite 600 Richmond Hill, ON L4B 3G2 Canada E-mail:
LICENSE4J FLOATING LICENSE SERVER USER GUIDE
LICENSE4J FLOATING LICENSE SERVER USER GUIDE VERSION 4.5.5 LICENSE4J www.license4j.com Table of Contents Getting Started... 2 Floating License Usage... 2 Installation... 4 Windows Installation... 4 Linux
Abstract. For notes detailing the changes in each release, see the MySQL for Excel Release Notes. For legal information, see the Legal Notices.
MySQL for Excel Abstract This is the MySQL for Excel Reference Manual. It documents MySQL for Excel 1.3 through 1.3.6. Much of the documentation also applies to the previous 1.2 series. For notes detailing
Using the ihistorian Excel Add-In
Using the ihistorian Excel Add-In Proprietary Notice The manual and software contain confidential information which represents trade secrets of GE Fanuc International, Inc. and/or its suppliers, and may
Integrated Open-Source Geophysical Processing and Visualization
Integrated Open-Source Geophysical Processing and Visualization Glenn Chubak* University of Saskatchewan, Saskatoon, Saskatchewan, Canada [email protected] and Igor Morozov University of Saskatchewan,
Chapter 16. Using Dynamic Data Exchange (DDE)
104 Student Guide 16. Using Dynamic Data Exchange (DDE) Chapter 16 Using Dynamic Data Exchange (DDE) Copyright 1994-2003, GE Fanuc International, Inc. 16-1 FIX Fundamentals 16. Using Dynamic Data Exchange
Analyzing Network Servers. Disk Space Utilization Analysis. DiskBoss - Data Management Solution
DiskBoss - Data Management Solution DiskBoss provides a large number of advanced data management and analysis operations including disk space usage analysis, file search, file classification and policy-based
Data Analysis and Statistical Software Workshop. Ted Kasha, B.S. Kimberly Galt, Pharm.D., Ph.D.(c) May 14, 2009
Data Analysis and Statistical Software Workshop Ted Kasha, B.S. Kimberly Galt, Pharm.D., Ph.D.(c) May 14, 2009 Learning Objectives: Data analysis commonly used today Available data analysis software packages
Consumption of OData Services of Open Items Analytics Dashboard using SAP Predictive Analysis
Consumption of OData Services of Open Items Analytics Dashboard using SAP Predictive Analysis (Version 1.17) For validation Document version 0.1 7/7/2014 Contents What is SAP Predictive Analytics?... 3
Team Members: Christopher Copper Philip Eittreim Jeremiah Jekich Andrew Reisdorph. Client: Brian Krzys
Team Members: Christopher Copper Philip Eittreim Jeremiah Jekich Andrew Reisdorph Client: Brian Krzys June 17, 2014 Introduction Newmont Mining is a resource extraction company with a research and development
Sisense. Product Highlights. www.sisense.com
Sisense Product Highlights Introduction Sisense is a business intelligence solution that simplifies analytics for complex data by offering an end-to-end platform that lets users easily prepare and analyze
Assignment 5: Visualization
Assignment 5: Visualization Arash Vahdat March 17, 2015 Readings Depending on how familiar you are with web programming, you are recommended to study concepts related to CSS, HTML, and JavaScript. The
Exploratory Climate Data Visualization and Analysis
Exploratory Climate Data Visualization and Analysis by Thomas Maxwell, Jerry Potter & Laura Carriere, NASA NCCS and the UVCDAT Development Consortium Scientific Visualization! We process, understand, and
Cassandra 2.0: Tutorial
Cassandra 2.0 Tutorial V1.0 Sébastien Jourdain, Fatiha Zeghir 2005/06/01 1 / 16 Abstract Cassandra is a generic VTK data viewer written in Java which provides native multiplatform support. Cassandra is
Gephi Tutorial Quick Start
Gephi Tutorial Welcome to this introduction tutorial. It will guide you to the basic steps of network visualization and manipulation in Gephi. Gephi version 0.7alpha2 was used to do this tutorial. Get
Advanced Visualization for Chemistry
Advanced Visualization for Chemistry Part 11 Tools customization Mario Valle March 7 8, 2006 Why we need customization Read new file formats Compute and fuse together new derived quantities Add (computed)
ARIZONA DEPARTMENT OF TRANSPORTATION. Presented by Lonnie D. Hendrix, P.E. Assistant State Engineer, Maintenance
ARIZONA DEPARTMENT OF TRANSPORTATION Presented by Lonnie D. Hendrix, P.E. Assistant State Engineer, Maintenance Prepared by Feature Inventory Services Team July 2013 FIS Database Feature Inventory System
FreeForm Designer. Phone: +972-9-8309999 Fax: +972-9-8309998 POB 8792, Natanya, 42505 Israel www.autofont.com. Document2
FreeForm Designer FreeForm Designer enables designing smart forms based on industry-standard MS Word editing features. FreeForm Designer does not require any knowledge of or training in programming languages
Parallel Analysis and Visualization on Cray Compute Node Linux
Parallel Analysis and Visualization on Cray Compute Node Linux David Pugmire, Oak Ridge National Laboratory and Hank Childs, Lawrence Livermore National Laboratory and Sean Ahern, Oak Ridge National Laboratory
64 Bits of MapInfo Pro!!! and the next BIG thing. March 2015
64 Bits of MapInfo Pro!!! and the next BIG thing March 2015 MapInfo Professional v12.5 Themes Cartographic output Performance improvements Ability to work directly with a map in a layout. An all new Layout
Instruction Manual. Applied Vision is available for download online at:
Applied Vision TM 4 Software Instruction Manual Applied Vision is available for download online at: www.ken-a-vision.com/support/software-downloads If you require an Applied Vision installation disk, call
3D Data visualization with Mayavi
3D Data visualization with Mayavi Prabhu Ramachandran Department of Aerospace Engineering IIT Bombay SciPy.in 2012, December 27, IIT Bombay. Prabhu Ramachandran (IIT Bombay) Mayavi2 tutorial 1 / 53 In
FreeFem++-cs, the FreeFem++ Graphical Interface
FreeFem++-cs, the FreeFem++ Graphical Interface Antoine Le Hyaric Laboratoire Jacques-Louis Lions Université Pierre et Marie Curie Antoine.Le [email protected] December 10, 2014 1 / 54 FreeFem++-cs How to
from Microsoft Office
OOoCon 2003 Migrating from Microsoft Office to OpenOffice.org/StarOffice by Frank Gamerdinger [email protected] 1 Who needs migration? OpenOffice.org & StarOffice - only the brave!(?) 2 Agenda
Microsoft Office 2010: Access 2010, Excel 2010, Lync 2010 learning assets
Microsoft Office 2010: Access 2010, Excel 2010, Lync 2010 learning assets Simply type the id# in the search mechanism of ACS Skills Online to access the learning assets outlined below. Titles Microsoft
Generating a Custom Bill of Materials
Summary Tutorial TU0104 (v2.3) May 16, 2008 This tutorial describes how to use the Report Manager to set up a Bill of Materials (BOM) report. The manipulation of data and columns and exporting to an Excel
