Data Visualization. Richard T. Watson. apple ibooks Author

Size: px
Start display at page:

Download "Data Visualization. Richard T. Watson. apple ibooks Author"

Transcription

1 Data Visualization Richard T. Watson

2 Data Visualization Richard T. Watson, 2012 i

3 Chapter 1 Data Visualization The commonality between science and art is in trying to see profoundly to develop strategies of seeing and showing. Edward Tufte

4 Learning objectives Students completing this chapter will: Understand the principles of the grammar of graphics; Be able to use ggplot2 to create common business graphics; Be able to use a PHP template to depict locations on a Google map; Know how to select data from a database for graphic creation. Visual processing Humans are particularly skilled at processing visual information because it is an innate capability compared to reading which is a learned skill. When we evolved on the Savannah of Africa, we had to be adept at processing visual information (e.g., recognizing a danger) and deciding on the right course of action (fight or flight). Our ancestors are those who were efficient visual processors and quickly detected threats and used this information to make effective decisions. They selected actions that led to survival. Those who were inefficient visual information processors did not survive to reproduce. Even those with good visual skills failed to propagate if they made poor decisions relative to detected dangers. Consequently, we should seek opportunities to present information visually and play to our strengths. As people vary in their preference for visual and textual information, it often makes sense to support both types of reporting. In order to learn how to visualize data, you need to become familiar with the grammar of graphics, R (a statistical package), and ggplot2 (an R extension for graphics) written by Hadley Wickham. In line with the learning of data modeling and SQL, we will take an intertwined spiral approach. First we will tackle the grammar of graphics (the abstract) and then move to ggplot2 (the concrete). You will also learn how to take the output of an SQL query and feed it directly into ggplot2. The end result will be a comprehensive set of practical skills for data visualization. Figure 1.1 Charles Joseph Minard s graphic of Napoleon s Russian expedition in 1812 (en.wikipedia.org/wiki/file:minard.png) 3

5 The grammar of graphics A grammar is a system of rules for generating valid statements in a language. A grammar makes it possible for people to communicate accurately and concisely. English has a rather complex grammar, as do most languages. In contrast, computer-related languages, such as SQL, have a relatively simple grammar because they are carefully designed for expressive power, consistency, and ease of use. Each of the dialects of data modeling also has a grammar, and each of these grammars is quite similar in that they all have the same foundational elements: entities, attributes, identifiers, and relationships. A specific grammar for graphics has been designed for creating graphics to enhance their expressiveness and comprehensiveness. From a mathematical perspective, a graph is a set of points. A graphic is a physical representation of a graph. Thus, a graph can have many physical representations, and one of the skills you need to gain is to be able to judge what is a meaningful graphic for your clients. A grammar for graphics provides you with many ways of creating a graphic, just as the grammar of English gives you many ways of writing a sentence. Of course, we differ in our ability to convey information in English. Similarly, we also differ in our skills in representing a graph in a visual format. The aesthetic attributes of a graph determine its ability to convey information. For a graphic, aesthetics are specified by elements such as size and color. One of the most applauded graphics is Minard s drawing in 1861 of Napoleon s advance on and retreat from Russia during The dominating aspect of the graphic is the dwindling size of the French army as it battled winter, disease, and the Russian army. The graph shows the size of the army, its location, and the direction of its movement. The temperature during the retreat is drawn at the bottom of graphic. Wilkinson s grammar of graphics is based on six elements: 1. Data: a set of data operations that creates variables from datasets, 2. Trans: variable transformations, 3. Scale: scale transformations, 4. Coord: a coordinate system, 5. Element: a graph and its aesthetic attributes, 6. Guide: one or more guides. Before learning how to use this grammar, we need to develop some skills in R, our platform for deploying the grammar. R R is a language and environment for statistical computing and graphics. In our case, we are mainly interested in its graphics facilities. However, you should be aware that R supports a wide variety of statistical techniques. R is open source and cross platform. It is also highly extensible and statisticians are continually adding new features and enhancing existing tools. R has a graphical user interface (GUI) that supports a limited number of features of R. However, because it is extensible by the statistical community, it is difficult to support a GUI across all extensions. As a result, many users rely on the command line interface Figure 1.2 R Studio 4

6 for executing commands to access the full power of R. Rstudio was developed to facilitate the use of R s command line interface. It provides four windows, which are very useful for seeing various aspects of the problem on which you are currently working (e.g., R command, R text and graphic output, and the input dataset), as shown in the following screen capture. We will use RStudio as the interface to R. Data Most structured data, which is what we require for graphing, are typically stored in spreadsheets or databases. It is highly likely that you are familiar with a spreadsheet, so we will first take that approach to preparing a dataset. Next, we will learn how to use MySQL with R. The spreadsheet approach Select your favorite spreadsheet application and enter the data for the following table. After saving the data in the spreadsheet s standard format, select Save As or Export to convert the spreadsheet into comma-delimited format (CSV), an input format that R can read. Table 1.1 CO 2 parts per million (ppm) of the earth s atmosphere Year Here are the commands to read the table into R and list its contents. Note that comment lines are preceded by #. Alternatively, use RStudio to import the file (use Import Dataset). # read a file with a header row and value separated by commas carbon <- read.table(file.choose(), header=true, sep=",") # list the contents carbon # for long files, just show the first few rows head(carbon) CO Year CO The database approach RJDBC is an R package for providing access to a relational database. You need to download and install it before use. You must know the path to the JDBC driver for the database you are using. The example shows access to a MySQL database. library(rjdbc) # Load the driver drv <- JDBC("com.mysql.jdbc.Driver", "SSD250/Library/Java/Extensions/mysql-connector-java bin.jar") # connect to the database conn <- dbconnect(drv, "jdbc:mysql://localhost/classicmodels", "user", "pwd") # Query the database and create file p p <- dbgetquery(conn,"select DISTINCT productline from Products;") Transformation A transformation converts data into a format suitable for the intended visualization. In this case, we want to depict the relative change in carbon levels since pre-industrial periods, when the value was 280 ppm. Here are the R commands. # computer a new column in carbon containing the relative change in CO2 carbon$relco2 = (carbon$co2-280)/280 Notice how we define a column s name by first identifying the table (carbon), adding $ as a separator, and then specifying the column name (relco2). There are many ways that you might want to transform data. The preceding example just illustrates the general nature of a transformation. 5

7 You can also think of SQL as a transformation process as it selects columns from a database. Coord A coordinate system describes where things are located. A geopositioning system (GPS ) reading of latitude and longitude describes where you are on the surface of the globe. It is typically layered onto a map so you can see where you are relative to your neighborhood. Most graphs are plotted on a two-dimensional (2d) grid with x (horizontal) and y (vertical) coordinates. ggplot2 currently supports six 2D coordinate systems, as shown in the following table. The default coordinate system is Element An element is a graph and its aesthetic attributes. Let s start with a simple scatterplot of year against CO2 emissions. We do this in two steps applying the ggplot approach of building a graphic by adding layers. The foundation is the ggplot function, which identifies the source of the data and what is to be plotted using the aes function. Geoms, or geometric objects, describe the type of plot. For example, Table 1.2 Coordinate systems Name cartesian equal flip trans map Description Cartesian coordinates Equal scale Cartesian coordinates Flipped Cartesian coordinates Transformed Cartesian coordinates Map projections Figure 1.3 Atmospheric CO 2 (ppm) geom_point() specifies a scatterplot of points. Notice how you specify the color to use for showing the points. Cartesian. polar Polar coordinates As you will see later, a bar chart (horizontal bars) is simply a histogram (vertical bars), rotated clockwise 90º. This means you can create a histogram and then add one command coord_flip() to flip the coordinates and make it a bar chart. # load the library, which needs to be done each time you start R library(ggplot2) # Select Year(x) and CO2(y) to create a x-y point plot ggplot(carbon,aes(year,co2)) + geom_point() # Specify red points, as you find that aesthetically pleasing ggplot(carbon,aes(year,co2)) + geom_point(color='red') # Add some axes labels # Notice how + is used for commands that extend over one line ggplot(carbon,aes(year,co2)) + geom_point(color='red') + xlab('year') + ylab('co2 ppm of the atmosphere') # Save the graphic as a png ggsave(filename="carbon.png", width=6, height = 3) 6

8 Scale Scales control the visualization of data. It is usually a good idea to have a zero point for the y axis so you don t distort the slope of the line. ggplot(carbon,aes(year,co2)) + geom_point(color='red') + xlab('year') + ylab('co2 ppm of the atmosphere') + ylim(0,400) Figure 1.4 Relative change of atmospheric CO2 The change is less discernible when the zero point is in place, but let s repeat the graph with the relative change. # computer a new column in carbon containing the relative change in CO2 carbon $relco2 = (carbon $CO2-280)/280 ggplot(carbon,aes(year,relco2)) + geom_point(color='red') + xlab('year') + ylab('relative change of atmospheric CO2') + ylim(0,.5) As the prior graphics show, the present level of CO 2 in the atmosphere is about 35 percent higher than the pre-industrial period and is continuing to grow. Legend Axis title Axi tick mark and label Figure 1.5 Elements of a graphic Figure 1.6 Product lines as a histogram 7

9 Guides Axes and legends are both forms of guides, which help the reader to understand a graphic. In ggplot2, legends and axes are generated automatically based on the parameters specified in the ggplot command. You have the capability to override the defaults for axes, but the legend is quite fixed in its format. In the following graphic, for each axis there is a label and there are tick marks, with values so that you convert a point on the graphic to its x and y values. The legend enables you to determine which color, in this case, matches each year. A legend could also use shape (e.g., a diamond) and shape size to aid matching. Some recipes Learning the full power of ggplot2 is quite an undertaking, so here are a few recipes for visualizing data extracted from a database. Histogram Histograms are useful for showing a single column of data, which in statistical terms is termed univariate data. A histogram has a vertical orientation. The number of occurrences of a particular value in a column are automatically counted by the ggplot function. Figure 1.7 Product line as a bar chart # Assume connection as been made as discussed previously d <- dbgetquery(conn,"select productline from Products;") # Plot the number of product lines by specifying the appropriate column name ggplot(d,aes(x=productline)) + # Internal fill color is red geom_histogram(fill='red') Notice how the titles for various categories overlap. If this is the case, it is a good idea to convert to a bar chart, which is just a case of flipping the coordinates. Figure 1.8 Value by month Bar chart A bar chart can be thought of as a histogram turned on its side with some reorientation of the labels. Here are the same data as a bar chart, with a different fill color and font. # Assume connection as been made as discussed previously 8

10 d <- dbgetquery(conn,"select productline from Products;") # Plot the number of product lines by specifying the appropriate column name ggplot(d,aes(x=productline)) + geom_histogram(fill='gold') + # Reorient to horizontal coord_flip() # Save the graphic as a png ggsave(filename="carbon.png", width=6, height = 3) Scatterplot A scatterplot shows points on an x-y grid, which means you need to have an x and y with numeric values. d <- dbgetquery(conn,"select YEAR(orderDate) AS orderyear, MONTH(order- Date) AS Month, sum((quantityordered*priceeach)) AS Value FROM Orders, OrderDetails WHERE Orders.orderNumber = OrderDetails.orderNumber GROUP BY orderyear, Month;") Figure 1.10 A fluctuation plot Figure 1.9 Value by month and year # Assume connection as been made as discussed previously d <- dbgetquery(conn,"select MONTH(orderDate) AS ordermonth, sum((quantityordered*priceeach)) AS ordervalue FROM Orders, OrderDetails WHERE Orders.orderNumber = OrderDetails.orderNumber GROUP BY ordermonth;") # Plot data orders by month # Show the points and the line ggplot(d,aes(x=ordermonth,y=ordervalue)) + geom_point(color='red') + geom_line(color='blue') It is sometimes helpful to show multiple scatterplots on the one grid. In ggplot2, you can create groups of points for plotting. Let s examine grouping by year. # Plot data orders by month and grouped by year # ggplot expects grouping variables to be character, so convert d$year <- as.character(d$orderyear) ggplot(d,aes(x=month,y=value,group=year)) + geom_line(aes(color=year)) + # Format as dollars scale_y_continuous(formatter = "dollar") + # Specify font for labels opts(theme_text(family='georgia')) Fluctuation plots A fluctuation plot visualizes tabular data. It is useful when you have two categorical variables cross tabulated. Consider the case for the ClassicModels database where we want to get an idea of the different # Assume connection as been made as discussed previously 9

11 show points on a Google map. Some of these are one time steps, and others you repeat each time you want to create a new map. Find a database containing geographic data The Offices table in the Classic Models database includes the location of each office in officelocation, which has a datatype of POINT. Get a developer key You need to sign up for a Google maps API key before you can embed a map on your Web page. Usually your instructor will have done this for the class if you are creating a page on your university's Web site. If not, follow the procedures on the sign up page. Figure 1.11 A heat map model scales in each product line. We can get a quick picture with the following code. # Assume connection as been made as discussed previously d <- dbgetquery(conn,"select * from Products;") # Plot product lines ggfluctuation(table(d$productline,d$productscale)) + xlab("scale") + ylab("line") + # Specify font for labels opts(theme_text(family='arial')) # Save the graphic as a png ggsave(filename="carbon.png", width=6, height = 3) We can get a color, rather than size, based plot with # Assume connection as been made as discussed previously # Get the product data d <- dbgetquery(conn,"select * from Products;") # Plot product lines ggfluctuation(table(d$productline,d$productscale),type="color") + xlab("scale") + ylab("line") Geographic data R supports the mapping of geographic data, but Google offers a much richer environment because of the data density of its maps (e.g., roads and satellite views). However, there are a few steps you need to take to Copy the skeleton code into a text editor 11 The following is a mix of HTML, JavaScript, and PHP code that you can execute on any server that supports PHP. You might consider running a version of LAMP, MAMP, or WAMP on your personal computer as this will provide you with both a MySQL and PHP server. Thus, you will avoid the need to get an account on a server to execute the PHP code. If you are new to coding, then don t worry about the fine detail. Just change the bits in blue to match your situation. <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" " <head> <title>classic Models Offices</title> <?php // connect to the database $db = mysql_connect("server","userid","password"); mysql_select_db("database", $db);?> <!-- Google maps key --> <script src=" script> <script type="text/javascript"> // mark a location function createmarker(point,html) { var marker = new GMarker(point); return marker; } // set up the map function initialize() { if (GBrowserIsCompatible()) { 10

12 var map = new GMap2(document.getElementById("map_canvas"),{ size: new GSize(580,400) } ); map.removemaptype(g_hybrid_map); map.setcenter(new GLatLng( , ,0), 1); var mapcontrol = new GMapTypeControl(); map.addcontrol(mapcontrol); map.addcontrol(new GLargeMapControl()); <?php $query="select x(officelocation) AS x, y(officelocation) AS y FROM Offices"; $result1 = mysql_query($query, $db)or die(mysql_error()); // loop to display the markers while(list($x,$y) = mysql_fetch_row($result1)){ echo "\n var point = new GLatLng(".$x.",".$y.");\n"; echo "var marker = createmarker(point,'');\n"; echo "map.addoverlay(marker);\n"; echo "\n"; }?> } } </script> </head> <body onload="initialize()" onunload="gunload()"> <div id="map_canvas" style="width: 580px; height: 300px"></div> </body> </html> Execute the code Read the instructions for the (LMW)AMP package you installed as to where you store the PHP code and how you execute it using a browser. For example, with MAMP you do the following: 1. Store the code as index.php in Applications/MAMP/htdocs 2. Load MAMP 3. Enter as the URL in your browser Summary Because of evolutionary pressure, humans are strong visual processors. Consequently, graphics can be very effective for presenting information. The grammar of graphics provides a logical foundation for the construction of a graphic by adding successive layers of information. ggplot2 is a package implementing the grammar of graphics in R, the open source statistics platform. Data can be extracted from a MySQL database for processing and graphical presentation in R. Spatial data can be selected from a database and displayed on a Google map. Figure 1.12 A Google map Key terms and concepts Grammar of graphics Graph Graphic References Kabacoff, R. I. (2009). R in action: data analysis and graphics with R. Greenwich, CT: Manning Publications. Tufte, E. (1983). The visual display of quantitative information. Cheshire, CT: Graphics Press. 11

13 Wickham, H. (2009). ggplot2: elegant graphics for data analysis. New York: Springer-Verlag New York Inc. Wilkinson, L., & Wills, G. (2005). The grammar of graphics (2nd ed.). New York: Springer. Exercises 1. Visualize in blue the number of items for each product scale. 2. Prepare a line plot with appropriate labels for total payments for each month in Create a histogram with appropriate labels for the value of orders received from the Nordic countries (Denmark, Finland, Norway, Sweden). 4. Create a heatmap for product lines and Norwegian cities. 5. Show on a Google map the customers in France. 6. Show on a Google map the customers in the US who have never placed an order. 12

14 Classic Models database A sample database < is useful for teaching SQL. The MySQL code to create the database is available from < Related Glossary Terms Drag related terms here Index Find Term Chapter 1 - Data Visualization

15 CSV A comma-separated values (CSV) file is a simple text file in which each row of a spreadsheet or record of a database table is one line. Fields are separated by commas. Related Glossary Terms Drag related terms here Index Find Term Chapter 1 - Data Visualization

16 Ggplot2 An R extension for graphics < See Wickham, H. (2009). ggplot2: elegant graphics for data analysis: Springer-Verlag New York Inc. Related Glossary Terms Drag related terms here Index Find Term Chapter 1 - Data Visualization

17 Google maps API An application programming interface (API) for embedding Google Maps into applications. See < Related Glossary Terms Drag related terms here Index Find Term Chapter 1 - Data Visualization

18 Grammar for graphics Wilkinson, L., & Wills, G. (2005). The grammar of graphics (2nd ed.). New York: Springer. Related Glossary Terms Drag related terms here Index Find Term Chapter 1 - Data Visualization

19 R An open source statistical package. See < For a list of colors you can use in R, see < Related Glossary Terms Drag related terms here Index Find Term Chapter 1 - Data Visualization

20 Regular expression Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Related Glossary Terms Drag related terms here Index Find Term

21 Rstudio A graphical user interface (GUI) for R. See rstudio.org. Related Glossary Terms Drag related terms here Index Find Term Chapter 1 - Data Visualization

Email Creator Coding Guidelines Toolbox

Email Creator Coding Guidelines Toolbox Email Creator Coding Guidelines Toolbox The following information is needed when coding your own template from html to be imported into the Email Creator. You will need basic html and css knowledge for

More information

Desktop Publishing (DTP)

Desktop Publishing (DTP) Desktop Publishing (DTP) ICHS Graphic Communication What is it? Desktop Publishing is what graphic designers would use to produce work which requires organization of text, images and style. Desktop Publishing

More information

www.xad.com Creative GUIDELINES

www.xad.com Creative GUIDELINES www.xad.com Creative GUIDELINES General Guidelines Required Assets For best results, please provide fully editable assets. FILES Design Files - Layered PSD (Photoshop) / Layered PNG (Fireworks) Fonts -

More information

The Future of Ticketing: Solutions for Museums of All Sizes

The Future of Ticketing: Solutions for Museums of All Sizes The Future of Ticketing: Solutions for Museums of All Sizes May 21, 2014 Lord Cultural Resources Creating Cultural Capital STRATEGIC QUESTIONS Should museums have queues? How could a strategic approach

More information

Thesis Format Guidelines. Department of Curriculum and Instruction Purdue University

Thesis Format Guidelines. Department of Curriculum and Instruction Purdue University Thesis Format Guidelines Department of Curriculum and Instruction Purdue University 2 Overview All theses must be prepared according to both departmental format requirements and University format requirements,

More information

Responsive Email Design

Responsive Email Design Responsive Email Design For the Hospitality Industry By Arek Klauza, Linda Tran & Carrie Messmore February 2013 Responsive Email Design There has been a lot of chatter in recent months in regards to Responsive

More information

franchise applications

franchise applications using this style guide business card stationery PowerPoint RFP cover fax coversheet e-mail signature grammar style building signage trucks boxes yellow pages marketing materials web sites 1 business card

More information

Bill Pay Marketing Program Campaign Guide

Bill Pay Marketing Program Campaign Guide Bill Pay Marketing Program Campaign Guide This guide provides details on each of the creative components in this campaign, including the target audience, timing, placement, and sample images. SEASONAL

More information

How to Extend your Identity Management Systems to use OAuth

How to Extend your Identity Management Systems to use OAuth How to Extend your Identity Management Systems to use OAuth THE LEADER IN API AND CLOUD GATEWAY TECHNOLOGY How to extend your Identity Management Systems to use OAuth OAuth Overview The basic model of

More information

Visualization with Excel Tools and Microsoft Azure

Visualization with Excel Tools and Microsoft Azure Visualization with Excel Tools and Microsoft Azure Introduction Power Query and Power Map are add-ins that are available as free downloads from Microsoft to enhance the data access and data visualization

More information

MicroStrategy Desktop

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

More information

Cincinnati State Admissions UX Design 06.02.14

Cincinnati State Admissions UX Design 06.02.14 Cincinnati State Admissions UX Design 06.0.4 About This Document This documents seeks to establish high level requirements for functionality and UI. It suggests content and ways to accommodate content.

More information

CONTENTS. 03 BRAND IDENTITY 04 Logo 06 Wordmark 07 Graphic Element 08 Logo Usage 13 Logo Elements

CONTENTS. 03 BRAND IDENTITY 04 Logo 06 Wordmark 07 Graphic Element 08 Logo Usage 13 Logo Elements GRAPHIC STANDARDS 1 CONTENTS 2 03 BRAND IDENTITY 04 Logo 06 Wordmark 07 Graphic Element 08 Logo Usage 13 Logo Elements 14 SUPPORTING ELEMENTS 15 Color Specifications 16 Typography 17 Layout & Photography

More information

EVENT PLANNING MYTHBUSTER. Building Pre-event Engagement: How to Make an Email Invite

EVENT PLANNING MYTHBUSTER. Building Pre-event Engagement: How to Make an Email Invite EVENT PLANNING MYTHBUSTER Building Pre-event Engagement: How to Make an Email Invite YOUR STEP BY STEP GUIDE In reality, most events begin months before the doors open on the first day. The internet is

More information

English. Italiano. Français

English. Italiano. Français Annex 2b - UN Visual Identity Manual - updated 31.07.2014 UN-EXPO MILANO 2015 LOGO BOOK English Italiano Français LOGO BOOK Annex 2b - UN Visual Identity Manual - updated 31.07.2014 UN-EXPO MILANO 2015

More information

Using the Google Maps API for Flow Visualization Where on Earth is my Data?

Using the Google Maps API for Flow Visualization Where on Earth is my Data? Using the Google Maps API for Flow Visualization Where on Earth is my Data? Sid Faber Network Situational Awareness Group sfaber@cert.org 1 Agenda Step 1: Extracting Flow Data Step 2: Geolocation Step

More information

Black-Red XML Template

Black-Red XML Template Black-Red XML Template by artibaj Flash version: CS5 ActionScript version: 3.0 This template site is an Flash (AS3) fully XML driven website template that allows you to modify the whole content without

More information

5/12/2011. Promoting Your Web Site and Search Engine Optimization. Roger Lipera. Interactive Media Center. http://libraryalbany.

5/12/2011. Promoting Your Web Site and Search Engine Optimization. Roger Lipera. Interactive Media Center. http://libraryalbany. Promoting Your Web Site and Search Engine Optimization Define the Goals for Your Web site Questions that Web designers ask http://libraryalbany.edu Define the Goals for Your Web site Define the Goals for

More information

8 Ways Marketing Automation Can Expand Your Search Marketing Practice. 8 Ways Marketing Automation Can Expand Your Search Marketing Practice 1

8 Ways Marketing Automation Can Expand Your Search Marketing Practice. 8 Ways Marketing Automation Can Expand Your Search Marketing Practice 1 8 Ways Marketing Automation Can Expand Your Search Marketing Practice 8 Ways Marketing Automation Can Expand Your Search Marketing Practice 1 If you re already good at search marketing M arketing automation

More information

Visualization Quick Guide

Visualization Quick Guide Visualization Quick Guide A best practice guide to help you find the right visualization for your data WHAT IS DOMO? Domo is a new form of business intelligence (BI) unlike anything before an executive

More information

I WORK FOR UX PORTFOLIO GUIDANCE

I WORK FOR UX PORTFOLIO GUIDANCE I WORK FOR UX PORTFOLIO GUIDANCE CONTENTS INTRODUCTION 3 THE DESIGN OF YOUR PORTFOLIO 4 UX DELIVERABLES CLIENTS WANT TO SEE 8 TIPS 14 ABOUT ZEBRA PEOPLE 15 INTRODUCTION Viewing, sending and receiving feedback

More information

Jan 28 th, 2015 FREE Webinar by

Jan 28 th, 2015 FREE Webinar by Google Analytics Data Mining with R (includes 3 Real Applications) Jan 28 th, 2015 FREE Webinar by 1/28/2015 1 Our Speakers Kushan Shah Maintainer of RGoogleAnalytics Library & Web Analyst at Tatvic @

More information

CAA NEWS 15,000 VISUAL ART PROFESSIONALS REACH EVERY WEEK MEDIA KIT

CAA NEWS 15,000 VISUAL ART PROFESSIONALS REACH EVERY WEEK MEDIA KIT REACH 15,000 MEDIA KIT VISUAL ART PROFESSIONALS EVERY WEEK CAA NEWS A MANY WAYS TO DELIVER YOUR MESSAGE B TO THIS MARKET C G F ADVERTISING OPTIONS A E LEADERBOARD This premier position provides your company

More information

Practicing Law with a Virtual Law Office

Practicing Law with a Virtual Law Office Practicing Law with a Virtual Law Office presented by Stephanie Kimbro, MA, JD Attorney, Kimbro Legal Services Technology Consultant, Total Attorneys Greensboro Bar March 29, 2011 Overview Part One: Introduction

More information

DMA MARKETING BRIEF B2C DIRECT MARKETING PROFESSIONALS EVERY WEEK MEDIA KIT

DMA MARKETING BRIEF B2C DIRECT MARKETING PROFESSIONALS EVERY WEEK MEDIA KIT REACH62,000 MEDIA KIT B2C DIRECT MARKETING PROFESSIONALS EVERY WEEK DMA MARKETING BRIEF A C B MANY WAYS TO DELIVER YOUR MESSAGE TO THIS MARKET F A ADVERTISING OPTIONS LEADERBOARD This premier position

More information

Visualization Software

Visualization Software Visualization Software Maneesh Agrawala CS 294-10: Visualization Fall 2007 Assignment 1b: Deconstruction & Redesign Due before class on Sep 12, 2007 1 Assignment 2: Creating Visualizations Use existing

More information

MetroBoston DataCommon Training

MetroBoston DataCommon Training MetroBoston DataCommon Training Whether you are a data novice or an expert researcher, the MetroBoston DataCommon can help you get the information you need to learn more about your community, understand

More information

Website Style Guide 2014

Website Style Guide 2014 Website Style Guide 2014 Contents 3 Color / Pallette 29-30 Images / Tablet & Mobile Icons 4 Page Templates / List 31 Images / What Not to Do 5 Typography / Fonts 32 Portal / Image Specifications 6-7 Typography

More information

Plotting: Customizing the Graph

Plotting: Customizing the Graph Plotting: Customizing the Graph Data Plots: General Tips Making a Data Plot Active Within a graph layer, only one data plot can be active. A data plot must be set active before you can use the Data Selector

More information

There are various ways to find data using the Hennepin County GIS Open Data site:

There are various ways to find data using the Hennepin County GIS Open Data site: Finding Data There are various ways to find data using the Hennepin County GIS Open Data site: Type in a subject or keyword in the search bar at the top of the page and press the Enter key or click the

More information

Studying Topography, Orographic Rainfall, and Ecosystems (STORE)

Studying Topography, Orographic Rainfall, and Ecosystems (STORE) Studying Topography, Orographic Rainfall, and Ecosystems (STORE) Basic Lesson 3: Using Microsoft Excel to Analyze Weather Data: Topography and Temperature Introduction This lesson uses NCDC data to compare

More information

<Insert Picture Here>

<Insert Picture Here> Designing the Oracle Store with Oracle Application Express Marc Sewtz Software Development Manager Oracle Application Express Oracle USA Inc. 540 Madison Avenue,

More information

Practical Example: Building Reports for Bugzilla

Practical Example: Building Reports for Bugzilla Practical Example: Building Reports for Bugzilla We have seen all the components of building reports with BIRT. By this time, we are now familiar with how to navigate the Eclipse BIRT Report Designer perspective,

More information

Create interactive web graphics out of your SAS or R datasets

Create interactive web graphics out of your SAS or R datasets Paper CS07 Create interactive web graphics out of your SAS or R datasets Patrick René Warnat, HMS Analytical Software GmbH, Heidelberg, Germany ABSTRACT Several commercial software products allow the creation

More information

User Guide. Analytics Desktop Document Number: 09619414

User Guide. Analytics Desktop Document Number: 09619414 User Guide Analytics Desktop Document Number: 09619414 CONTENTS Guide Overview Description of this guide... ix What s new in this guide...x 1. Getting Started with Analytics Desktop Introduction... 1

More information

ArcGIS online Introduction... 2. Module 1: How to create a basic map on ArcGIS online... 3. Creating a public account with ArcGIS online...

ArcGIS online Introduction... 2. Module 1: How to create a basic map on ArcGIS online... 3. Creating a public account with ArcGIS online... Table of Contents ArcGIS online Introduction... 2 Module 1: How to create a basic map on ArcGIS online... 3 Creating a public account with ArcGIS online... 3 Opening a Map, Adding a Basemap and then Saving

More information

SAS BI Dashboard 3.1. User s Guide

SAS BI Dashboard 3.1. User s Guide SAS BI Dashboard 3.1 User s Guide The correct bibliographic citation for this manual is as follows: SAS Institute Inc. 2007. SAS BI Dashboard 3.1: User s Guide. Cary, NC: SAS Institute Inc. SAS BI Dashboard

More information

Sisense. Product Highlights. www.sisense.com

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

More information

Branding Guidelines CONEXPO Latin America, Inc. 2013 10-1657 (Rev-1) 08.2010 1

Branding Guidelines CONEXPO Latin America, Inc. 2013 10-1657 (Rev-1) 08.2010 1 Branding Guidelines CONEXPO Latin America, Inc. 2013 10-1657 (Rev-1) 08.2010 1 UNDERSTANDING THE BRAND CONEXPO Latin America AEM sets the global standard in the organization and operation of high quality

More information

Visual Novelization and Data Retrival

Visual Novelization and Data Retrival An Extended Framework for Visualizing the Data from Both Local Databases and Semantic Web Databases Wei Shi, Bin Piao and Yuzuru Tanaka Meme Media Laboratory, Hokkaido University West8. North13, Kita-ku,

More information

Modern Web Apps with HTML5 Web Components, Polymer, and Java EE MVC 1.0. Kito Mann (@kito99), Virtua, Inc.

Modern Web Apps with HTML5 Web Components, Polymer, and Java EE MVC 1.0. Kito Mann (@kito99), Virtua, Inc. Modern Web Apps with HTML5 Web Components, Polymer, and Java EE MVC 1.0 Kito Mann (@kito99), Virtua, Inc. Kito D. Mann (@kito99) Principal Consultant at Virtua (http://www.virtua.com) Training, consulting,

More information

Appy Kids: The Best Apps for Pre-Schoolers

Appy Kids: The Best Apps for Pre-Schoolers Appy Kids: The Best Apps for Pre-Schoolers By Dr Kristy Goodwin INTRODUCTION Literacy Creativity Maths Play Science All About the Author Dr Kristy Goodwin, Director, Every Chance to Learn I help confused

More information

R Graphics Cookbook. Chang O'REILLY. Winston. Tokyo. Beijing Cambridge. Farnham Koln Sebastopol

R Graphics Cookbook. Chang O'REILLY. Winston. Tokyo. Beijing Cambridge. Farnham Koln Sebastopol R Graphics Cookbook Winston Chang Beijing Cambridge Farnham Koln Sebastopol O'REILLY Tokyo Table of Contents Preface ix 1. R Basics 1 1.1. Installing a Package 1 1.2. Loading a Package 2 1.3. Loading a

More information

DKAN. Data Warehousing, Visualization, and Mapping

DKAN. Data Warehousing, Visualization, and Mapping DKAN Data Warehousing, Visualization, and Mapping Acknowledgements We d like to acknowledge the NuCivic team, led by Andrew Hoppin, which has done amazing work creating open source tools to make data available

More information

Data Visualization in R

Data Visualization in R Data Visualization in R L. Torgo ltorgo@fc.up.pt Faculdade de Ciências / LIAAD-INESC TEC, LA Universidade do Porto Oct, 2014 Introduction Motivation for Data Visualization Humans are outstanding at detecting

More information

Visualizing Historical Agricultural Data: The Current State of the Art Irwin Anolik (USDA National Agricultural Statistics Service)

Visualizing Historical Agricultural Data: The Current State of the Art Irwin Anolik (USDA National Agricultural Statistics Service) Visualizing Historical Agricultural Data: The Current State of the Art Irwin Anolik (USDA National Agricultural Statistics Service) Abstract This paper reports on methods implemented at the National Agricultural

More information

TIBCO Spotfire Business Author Essentials Quick Reference Guide. Table of contents:

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

More information

What s new in TIBCO Spotfire 6.5

What s new in TIBCO Spotfire 6.5 What s new in TIBCO Spotfire 6.5 Contents Introduction... 3 TIBCO Spotfire Analyst... 3 Location Analytics... 3 Support for adding new map layer from WMS Server... 3 Map projections systems support...

More information

BIRT: A Field Guide to Reporting

BIRT: A Field Guide to Reporting BIRT: A Field Guide to Reporting x:.-. ^ 11 Diana Peh Alethea Hannemann Nola Hague AAddison-Wesley Upper Saddle River, NJ Boston Indianapolis San Francisco New York Toronto Montreal London Munich Parts

More information

Introduction to HTML/XHTML Handout Companion to the Interactive Media Center s Online Tutorial

Introduction to HTML/XHTML Handout Companion to the Interactive Media Center s Online Tutorial 518 442-3608 Introduction to HTML/XHTML Handout Companion to the s Online Tutorial This document is the handout version of the s online tutorial Introduction to HTML/XHTML. It may be found at html_tut/.

More information

Identity Guidelines. by SMARTBEAR

Identity Guidelines. by SMARTBEAR Identity Guidelines version 1.0 nov 2 2012 Conteents SmartBear Corporate Identity Guide Contents 3...Introduction 4... Brand Architecture 5... The SmartBear Brand 6-7... Sub-Brand Family 8... Why and How

More information

Data representation and analysis in Excel

Data representation and analysis in Excel Page 1 Data representation and analysis in Excel Let s Get Started! This course will teach you how to analyze data and make charts in Excel so that the data may be represented in a visual way that reflects

More information

MicroStrategy Analytics Express User Guide

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...

More information

SOFT DRINKS. Demo General Report. Report Monthly Oct 30, 2013 - Nov 28, 2013

SOFT DRINKS. Demo General Report. Report Monthly Oct 30, 2013 - Nov 28, 2013 Report Monthly Oct 3, 213 - Nov 28, 213 Sep 3, 213 - Oct 29, 213 (Comparison) "Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua.

More information

G563 Quantitative Paleontology. SQL databases. An introduction. Department of Geological Sciences Indiana University. (c) 2012, P.

G563 Quantitative Paleontology. SQL databases. An introduction. Department of Geological Sciences Indiana University. (c) 2012, P. SQL databases An introduction AMP: Apache, mysql, PHP This installations installs the Apache webserver, the PHP scripting language, and the mysql database on your computer: Apache: runs in the background

More information

Getting Started with R and RStudio 1

Getting Started with R and RStudio 1 Getting Started with R and RStudio 1 1 What is R? R is a system for statistical computation and graphics. It is the statistical system that is used in Mathematics 241, Engineering Statistics, for the following

More information

Turning Data into Information Tools, Tips, and Training

Turning Data into Information Tools, Tips, and Training A Summer Series Sponsored by Erin Gore, Institutional Data Council Chair; Berkeley Policy Analysts Roundtable, Business Process Analysis Working Group (BPAWG) and Cal Assessment Network (CAN) Web Data

More information

CSU, Fresno - Institutional Research, Assessment and Planning - Dmitri Rogulkin

CSU, Fresno - Institutional Research, Assessment and Planning - Dmitri Rogulkin My presentation is about data visualization. How to use visual graphs and charts in order to explore data, discover meaning and report findings. The goal is to show that visual displays can be very effective

More information

Overview. The following section serves as a guide in applying advertising to market the country at a national or international level.

Overview. The following section serves as a guide in applying advertising to market the country at a national or international level. Advertising Overview The following section serves as a guide in applying advertising to market the country at a national or international level. The Brand South Africa logo is known as the primary brand

More information

5 Correlation and Data Exploration

5 Correlation and Data Exploration 5 Correlation and Data Exploration Correlation In Unit 3, we did some correlation analyses of data from studies related to the acquisition order and acquisition difficulty of English morphemes by both

More information

SAS BI Dashboard 4.3. User's Guide. SAS Documentation

SAS BI Dashboard 4.3. User's Guide. SAS Documentation SAS BI Dashboard 4.3 User's Guide SAS Documentation The correct bibliographic citation for this manual is as follows: SAS Institute Inc. 2010. SAS BI Dashboard 4.3: User s Guide. Cary, NC: SAS Institute

More information

Spotfire v6 New Features. TIBCO Spotfire Delta Training Jumpstart

Spotfire v6 New Features. TIBCO Spotfire Delta Training Jumpstart Spotfire v6 New Features TIBCO Spotfire Delta Training Jumpstart Map charts New map chart Layers control Navigation control Interaction mode control Scale Web map Creating a map chart Layers are added

More information

Scatter Chart. Segmented Bar Chart. Overlay Chart

Scatter Chart. Segmented Bar Chart. Overlay Chart Data Visualization Using Java and VRML Lingxiao Li, Art Barnes, SAS Institute Inc., Cary, NC ABSTRACT Java and VRML (Virtual Reality Modeling Language) are tools with tremendous potential for creating

More information

Introduction to Microsoft Excel 2007/2010

Introduction to Microsoft Excel 2007/2010 to Microsoft Excel 2007/2010 Abstract: Microsoft Excel is one of the most powerful and widely used spreadsheet applications available today. Excel's functionality and popularity have made it an essential

More information

IE Class Web Design Curriculum

IE Class Web Design Curriculum Course Outline Web Technologies 130.279 IE Class Web Design Curriculum Unit 1: Foundations s The Foundation lessons will provide students with a general understanding of computers, how the internet works,

More information

Drawing a histogram using Excel

Drawing a histogram using Excel Drawing a histogram using Excel STEP 1: Examine the data to decide how many class intervals you need and what the class boundaries should be. (In an assignment you may be told what class boundaries to

More information

STATGRAPHICS Online. Statistical Analysis and Data Visualization System. Revised 6/21/2012. Copyright 2012 by StatPoint Technologies, Inc.

STATGRAPHICS Online. Statistical Analysis and Data Visualization System. Revised 6/21/2012. Copyright 2012 by StatPoint Technologies, Inc. STATGRAPHICS Online Statistical Analysis and Data Visualization System Revised 6/21/2012 Copyright 2012 by StatPoint Technologies, Inc. All rights reserved. Table of Contents Introduction... 1 Chapter

More information

Principles of Data Visualization for Exploratory Data Analysis. Renee M. P. Teate. SYS 6023 Cognitive Systems Engineering April 28, 2015

Principles of Data Visualization for Exploratory Data Analysis. Renee M. P. Teate. SYS 6023 Cognitive Systems Engineering April 28, 2015 Principles of Data Visualization for Exploratory Data Analysis Renee M. P. Teate SYS 6023 Cognitive Systems Engineering April 28, 2015 Introduction Exploratory Data Analysis (EDA) is the phase of analysis

More information

University at Albany Graphic Identity Manual

University at Albany Graphic Identity Manual University at Albany Identity Guidelines 1 University at Albany Graphic Identity Manual Version 4.0 (Updated 01/11) University at Albany Graphic Identity Manual 1 Contents 1 Introduction 1.1 The World

More information

Intro to Excel spreadsheets

Intro to Excel spreadsheets Intro to Excel spreadsheets What are the objectives of this document? The objectives of document are: 1. Familiarize you with what a spreadsheet is, how it works, and what its capabilities are; 2. Using

More information

How To Use Databook On A Microsoft Powerbook (Robert Birt) On A Pc Or Macbook 2 (For Macbook)

How To Use Databook On A Microsoft Powerbook (Robert Birt) On A Pc Or Macbook 2 (For Macbook) DataBook 1.1 First steps Congratulations! You downloaded DataBook, a powerful data visualization and navigation tool for relational databases from REVER. For Windows, after installing the program, launch

More information

CREATING EXCEL PIVOT TABLES AND PIVOT CHARTS FOR LIBRARY QUESTIONNAIRE RESULTS

CREATING EXCEL PIVOT TABLES AND PIVOT CHARTS FOR LIBRARY QUESTIONNAIRE RESULTS CREATING EXCEL PIVOT TABLES AND PIVOT CHARTS FOR LIBRARY QUESTIONNAIRE RESULTS An Excel Pivot Table is an interactive table that summarizes large amounts of data. It allows the user to view and manipulate

More information

Hierarchical Clustering Analysis

Hierarchical Clustering Analysis Hierarchical Clustering Analysis What is Hierarchical Clustering? Hierarchical clustering is used to group similar objects into clusters. In the beginning, each row and/or column is considered a cluster.

More information

KaleidaGraph Quick Start Guide

KaleidaGraph Quick Start Guide KaleidaGraph Quick Start Guide This document is a hands-on guide that walks you through the use of KaleidaGraph. You will probably want to print this guide and then start your exploration of the product.

More information

Getting started with qplot

Getting started with qplot Chapter 2 Getting started with qplot 2.1 Introduction In this chapter, you will learn to make a wide variety of plots with your first ggplot2 function, qplot(), short for quick plot. qplot makes it easy

More information

SA-1 SMOKE ALARM installation & user guide

SA-1 SMOKE ALARM installation & user guide SA-1 SMOKE ALARM installation & user guide SA-1 Smoke Alarm A smoke alarm is an excellent safety device and with the IT Watchdogs SA-1, not only will you have the usual audible alarm signal if something

More information

Tutorial 3: Graphics and Exploratory Data Analysis in R Jason Pienaar and Tom Miller

Tutorial 3: Graphics and Exploratory Data Analysis in R Jason Pienaar and Tom Miller Tutorial 3: Graphics and Exploratory Data Analysis in R Jason Pienaar and Tom Miller Getting to know the data An important first step before performing any kind of statistical analysis is to familiarize

More information

6 th Annual EclipseCon Introduction to BIRT Report Development. John Ward

6 th Annual EclipseCon Introduction to BIRT Report Development. John Ward 6 th Annual EclipseCon Introduction to BIRT Report Development John Ward BIRT and Us Who am I? Who are you? Who am I? John Ward, BIRT user Independent BIRT Enthusiast Author: Practical Data Analysis and

More information

Microsoft Excel 2010 Pivot Tables

Microsoft Excel 2010 Pivot Tables Microsoft Excel 2010 Pivot Tables Email: training@health.ufl.edu Web Page: http://training.health.ufl.edu Microsoft Excel 2010: Pivot Tables 1.5 hours Topics include data groupings, pivot tables, pivot

More information

What you can do:...3 Data Entry:...3 Drillhole Sample Data:...5 Cross Sections and Level Plans...8 3D Visualization...11

What you can do:...3 Data Entry:...3 Drillhole Sample Data:...5 Cross Sections and Level Plans...8 3D Visualization...11 What you can do:...3 Data Entry:...3 Drillhole Sample Data:...5 Cross Sections and Level Plans...8 3D Visualization...11 W elcome to North Face Software s software. With this software, you can accomplish

More information

Scientific data visualization

Scientific data visualization Scientific data visualization Using ggplot2 Sacha Epskamp University of Amsterdam Department of Psychological Methods 11-04-2014 Hadley Wickham Hadley Wickham Evolution of data visualization Scientific

More information

ABSTRACT INTRODUCTION EXERCISE 1: EXPLORING THE USER INTERFACE GRAPH GALLERY

ABSTRACT INTRODUCTION EXERCISE 1: EXPLORING THE USER INTERFACE GRAPH GALLERY Statistical Graphics for Clinical Research Using ODS Graphics Designer Wei Cheng, Isis Pharmaceuticals, Inc., Carlsbad, CA Sanjay Matange, SAS Institute, Cary, NC ABSTRACT Statistical graphics play an

More information

Starting User Guide 11/29/2011

Starting User Guide 11/29/2011 Table of Content Starting User Guide... 1 Register... 2 Create a new site... 3 Using a Template... 3 From a RSS feed... 5 From Scratch... 5 Edit a site... 6 In a few words... 6 In details... 6 Components

More information

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 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

More information

Plots, Curve-Fitting, and Data Modeling in Microsoft Excel

Plots, Curve-Fitting, and Data Modeling in Microsoft Excel Plots, Curve-Fitting, and Data Modeling in Microsoft Excel This handout offers some tips on making nice plots of data collected in your lab experiments, as well as instruction on how to use the built-in

More information

Report Builder. Microsoft SQL Server is great for storing departmental or company data. It is. A Quick Guide to. In association with

Report Builder. Microsoft SQL Server is great for storing departmental or company data. It is. A Quick Guide to. In association with In association with A Quick Guide to Report Builder Simon Jones explains how to put business information into the hands of your employees thanks to Report Builder Microsoft SQL Server is great for storing

More information

Chapter 4 Creating Charts and Graphs

Chapter 4 Creating Charts and Graphs Calc Guide Chapter 4 OpenOffice.org Copyright This document is Copyright 2006 by its contributors as listed in the section titled Authors. You can distribute it and/or modify it under the terms of either

More information

Market Pricing Override

Market Pricing Override Market Pricing Override MARKET PRICING OVERRIDE Market Pricing: Copy Override Market price overrides can be copied from one match year to another Market Price Override can be accessed from the Job Matches

More information

How To Draw A Pie Chart On Google Charts On A Computer Or Tablet Or Ipad Or Ipa Or Ipam Or Ipar Or Iporom Or Iperom Or Macodeo Or Iproom Or Gorgonchart On A

How To Draw A Pie Chart On Google Charts On A Computer Or Tablet Or Ipad Or Ipa Or Ipam Or Ipar Or Iporom Or Iperom Or Macodeo Or Iproom Or Gorgonchart On A Google Charts Tool For Visualization Week 7 Report Ankush Arora Last Updated: June 28,2014 CONTENTS Contents 1 Introduction To Google Charts 1 2 Quick Start With an Example 2 3 Loading the Libraries 4

More information

Tutorial 2 Online and offline Ship Visualization tool Table of Contents

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

More information

Diagrams and Graphs of Statistical Data

Diagrams and Graphs of Statistical Data Diagrams and Graphs of Statistical Data One of the most effective and interesting alternative way in which a statistical data may be presented is through diagrams and graphs. There are several ways in

More information

Chapter 6: Constructing and Interpreting Graphic Displays of Behavioral Data

Chapter 6: Constructing and Interpreting Graphic Displays of Behavioral Data Chapter 6: Constructing and Interpreting Graphic Displays of Behavioral Data Chapter Focus Questions What are the benefits of graphic display and visual analysis of behavioral data? What are the fundamental

More information

Introduction Course in SPSS - Evening 1

Introduction Course in SPSS - Evening 1 ETH Zürich Seminar für Statistik Introduction Course in SPSS - Evening 1 Seminar für Statistik, ETH Zürich All data used during the course can be downloaded from the following ftp server: ftp://stat.ethz.ch/u/sfs/spsskurs/

More information

Adaptive Enterprise Solutions

Adaptive Enterprise Solutions Reporting User Guide Adaptive Enterprise Solutions 8401 Colesville Road Suite 450 Silver Spring, MD 20910 800.237.9785 Toll Free 301.589.3434 Voice 301.589.9254 Fax www.adsystech.com Version 5 THIS USER

More information

Fireworks CS4 Tutorial Part 1: Intro

Fireworks CS4 Tutorial Part 1: Intro Fireworks CS4 Tutorial Part 1: Intro This Adobe Fireworks CS4 Tutorial will help you familiarize yourself with this image editing software and help you create a layout for a website. Fireworks CS4 is the

More information

Information Literacy Program

Information Literacy Program Information Literacy Program Excel (2013) Advanced Charts 2015 ANU Library anulib.anu.edu.au/training ilp@anu.edu.au Table of Contents Excel (2013) Advanced Charts Overview of charts... 1 Create a chart...

More information

http://bco-dmo.org Go to: http://usjgofs.whoi.edu/jg/dir/jgofs/ URL: http://usjgofs.whoi.edu/jg/serv/jgofs/arabian/inventory.html0

http://bco-dmo.org Go to: http://usjgofs.whoi.edu/jg/dir/jgofs/ URL: http://usjgofs.whoi.edu/jg/serv/jgofs/arabian/inventory.html0 http://bco-dmo.org DATA ACCESS TUTORIAL 2012 OCB PI Summer Workshop Data access: catalog browse scenario 1: you are a former US JGOFS or US GLOBEC researcher, and you know what data you are looking for

More information

Utilizing spatial information systems for non-spatial-data analysis

Utilizing spatial information systems for non-spatial-data analysis Jointly published by Akadémiai Kiadó, Budapest Scientometrics, and Kluwer Academic Publishers, Dordrecht Vol. 51, No. 3 (2001) 563 571 Utilizing spatial information systems for non-spatial-data analysis

More information

Figure 1. An embedded chart on a worksheet.

Figure 1. An embedded chart on a worksheet. 8. Excel Charts and Analysis ToolPak Charts, also known as graphs, have been an integral part of spreadsheets since the early days of Lotus 1-2-3. Charting features have improved significantly over the

More information

An Open-Architecture GIS Component for Creating Multiband Traffic Density Maps

An Open-Architecture GIS Component for Creating Multiband Traffic Density Maps An Open-Architecture GIS Component for Creating Multiband Traffic Density Maps October 15, 2012 INFORMS Annual Meeting Phoenix, AZ David Hunt (presenting author) Francis Julian Ming Lu Marc Meketon Carl

More information