Lab 3 - Part A. R Graphics Fundamentals & Scatter Plots

Size: px
Start display at page:

Download "Lab 3 - Part A. R Graphics Fundamentals & Scatter Plots"

Transcription

1 Lab 3 - Part A R Graphics Fundamentals & Scatter Plots In this lab, you will learn how to generate customized publication-quality graphs in R. Working with R graphics can be done as a stepwise process. Rather than customizing a default graph, you start with a blank canvas, and then add the elements of the graph that you want. You may layer multiple graphs on top of each other (e.g. with different axis scales), or next to each other. We will focus on scatter plots in this lab, because they are actually quite suitable for the presentation of multivariate data (see second part of this lab). Also they are the essential plot type for all kinds of multivariate ordinations and bi-plots. Rather than relying on the default output of multivariate procedures, you will learn to select the elements that you want to display, and customize the graph with symbols and colors, and sizes 3.1. Import and view scatter plot data Set yourself up as usual: (1) copy an empty workspace (e.g. StartR.Rdata) from a previous lab into your working directory (e.g. C:/Lab3/), (2) open R by double clicking StartR.Rdata, (3) in R, from the menu, create and save a new script file (e.g. Lab5.r). Enter the dataset below in Excel and save it as a CSV file (e.g. Scatter.csv ), or download the dataset from the course website. ID SPEC ECOSYS DBH VOL DENSITY AGE 1 Spec1 Ecosys Spec2 Ecosys Spec1 Ecosys Spec2 Ecosys Spec2 Ecosys Spec1 Ecosys Spec2 Ecosys Spec1 Ecosys Now let s import the data with this familiar code. dat1=read.csv("scatter.csv") # import data head(dat1) # check if it imported correctly fix(dat1) # view the entire dataset if you like, then close the table attach(dat1) # sets this dataset as default As a reminder, the basic plot command has the syntax plot(x,y) or plot(y~x), which will give you the same output. ~ always means as a function of. Let s try: plot(density~vol) Right-click on the graph and choose Copy as metafile, then paste the graph into Word. Then click on the graph in Word, grab it in the corner and reduce it to ½ of the page width an appropriate size for the information it contains.

2 Does it look like the graph on the right? Font sizes and graph elements are way too small for a thesis- or publication-quality graph. We have to change a few things and customize font sizes, symbol sizes, etc Setting the global graphics parameters An easy way to control font and symbol sizes and the overall look of your graphs is to set a number of graphics parameters that apply to all subsequent plots. First, we ll create a clean slate with the graphics.off() command. This closes all previous graphics windows and resets all graphics parameters to the default. Next you specify the graphics window size with the windows() command. For a simple square scatter, a canvas size of 5 x5 is a good choice. Then, we may want to specify a few other global parameters: cex is a parameter that controls the size of all graph elements (normally keep the default 1, but try some values between 0.7 to 1.3). ps is a global control of the font size of all text elements (the default 12 is fine, but you can try some values between 8 to 16). The parameter family selects the font type (try: sans, serif, or mono ), and mar specifies size of the margins (bottom,left,top,right). The default is 5, but try reducing the upper and right margins, where we don t have labels, to 3: graphics.off() windows(width=5, height=5) par (cex=1, ps=12, family="sans", mar=c(5,5,3,3)) plot(density~vol) Right-click the new graph and choose Copy as metafile, then paste the graph into Word. Again, reduce the graph to ½ of the page width. This does look a bit better now. Effectively, we just reduced the canvas size, and that makes all graph elements appear a relatively larger. Controlling your canvas size is one of the most important tools to scale your final graphs. This global scaling is much preferred over controlling individual graph elements. So, that is the basic set-up. It s a good idea to always program these three lines at the beginning and whenever you execute a subsequent graphics plot. Highlight everything from the graphics.off() function to your plot command when creating a plot. In the next sections, I am not repeating this code, but I assume that you always execute these three lines as well.

3 3.3. Building the graph with individual elements The way graphics customization work in R is that you first you take out the items that you actually want to change. We want to customize the data points (gone with type="n") the axes (gone with axes=f), and the axis labels (gone with ann=f). Instead of removing both axes, you can also get rid of the x and y axes individually (xaxt="n" or yaxt="n"). You can define the exact extent of your coordinate system with xlim and ylim. (otherwise the scale is determined by the range of each data series). The following statement leaves us with a completely blank canvas, You would only do this if you want to customize absolutely everything, which we will do for the purpose of this exercise: plot(density~vol, type="n", axes=f, ann=f, xlim=c(0.4,1.2), ylim=c(0.4,0.8)) First, let s bring the axis back in. Axis 1 is the x-axis, axis 2 the y-axis, and you can add axes 3 and 4 and the top and right if you need to. at specifies where you want your tickmarks. You can create this vector with a seq command (from, to, interval) or simply list the numbers inside a vector c(). tcl specifies the tickmark length. Negative numbers give you tick marks to the outside. Duplicate the axis command with positive and negative tickmark length to have the tick marks cross the axis. las (values between 0 and 3) rotates your tick mark labels, which we do for the y-axis. axis(1, at=seq(0.4, 1.2, 0.2), tcl=-0.3) axis(2, at=c(0.4, 0.6, 0.8), tcl=-0.3, las=1) You can modify your tick mark labels, which may come handy if you want to replace, say 1, 2, 3 with Jan, Feb, Mar, and you can place the labels between tick marks. Try these two options instead of the axis 1 command above: axis(1, at=c(0.4, 0.8, 1.2), labels=c("jan","feb","mar"), tcl=-0.3) or: axis(1, at=c(0.4, 0.8, 1.2), labels=c("","",""), tcl=-0.3) axis(1, at=c(0.6, 1), labels=c("jan","feb"), tcl=0) Let s add a title and axis labels. You can get special characters by holding down the Alt-Key on the keyboard, then enter the ASCII Code, then release the Alt-Key get s you ³. Google for the three digit ASCII Code of the four digit Windows ALT code for any other symbol or special character. Alternatively, you can also use expressions for symbols, math, or super- and subscripts, etc. title(ylab="density (g/cm³)", xlab="volume (m³)", main="wood") or: title(ylab=expression(italic(d)[wood]~(g/cm^3)), xlab=expression( sqrt(volume~(m^3))), main = "Wood") You can control the font type and size of the labels and titles with font.lab, font.main, cex.lab, and cex.main. Font options are: 1=Regular, 2=Bold, 3=Italic, 4=Bold Italic, and cex typically has a useful range from 0.7 to 1.3 (+/- 30%). Try to add cex.main=0.8 to the title statement above. Finally, let s get the data points back with a points() command. pch specifys the symbol and cex controls the size of the symbol. Try: o, O, *, +, numbers for solid symbols, numbers for symbols with a background (see the reference sheet on the next page). points(density~vol, pch=16, cex=1) You can add data with more points() commands. The data may come from the same or from different tables that you import. The code below creates some more data and adds it to the graph. VOL2=c(0.5,0.7,0.8,0.9) DENSITY2=c(0.62,0.58,0.54,0.52) points(density2~vol2, pch=21)

4 We can also add a legend, now that we have two data series. The first two numbers specify the y and x coordinates where we want to place the legend. Then, we repeat our symbol types (pch), symbol size (cex) and add a description (legend). legend(0.8~0.9, pch=c(16,21), cex=0.8,legend=c("site 1","Site 2")) Voila, this is a nicely customized scientific graph! Just as a note, you can also keep the box and/or add grid lines with abline at particular horizontal (h) and vertical (v) positions. You can control all line elements with line type: lty, (1 to 6) and line weight: lwd (1 to 4). Try this code (which does make this particular plot a little too busy) box() # outer box abline(v=0.8, h=0.6, lty=2) # single line abline(v=c(0.6, 1), h=c(0.5, 0.7), lty=2) # multiple lines OK, this is the complete toolkit for building publication-quality black-and-white graphs in R. The same principles apply to all other graph types. Keep this customization cheat-sheet handy: las= 1,2,3,4 (flips x and y axis labels)

5 3.4. Adding functions, text and arrows You can add any function with the curve command (but you have to develop the functions first, which we ll learn later). There are arrow commands (with the syntax: from x, from y, to x, to y) to point things out. Similarly, text commands with the syntax: (x, y, text ), let you add add notes or equations. Below, some sample code to try out. plot(density~vol) 1. curve(-0.32*x+0.91, add=t, lty=2) text(0.9,0.7,"y=-0.32*x+0.91") 2. curve(0.585*x^-0.4, add=t, lty=2) text(0.9,0.7,"y=0.58x^-0.4") arrows(0.85,0.69, 0.8,0.65, length=0.1) 3. arrows(0.85,0.69, 0.8,0.65, length=0) 4. plot(density~vol, log="x") curve(-0.32*x+0.91, add=t, lty=2) text(0.9,0.7,"y=-0.32*x+0.91") arrows(0.85,0.69, 0.8,0.66, length=0.1) 3.5. Log scales Below the lazy example for exploring log scales a bit more without importing a new dataset (1:100 simply makes a graph of x/y points with 100 points from 1/1 to 100/100): 1. plot(1:100, xlab="x", ylab="y") 2. plot(1:100, log="y", xlab="x", ylab="y") 3. plot(1:100, log="y", yaxt="n", xlab="x", ylab="y") axis(2, at=c(1,10,100)) 4. plot(1:64, log="x", xaxt="n", xlab="x", ylab="y") axis(1, at=c(1,2,4,8,16,32,64)) 5. plot(1:100, log="xy", axes=f, xlab="x", ylab="y") axis(1, at=c(1,10,100)) axis(2, at=c(1,10,100)) box()

6 3.6. Exporting data for presentations, documents or publications There are several options to save your graphs: If you want a quick record of your graph, R allows you to save a low-res image for informal record keeping: save the file in the lossless PNG format (not in JPG format, which is more suitable for photos rather than graphics). Those graphs are also good enough for presentations and websites. Click on the header bar of your graph, then choose File > Save as > PNG. Or you can run the command saveplot("myplot.png", type="png"), while the plot is open. A better option to generate high-quality vector graphics for Word and PowerPoint documents is via Windows metafiles. Right-click your graph, choose Copy as Metafile, then paste into Word. Alternatively you can save Enhanced Windows Metafiles with saveplot("myplot.emf", type="emf"), and drag the files into Word and Powerpoint. Because vector graphics are a set of instructions rather than an image, sometimes the graph may not be rendered correctly with odd fonts, or wrong symbols. If that s the case, see the alternative for working with high resolution image files below. Another good vector graphics format that is often preferred by publishing companies, and compatible with professional layout programs is PDF. This format is also preferred by scientific journals for publications. Save through the menu, or execute saveplot("myplot.pdf", type="pdf") Publishers will use the file to transfer vector graphics directly in the paper. Vector graphics combine maximal quality with the smallest possible file size. If you want better-quality images for presentations and websites, it helps to first create a PDF and subsequently create a screenshot from the PDF. Display your graph in Adobe Reader in the size that you would like the final image, hit the PrtScn key, open Microsoft Paint, hit Ctrl-V to paste the screen shot, mark the area of the graph with the Select tool, then hit Crop, and finally save your image in PNG format. This takes advantage of R s superb PDF rendering engine. You will get nicer graphics for your presentations and websites with this method (compare this with the first option side by side). Finally, if you have Adobe Acrobat Professional, you can generate high-resolution image files for Word documents by saving PNG files at high resolution: File > Save as > Image > PNG, which you can embed into a word document. Don t forget to turn-off automatic compression in Word, first: File > Save as > Tools > Compress Pictures > Options > Uncheck Automatically perform compression. That may be an alternative, if the vector graphics don t work as desired Touching-up graphics in external programs You can touch-up your Windows Enhanced Metafile graphs in PowerPoint. Import the graph to Powerpoint, right-click, choose Ungroup > Yes, repeat the Ungroup a second time, delete the outer frame to get access to the graph elements below. You can now edit the text and move, color, or delete any element. The professional option is to save your R graphics as PDF files, and then edit them in Adobe Illustrator, which is installed on the lab computers. Again, before you can do anything you have to Ungroup, which is done with <CTRL><A> to select all elements, then choosing from the menu Object > Clipping Mask > Release. After that it s much like PowerPoint but with more options. Finally, for low-resolution web and presentation purposes, you can use Microsoft Paint (or more advanced image editors like Adobe Photoshop), but these only work with images not vector files. Open the low or high resolution PNGs, and add, copy, paste or move elements such as legends, labels, titles, etc. The fill-tool is great to re-color elements, and the eraser is handy to remove superfluous labels or elements, which would be hard to program in R.

7 Lab 3 - Part B Plots with high data-to-ink ratio Key to good graphics is a high data-to-ink ratio. Rather than showing the audience six graphs with little information, you want to show them one graph with all the information and tell your scientific story around this graph. Multivariate statistical methods can help, but first, try to use colors, symbols, and symbol sizes in creative ways to accomplish this. A combination of multivariate analysis, and clever but simple-tounderstand graphs is often most effective. Many of the better scientific journals will require this kind of creative and concise presentation of quantitative data Colors in R Set yourself up with a script file in R as usual, load the dataset from the previous lab (Scatter.csv), and create this empty plot: graphics.off() windows(width=5, height=5) par (cex=1, ps=12, family="sans", mar=c(5,5,2,2)) plot(density~vol, pch=16, col="red") A number of symbols (pch=21 to 25) can take separate color values for outline and fill. Try: plot(density~vol, pch=21, col="blue", bg="red") R understands 657 color names. You can see all color names with the command colors(), and you can search color names with the grep() command. The example below returns all color names that contain the search string yellow : colors() colors()[grep("yellow",colors())] You can also mix any color out of the basic colors (red, green, blue). The amount of each color that you use for mixing is defined by 16 bits, which gives you 256 shades for each of the basic colors (00 means nothing and FF means pour all the paint in you got). Actually, you are really mixing light, hence: "#FFFF00" full red + full green + no blue = yellow. Try out this handy color reference: plot(density~vol, pch=21, col="#0066dd", bg="#66ffff") An alternative to hexadecimal codes that also allows for transparency (4 th value). All values are between zero and one: col=rgb(0.2,0.5,0.2,0.7) R can generate vectors of any length of such colors based on built-in color ramps: rainbow(8) heat.colors(3) topo.colors(6) cm.colors(4)

8 Good color choices are important for any scientific graph. Colors can be used to represent quantities, categories, and highlight contrasting data. There are corresponding color palettes that provide you with sequential, qualitative, or dichromatic colors. I recommend that you use RColorBrewer to pick colors for all of your project graphs, which provides more choices than the built-in color palettes. Install the package RColorBrewer and run the following three commands. The first loads the library, the second shows you the available color palettes, and the third will get you four colors from the Dark2 palette that could, for example, be used to color a bar chart. If you need more than the maximum of 11 colors, you can expand the ramp by interpolating intermediate colors with the last command, which generates a ramp of 50 colors from an the initial series of 11 or 3 base colors: library(rcolorbrewer) display.brewer.all() brewer.pal(4,"dark2") colorramppalette(brewer.pal(11,"brbg"))(50) colorramppalette(c("green","yellow","red"))(50) 3.9. Multivatiate bubble plots Next, let s create an empty plot and use colors and sizes in a more sophisticated way to add information to your graph: graphics.off() windows(width=4, height=4) par (cex=1, ps=12, family="sans", mar=c(5,5,2,2)) plot(density~vol, type="n", xlim=c(0.5,1.1), ylim= c(0.5,0.8)) To explore the size range that we want the symbols to be, we can play with the cex= parameter: points(density~vol, cex=0.8) points(density~vol, cex=2.8) Let s say we are happy with the 0.8 to 2.8 range. Now we have to transform the scaling variable to represent that range. Let s say we want age represented by the size of circles. First we get age range, then the scale range. That gives us a conversion factor by dividing the age range by the scale range. Finally, we have to add a constant to have the minimum age correspond to 0.8, the minimum value we want on our cex scale. max(age)-min(age) # age range # cex scale range (cf=8/2) # conversion factor (c=0.8-min(age)/cf) # constant The syntax for the color scale is simple. We choose a symbol with a background that can be colored (pch=21). The background color command is bg=heat.colors(12)[dbh], which means background=color-ramp(number of colors)[color criteria]. I simply choose 12 for the maximum DBH, but you could scale this properly with a conversion factor and constant exactly as for size, explained above. Our command for scaled and colored dots is therefore: points(density~vol, cex=age/cf+c, pch=21, bg=heat.colors(12)[dbh])

9 3.10. Multivatiate scatter plots for groups You can also use class variables to visualize treatments, sampling locations, or any other categorical variable (e.g. males vs. females), or perhaps groups that you determined through cluster analysis. The syntax is similar, here we use pch=c(21,23)[spec]: means: symbol=c(vector of symbols)[criteria for symbols], and we use a different color ramp for the three ecosystems: points(density~vol, cex=age/4-4.45, pch=c(21,23)[spec], bg=terrain.colors(3)[ecosys]) Now we are displaying five variables in a simple scatter plot (Density, Volume, Age, Species, and Ecosystem). This is what Edward Tufte means by a high data-to-ink ratio in his book on graphical excellence. You can tell a story around this graph: Density is negatively correlated to volume. This relationship does not appear to be influenced by tree age, and holds across different ecosystems. Trees in the high elevation ecosystem (white) have generally higher density and lower volume than at mid and lower elevation (brown and green, respectively). The relationship also holds true across two species, one occurring mostly at higher elevation (spec 1) and the other mostly at lower elevations (spec 2). It s a lot more effective to tell your story around a single graphical representation, than to overwhelm the audience or reader with a sequence of separate bar graphs, scatter plots, and/or tables. This also gives you an edge in journal submissions (usually restricting yourself to symbols, sizes, and greyscales), where space is always at a premium Legends There are no automatic legends in R, which is inconvenient. On the plus side, you can create any legend you like completely independently from the data. The general syntax and the code for the above graph is: legend (position in graph (y~x), size (optional), no box (optional), pch/lty vector of symbols or line types (first column, required), col/bg/lwd vector of colors, background colors, and/or line weights (optional), legend vector of text labels (second column, required)) legend(0.8~0.9, cex=0.8, bty="n", pch=c(15,15,15,21,23,15), col=c("#00a600","#ecb176","#dddddd","black","black","white"), legend=c("ecosys 1","Ecosys 2","Ecosys 3","Spec 1","Spec 2","Size=Age")) You also have to position the legend within the graph, which doesn t always work well. I find it convenient to copy and paste a metafile of just the legend and just the graph to Powerpoint, ungroup each once, and then move the legend to the right place there (see sub-section 3 above for details).

10 5.12. Panels of multiple graphs Another way to increase information density are multipanel graphs. This is particularly suitable for publications in regular scientific journals, where you don t always have the luxury of using colors. We already used this to place several histograms side-by-side for comparison in a previous lab. Specify how many rows and columns you would like in your global parameter statement with mfrow (rows,columns). You also need to make the window a bit bigger now (e.g. 6x6 for 2x2 graphs or 9 x6 for 3x2 graphs). Subsequently, add your plot statements: graphics.off() windows(width=9, height=6) par (mar=c(5,5,3,3), mfrow=c(2,3)) plot(density~vol); plot(density~age); plot(density~dbh) plot(age~vol); plot(age~dbh); plot(vol~dbh) The real space savings come if you can re-use your axes for multiple graphs. This works as long as you have the same x-axes in columns and same y axes in rows, e.g. if you compare data collected from different sites, different years, which would be indicated as the title in each sub-plot. Set the margins of your individual graphs to zero (with mar), remove the redundant axes (with xaxt and yaxt), and add an outer margin (with oma). You can place x and y axis lables for multiple axes in the outer margin with mtext. Usually, you have to adjust the position of the labels horizontally and/or vertically with padj and adj, which can take positive or negative numbers. Typically, you also want to take control of xlim, ylim and tickmarks (with axes). If you have time on your hands you can try to replicate the figure on the right). graphics.off() windows(width=5, height=5) par (mar=c(0,0,0,0), oma=c(5,5,3,3), mfrow=c(2,2)) plot(density~vol, xaxt="n", ylab="density (g/m³)") text(0.8,0.73, "Cochrane") plot(density~vol, xaxt="n", yaxt="n") text(0.8,0.73, "Banff") plot(density~vol) text(0.8,0.73, "Cranbrook") plot(density~vol, yaxt="n") text(0.8,0.73, "Nelson") mtext("volume (m³)", side=1, outer=t, padj=4) mtext("density (g/cm³)", side=2, outer=t, padj=-4)

Graphics #1. R Graphics Fundamentals & Scatter Plots

Graphics #1. R Graphics Fundamentals & Scatter Plots Graphics #1. R Graphics Fundamentals & Scatter Plots In this lab, you will learn how to generate customized publication-quality graphs in R. Working with R graphics can be done as a stepwise process. Rather

More information

Plotting Complex Figures Using R. Simon Andrews v

Plotting Complex Figures Using R. Simon Andrews v Plotting Complex Figures Using R Simon Andrews simon.andrews@babraham.ac.uk v2017-11 The R Painters Model Plot area Base plot Overlays Core Graph Types Local options to change a specific plot Global options

More information

Hacking FlowJo VX. 42 Time-Saving FlowJo Shortcuts To Help You Get Your Data Published No Matter What Flow Cytometer It Came From

Hacking FlowJo VX. 42 Time-Saving FlowJo Shortcuts To Help You Get Your Data Published No Matter What Flow Cytometer It Came From Hacking FlowJo VX 42 Time-Saving FlowJo Shortcuts To Help You Get Your Data Published No Matter What Flow Cytometer It Came From Contents 1. Change the default name of your files. 2. Edit your workspace

More information

How to use Excel Spreadsheets for Graphing

How to use Excel Spreadsheets for Graphing How to use Excel Spreadsheets for Graphing 1. Click on the Excel Program on the Desktop 2. You will notice that a screen similar to the above screen comes up. A spreadsheet is divided into Columns (A,

More information

Excel Tips and FAQs - MS 2010

Excel Tips and FAQs - MS 2010 BIOL 211D Excel Tips and FAQs - MS 2010 Remember to save frequently! Part I. Managing and Summarizing Data NOTE IN EXCEL 2010, THERE ARE A NUMBER OF WAYS TO DO THE CORRECT THING! FAQ1: How do I sort my

More information

ENV Laboratory 2: Graphing

ENV Laboratory 2: Graphing Name: Date: Introduction It is often said that a picture is worth 1,000 words, or for scientists we might rephrase it to say that a graph is worth 1,000 words. Graphs are most often used to express data

More information

The first thing we ll need is some numbers. I m going to use the set of times and drug concentration levels in a patient s bloodstream given below.

The first thing we ll need is some numbers. I m going to use the set of times and drug concentration levels in a patient s bloodstream given below. Graphing in Excel featuring Excel 2007 1 A spreadsheet can be a powerful tool for analyzing and graphing data, but it works completely differently from the graphing calculator that you re used to. If you

More information

AA BB CC DD EE. Introduction to Graphics in R

AA BB CC DD EE. Introduction to Graphics in R Introduction to Graphics in R Cori Mar 7/10/18 ### Reading in the data dat

More information

IGCSE ICT Section 16 Presentation Authoring

IGCSE ICT Section 16 Presentation Authoring IGCSE ICT Section 16 Presentation Authoring Mr Nicholls Cairo English School P a g e 1 Contents Importing text to create slides Page 4 Manually creating slides.. Page 5 Removing blank slides. Page 5 Changing

More information

Graphics - Part III: Basic Graphics Continued

Graphics - Part III: Basic Graphics Continued Graphics - Part III: Basic Graphics Continued Statistics 135 Autumn 2005 Copyright c 2005 by Mark E. Irwin Highway MPG 20 25 30 35 40 45 50 y^i e i = y i y^i 2000 2500 3000 3500 4000 Car Weight Copyright

More information

HOUR 12. Adding a Chart

HOUR 12. Adding a Chart HOUR 12 Adding a Chart The highlights of this hour are as follows: Reasons for using a chart The chart elements The chart types How to create charts with the Chart Wizard How to work with charts How to

More information

WORD Creating Objects: Tables, Charts and More

WORD Creating Objects: Tables, Charts and More WORD 2007 Creating Objects: Tables, Charts and More Microsoft Office 2007 TABLE OF CONTENTS TABLES... 1 TABLE LAYOUT... 1 TABLE DESIGN... 2 CHARTS... 4 PICTURES AND DRAWINGS... 8 USING DRAWINGS... 8 Drawing

More information

Intro to R Graphics Center for Social Science Computation and Research, 2010 Stephanie Lee, Dept of Sociology, University of Washington

Intro to R Graphics Center for Social Science Computation and Research, 2010 Stephanie Lee, Dept of Sociology, University of Washington Intro to R Graphics Center for Social Science Computation and Research, 2010 Stephanie Lee, Dept of Sociology, University of Washington Class Outline - The R Environment and Graphics Engine - Basic Graphs

More information

Configuring Figure Regions with prepplot Ulrike Grömping 03 April 2018

Configuring Figure Regions with prepplot Ulrike Grömping 03 April 2018 Configuring Figure Regions with prepplot Ulrike Grömping 3 April 218 Contents 1 Purpose and concept of package prepplot 1 2 Overview of possibilities 2 2.1 Scope.................................................

More information

On the Web sun.com/aboutsun/comm_invest STAROFFICE 8 DRAW

On the Web sun.com/aboutsun/comm_invest STAROFFICE 8 DRAW STAROFFICE 8 DRAW Graphics They say a picture is worth a thousand words. Pictures are often used along with our words for good reason. They help communicate our thoughts. They give extra information that

More information

Types of Plotting Functions. Managing graphics devices. Further High-level Plotting Functions. The plot() Function

Types of Plotting Functions. Managing graphics devices. Further High-level Plotting Functions. The plot() Function 3 / 23 5 / 23 Outline The R Statistical Environment R Graphics Peter Dalgaard Department of Biostatistics University of Copenhagen January 16, 29 1 / 23 2 / 23 Overview Standard R Graphics The standard

More information

Fertilizer Dry Moist Wet Fertilizer Dry Moist Wet Control Control N N P P NP NP 9 8 7

Fertilizer Dry Moist Wet Fertilizer Dry Moist Wet Control Control N N P P NP NP 9 8 7 Part 6 Bar Plots & Dot Plots Bar and dot plots are used in two ways: (1) to display proportions of categories, and (2) to compare class means, i.e. experimental treatments or sampling sites. In either

More information

You are to turn in the following three graphs at the beginning of class on Wednesday, January 21.

You are to turn in the following three graphs at the beginning of class on Wednesday, January 21. Computer Tools for Data Analysis & Presentation Graphs All public machines on campus are now equipped with Word 2010 and Excel 2010. Although fancier graphical and statistical analysis programs exist,

More information

Excel 2013 Intermediate

Excel 2013 Intermediate Instructor s Excel 2013 Tutorial 2 - Charts Excel 2013 Intermediate 103-124 Unit 2 - Charts Quick Links Chart Concepts Page EX197 EX199 EX200 Selecting Source Data Pages EX198 EX234 EX237 Creating a Chart

More information

= 3 + (5*4) + (1/2)*(4/2)^2.

= 3 + (5*4) + (1/2)*(4/2)^2. Physics 100 Lab 1: Use of a Spreadsheet to Analyze Data by Kenneth Hahn and Michael Goggin In this lab you will learn how to enter data into a spreadsheet and to manipulate the data in meaningful ways.

More information

Numbers Basics Website:

Numbers Basics Website: Website: http://etc.usf.edu/te/ Numbers is Apple's new spreadsheet application. It is installed as part of the iwork suite, which also includes the word processing program Pages and the presentation program

More information

Models for Nurses: Quadratic Model ( ) Linear Model Dx ( ) x Models for Doctors:

Models for Nurses: Quadratic Model ( ) Linear Model Dx ( ) x Models for Doctors: The goal of this technology assignment is to graph several formulas in Excel. This assignment assumes that you using Excel 2007. The formula you will graph is a rational function formed from two polynomials,

More information

Excel Basics Rice Digital Media Commons Guide Written for Microsoft Excel 2010 Windows Edition by Eric Miller

Excel Basics Rice Digital Media Commons Guide Written for Microsoft Excel 2010 Windows Edition by Eric Miller Excel Basics Rice Digital Media Commons Guide Written for Microsoft Excel 2010 Windows Edition by Eric Miller Table of Contents Introduction!... 1 Part 1: Entering Data!... 2 1.a: Typing!... 2 1.b: Editing

More information

Lastly, in case you don t already know this, and don t have Excel on your computers, you can get it for free through IT s website under software.

Lastly, in case you don t already know this, and don t have Excel on your computers, you can get it for free through IT s website under software. Welcome to Basic Excel, presented by STEM Gateway as part of the Essential Academic Skills Enhancement, or EASE, workshop series. Before we begin, I want to make sure we are clear that this is by no means

More information

Lab 1. Introduction to R & SAS. R is free, open-source software. Get it here:

Lab 1. Introduction to R & SAS. R is free, open-source software. Get it here: Lab 1. Introduction to R & SAS R is free, open-source software. Get it here: http://tinyurl.com/yfet8mj for your own computer. 1.1. Using R like a calculator Open R and type these commands into the R Console

More information

Pre-Lab Excel Problem

Pre-Lab Excel Problem Pre-Lab Excel Problem Read and follow the instructions carefully! Below you are given a problem which you are to solve using Excel. If you have not used the Excel spreadsheet a limited tutorial is given

More information

Introduction To Inkscape Creating Custom Graphics For Websites, Displays & Lessons

Introduction To Inkscape Creating Custom Graphics For Websites, Displays & Lessons Introduction To Inkscape Creating Custom Graphics For Websites, Displays & Lessons The Inkscape Program Inkscape is a free, but very powerful vector graphics program. Available for all computer formats

More information

Graphing on Excel. Open Excel (2013). The first screen you will see looks like this (it varies slightly, depending on the version):

Graphing on Excel. Open Excel (2013). The first screen you will see looks like this (it varies slightly, depending on the version): Graphing on Excel Open Excel (2013). The first screen you will see looks like this (it varies slightly, depending on the version): The first step is to organize your data in columns. Suppose you obtain

More information

Designing & Creating your GIS Poster

Designing & Creating your GIS Poster Designing & Creating your GIS Poster Revised by Carolyn Talmadge, 11/26/2018 First think about your audience and purpose, then design your poster! Here are instructions for setting up your poster using

More information

Publication-quality figures with Inkscape

Publication-quality figures with Inkscape Publication-quality figures with Inkscape In Lab 3 we briefly learnt about the different formats available to save the plots we create in R and how to modify them in PowerPoint and Adobe Illustrator. Today

More information

Exercise 1: Introduction to MapInfo

Exercise 1: Introduction to MapInfo Geog 578 Exercise 1: Introduction to MapInfo Page: 1/22 Geog 578: GIS Applications Exercise 1: Introduction to MapInfo Assigned on January 25 th, 2006 Due on February 1 st, 2006 Total Points: 10 0. Convention

More information

Creating a Basic Chart in Excel 2007

Creating a Basic Chart in Excel 2007 Creating a Basic Chart in Excel 2007 A chart is a pictorial representation of the data you enter in a worksheet. Often, a chart can be a more descriptive way of representing your data. As a result, those

More information

BioFuel Graphing instructions using Microsoft Excel 2003 (Microsoft Excel 2007 instructions start on page mei-7)

BioFuel Graphing instructions using Microsoft Excel 2003 (Microsoft Excel 2007 instructions start on page mei-7) BioFuel Graphing instructions using Microsoft Excel 2003 (Microsoft Excel 2007 instructions start on page mei-7) Graph as a XY Scatter Chart, add titles for chart and axes, remove gridlines. A. Select

More information

0 Graphical Analysis Use of Excel

0 Graphical Analysis Use of Excel Lab 0 Graphical Analysis Use of Excel What You Need To Know: This lab is to familiarize you with the graphing ability of excels. You will be plotting data set, curve fitting and using error bars on the

More information

Lab1: Use of Word and Excel

Lab1: Use of Word and Excel Dr. Fritz Wilhelm; physics 230 Lab1: Use of Word and Excel Page 1 of 9 Lab partners: Download this page onto your computer. Also download the template file which you can use whenever you start your lab

More information

Excel 2007 Fundamentals

Excel 2007 Fundamentals Excel 2007 Fundamentals Introduction The aim of this document is to introduce some basic techniques for using Excel to enter data, perform calculations and produce simple charts based on that information.

More information

Photoshop tutorial: Final Product in Photoshop:

Photoshop tutorial: Final Product in Photoshop: Disclaimer: There are many, many ways to approach web design. This tutorial is neither the most cutting-edge nor most efficient. Instead, this tutorial is set-up to show you as many functions in Photoshop

More information

Dealing with Data in Excel 2013/2016

Dealing with Data in Excel 2013/2016 Dealing with Data in Excel 2013/2016 Excel provides the ability to do computations and graphing of data. Here we provide the basics and some advanced capabilities available in Excel that are useful for

More information

Microsoft Office PowerPoint 2013 Courses 24 Hours

Microsoft Office PowerPoint 2013 Courses 24 Hours Microsoft Office PowerPoint 2013 Courses 24 Hours COURSE OUTLINES FOUNDATION LEVEL COURSE OUTLINE Using PowerPoint 2013 Opening PowerPoint 2013 Opening a Presentation Navigating between Slides Using the

More information

FRONTPAGE STEP BY STEP GUIDE

FRONTPAGE STEP BY STEP GUIDE IGCSE ICT SECTION 15 WEB AUTHORING FRONTPAGE STEP BY STEP GUIDE Mark Nicholls ICT lounge P a g e 1 Contents Introduction to this unit.... Page 4 How to open FrontPage..... Page 4 The FrontPage Menu Bar...Page

More information

Graphing Interface Overview

Graphing Interface Overview Graphing Interface Overview Note: This document is a reference for using JFree Charts. JFree Charts is m-power s legacy graphing solution, and has been deprecated. JFree Charts have been replace with Fusion

More information

Following a tour is the easiest way to learn Prism.

Following a tour is the easiest way to learn Prism. Page 1 of 25 A tour of Prism Following a tour is the easiest way to learn Prism. View a movie Watch and listen to a ten minute introductory movie from Prism's Welcome dialog. Or view it on the web. Read

More information

Using Microsoft Word. Working With Objects

Using Microsoft Word. Working With Objects Using Microsoft Word Many Word documents will require elements that were created in programs other than Word, such as the picture to the right. Nontext elements in a document are referred to as Objects

More information

Intermediate Excel Training Course Content

Intermediate Excel Training Course Content Intermediate Excel Training Course Content Lesson Page 1 Absolute Cell Addressing 2 Using Absolute References 2 Naming Cells and Ranges 2 Using the Create Method to Name Cells 3 Data Consolidation 3 Consolidating

More information

Homework 1 Excel Basics

Homework 1 Excel Basics Homework 1 Excel Basics Excel is a software program that is used to organize information, perform calculations, and create visual displays of the information. When you start up Excel, you will see the

More information

Creating a Website Using Weebly.com (June 26, 2017 Update)

Creating a Website Using Weebly.com (June 26, 2017 Update) Creating a Website Using Weebly.com (June 26, 2017 Update) Weebly.com is a website where anyone with basic word processing skills can create a website at no cost. No special software is required and there

More information

Part II: Creating Visio Drawings

Part II: Creating Visio Drawings 128 Part II: Creating Visio Drawings Figure 5-3: Use any of five alignment styles where appropriate. Figure 5-4: Vertical alignment places your text at the top, bottom, or middle of a text block. You could

More information

Creating a data file and entering data

Creating a data file and entering data 4 Creating a data file and entering data There are a number of stages in the process of setting up a data file and analysing the data. The flow chart shown on the next page outlines the main steps that

More information

Select the Points You ll Use. Tech Assignment: Find a Quadratic Function for College Costs

Select the Points You ll Use. Tech Assignment: Find a Quadratic Function for College Costs In this technology assignment, you will find a quadratic function that passes through three of the points on each of the scatter plots you created in an earlier technology assignment. You will need the

More information

SHOW ME THE NUMBERS: DESIGNING YOUR OWN DATA VISUALIZATIONS PEPFAR Applied Learning Summit September 2017 A. Chafetz

SHOW ME THE NUMBERS: DESIGNING YOUR OWN DATA VISUALIZATIONS PEPFAR Applied Learning Summit September 2017 A. Chafetz SHOW ME THE NUMBERS: DESIGNING YOUR OWN DATA VISUALIZATIONS PEPFAR Applied Learning Summit September 2017 A. Chafetz Overview In order to prepare for the upcoming POART, you need to look into testing as

More information

SES123 Computer Methods Lab Procedures

SES123 Computer Methods Lab Procedures SES123 Computer Methods Lab Procedures Introduction Science and engineering commonly involve numerical calculations, graphs, photographic images, and various types of figures. In this lab, you will use

More information

1 Introduction to Using Excel Spreadsheets

1 Introduction to Using Excel Spreadsheets Survey of Math: Excel Spreadsheet Guide (for Excel 2007) Page 1 of 6 1 Introduction to Using Excel Spreadsheets This section of the guide is based on the file (a faux grade sheet created for messing with)

More information

Microsoft Excel 2007

Microsoft Excel 2007 Learning computers is Show ezy Microsoft Excel 2007 301 Excel screen, toolbars, views, sheets, and uses for Excel 2005-8 Steve Slisar 2005-8 COPYRIGHT: The copyright for this publication is owned by Steve

More information

Activity: page 1/10 Introduction to Excel. Getting Started

Activity: page 1/10 Introduction to Excel. Getting Started Activity: page 1/10 Introduction to Excel Excel is a computer spreadsheet program. Spreadsheets are convenient to use for entering and analyzing data. Although Excel has many capabilities for analyzing

More information

StitchGraph User Guide V1.8

StitchGraph User Guide V1.8 StitchGraph User Guide V1.8 Thanks for buying StitchGraph: the easy way to create stitch layouts for hardanger and other complex embroidery stitch types. StitchGraph is intended to allow you to create

More information

Chapter 2 Assignment (due Thursday, April 19)

Chapter 2 Assignment (due Thursday, April 19) (due Thursday, April 19) Introduction: The purpose of this assignment is to analyze data sets by creating histograms and scatterplots. You will use the STATDISK program for both. Therefore, you should

More information

SETTINGS AND WORKSPACE

SETTINGS AND WORKSPACE ADOBE ILLUSTRATOR Adobe Illustrator is a program used to create vector illustrations / graphics (.ai/.eps/.svg). These graphics will then be used for logos, banners, infographics, flyers... in print and

More information

ENGL 323: Writing for New Media Repurposing Content for the Web Part Two

ENGL 323: Writing for New Media Repurposing Content for the Web Part Two ENGL 323: Writing for New Media Repurposing Content for the Web Part Two Dr. Michael Little michaellittle@kings.edu Hafey-Marian 418 x5917 Using Color to Establish Visual Hierarchies Color is useful in

More information

animation, and what interface elements the Flash editor contains to help you create and control your animation.

animation, and what interface elements the Flash editor contains to help you create and control your animation. e r ch02.fm Page 43 Wednesday, November 15, 2000 8:52 AM c h a p t 2 Animating the Page IN THIS CHAPTER Timelines and Frames Movement Tweening Shape Tweening Fading Recap Advanced Projects You have totally

More information

QDA Miner. Addendum v2.0

QDA Miner. Addendum v2.0 QDA Miner Addendum v2.0 QDA Miner is an easy-to-use qualitative analysis software for coding, annotating, retrieving and reviewing coded data and documents such as open-ended responses, customer comments,

More information

Introduction to the workbook and spreadsheet

Introduction to the workbook and spreadsheet Excel Tutorial To make the most of this tutorial I suggest you follow through it while sitting in front of a computer with Microsoft Excel running. This will allow you to try things out as you follow along.

More information

Animating the Page IN THIS CHAPTER. Timelines and Frames

Animating the Page IN THIS CHAPTER. Timelines and Frames e r ch02.fm Page 41 Friday, September 17, 1999 10:45 AM c h a p t 2 Animating the Page IN THIS CHAPTER Timelines and Frames Movement Tweening Shape Tweening Fading Recap Advanced Projects You have totally

More information

Math 227 EXCEL / MEGASTAT Guide

Math 227 EXCEL / MEGASTAT Guide Math 227 EXCEL / MEGASTAT Guide Introduction Introduction: Ch2: Frequency Distributions and Graphs Construct Frequency Distributions and various types of graphs: Histograms, Polygons, Pie Charts, Stem-and-Leaf

More information

IMC Innovate Make Create center

IMC Innovate Make Create center IMC Innovate Make Create center http://library.albany.edu/imc/ 518 442-3607 Tips for preparing landscape charts, images, tables & pages for the Electronic Submission of a Dissertation Including page number

More information

Stamina Software Pty Ltd. TRAINING MANUAL Viságe BIT VIEWER

Stamina Software Pty Ltd. TRAINING MANUAL Viságe BIT VIEWER Stamina Software Pty Ltd TRAINING MANUAL Viságe BIT VIEWER Version: 3 31 st October 2011 Viságe BIT Viewer TABLE OF CONTENTS VISÁGE BIT VIEWER... 2 ELEMENTS OF THE VISÁGE BIT VIEWER SCREEN... 3 TITLE...

More information

Introduction to Excel Workshop

Introduction to Excel Workshop Introduction to Excel Workshop Empirical Reasoning Center June 6, 2016 1 Important Terminology 1. Rows are identified by numbers. 2. Columns are identified by letters. 3. Cells are identified by the row-column

More information

A Step-by-step guide to creating a Professional PowerPoint Presentation

A Step-by-step guide to creating a Professional PowerPoint Presentation Quick introduction to Microsoft PowerPoint A Step-by-step guide to creating a Professional PowerPoint Presentation Created by Cruse Control creative services Tel +44 (0) 1923 842 295 training@crusecontrol.com

More information

Rockefeller College MPA Excel Workshop: Clinton Impeachment Data Example

Rockefeller College MPA Excel Workshop: Clinton Impeachment Data Example Rockefeller College MPA Excel Workshop: Clinton Impeachment Data Example This exercise is a follow-up to the MPA admissions example used in the Excel Workshop. This document contains detailed solutions

More information

Excel Spreadsheets and Graphs

Excel Spreadsheets and Graphs Excel Spreadsheets and Graphs Spreadsheets are useful for making tables and graphs and for doing repeated calculations on a set of data. A blank spreadsheet consists of a number of cells (just blank spaces

More information

SAMLab Tip Sheet #5 Creating Graphs

SAMLab Tip Sheet #5 Creating Graphs Creating Graphs The purpose of this tip sheet is to provide a basic demonstration of how to create graphs with Excel. Excel can generate a wide variety of graphs, but we will use only two as primary examples.

More information

Excel 2013 Intermediate

Excel 2013 Intermediate Excel 2013 Intermediate Quick Access Toolbar... 1 Customizing Excel... 2 Keyboard Shortcuts... 2 Navigating the Spreadsheet... 2 Status Bar... 3 Worksheets... 3 Group Column/Row Adjusments... 4 Hiding

More information

Intro To Excel Spreadsheet for use in Introductory Sciences

Intro To Excel Spreadsheet for use in Introductory Sciences INTRO TO EXCEL SPREADSHEET (World Population) Objectives: Become familiar with the Excel spreadsheet environment. (Parts 1-5) Learn to create and save a worksheet. (Part 1) Perform simple calculations,

More information

Online Pedigree Drawing Tool. Progeny Anywhere User Guide - Version 3

Online Pedigree Drawing Tool. Progeny Anywhere User Guide - Version 3 Online Pedigree Drawing Tool Progeny Anywhere User Guide - Version 3 Table of Contents Creating Pedigrees...3 One-Click Add... 3 Unattached Individuals... 4 Attaching Individuals... 4 Deleting Relationships...

More information

How to Make Graphs with Excel 2007

How to Make Graphs with Excel 2007 Appendix A How to Make Graphs with Excel 2007 A.1 Introduction This is a quick-and-dirty tutorial to teach you the basics of graph creation and formatting in Microsoft Excel. Many of the tasks that you

More information

Window Designer. Opening Screen: When you start Window Designer, you will see the Opening Screen. Here you will be choosing from 4 options:

Window Designer. Opening Screen: When you start Window Designer, you will see the Opening Screen. Here you will be choosing from 4 options: Window Designer Opening Screen: When you start Window Designer, you will see the Opening Screen. Here you will be choosing from 4 options: New Design: Use this option when no pre-built templates are available

More information

Quick Guide for Photoshop CC Basics April 2016 Training:

Quick Guide for Photoshop CC Basics April 2016 Training: Photoshop CC Basics Creating a New File 1. Click File > New 2. Keep Default Photoshop Size selected in the Preset drop-down list. 3. Click OK. Showing Rulers 1. On the Menu bar, click View. 2. Click Rulers.

More information

Depending on the computer you find yourself in front of, here s what you ll need to do to open SPSS.

Depending on the computer you find yourself in front of, here s what you ll need to do to open SPSS. 1 SPSS 11.5 for Windows Introductory Assignment Material covered: Opening an existing SPSS data file, creating new data files, generating frequency distributions and descriptive statistics, obtaining printouts

More information

Setup Mount the //geobase/geo4315 server and add a new Lab2 folder in your user folder.

Setup Mount the //geobase/geo4315 server and add a new Lab2 folder in your user folder. L AB 2 L AB M2 ICROSOFT E XCEL O FFICE W ORD, E XCEL & POWERP OINT XCEL & P For this lab, you will practice importing datasets into an Excel worksheet using different types of formatting. First, you will

More information

Adobe Photoshop CS2 Reference Guide For Windows

Adobe Photoshop CS2 Reference Guide For Windows This program is located: Adobe Photoshop CS2 Reference Guide For Windows Start > All Programs > Photo Editing and Scanning >Adobe Photoshop CS2 General Keyboarding Tips: TAB Show/Hide Toolbox and Palettes

More information

Getting Started with. Office 2008

Getting Started with. Office 2008 Getting Started with Office 2008 Copyright 2010 - Information Technology Services Kennesaw State University This document may be downloaded, printed, or copied, for educational use, without further permission

More information

drawing tools and illustration features of PowerPoint

drawing tools and illustration features of PowerPoint drawing tools and illustration features of PowerPoint The$Harvard$Medical$School$is$accredited$by$the Accreditation$Council$for$Continuing$Medical$Education to$provide$continuing$medical$education$for$physicians.$

More information

lab MS Excel 2010 active cell

lab MS Excel 2010 active cell MS Excel is an example of a spreadsheet, a branch of software meant for performing different kinds of calculations, numeric data analysis and presentation, statistical operations and forecasts. The main

More information

Spreadsheet Applications for Materials Science Getting Started Quickly Using Spreadsheets

Spreadsheet Applications for Materials Science Getting Started Quickly Using Spreadsheets Spreadsheet Applications for Materials Science Getting Started Quickly Using Spreadsheets Introduction This tutorial is designed to help you get up to speed quickly using spreadsheets in your class assignments.

More information

Excel Core Certification

Excel Core Certification Microsoft Office Specialist 2010 Microsoft Excel Core Certification 2010 Lesson 6: Working with Charts Lesson Objectives This lesson introduces you to working with charts. You will look at how to create

More information

Chapter 5 An Introduction to Basic Plotting Tools

Chapter 5 An Introduction to Basic Plotting Tools Chapter 5 An Introduction to Basic Plotting Tools We have demonstrated the use of R tools for importing data, manipulating data, extracting subsets of data, and making simple calculations, such as mean,

More information

Introduction to Spreadsheets

Introduction to Spreadsheets Introduction to Spreadsheets Spreadsheets are computer programs that were designed for use in business. However, scientists quickly saw how useful they could be for analyzing data. As the programs have

More information

Select Cases. Select Cases GRAPHS. The Select Cases command excludes from further. selection criteria. Select Use filter variables

Select Cases. Select Cases GRAPHS. The Select Cases command excludes from further. selection criteria. Select Use filter variables Select Cases GRAPHS The Select Cases command excludes from further analysis all those cases that do not meet specified selection criteria. Select Cases For a subset of the datafile, use Select Cases. In

More information

EXCEL + POWERPOINT. Analyzing, Visualizing, and Presenting Data-Rich Insights to Any Audience KNACK TRAINING

EXCEL + POWERPOINT. Analyzing, Visualizing, and Presenting Data-Rich Insights to Any Audience KNACK TRAINING EXCEL + POWERPOINT Analyzing, Visualizing, and Presenting Data-Rich Insights to Any Audience KNACK TRAINING KEYBOARD SHORTCUTS NAVIGATION & SELECTION SHORTCUTS 3 EDITING SHORTCUTS 3 SUMMARIES PIVOT TABLES

More information

Develop great research posters using Microsoft PowerPoint

Develop great research posters using Microsoft PowerPoint www.qps.qut.edu.au Develop great research posters using Microsoft PowerPoint A step-by-step guide QUT PRINTING SERVICES A step-by-step guide This step-by-step guide will assist you to understand the purpose

More information

Budget Exercise for Intermediate Excel

Budget Exercise for Intermediate Excel Budget Exercise for Intermediate Excel Follow the directions below to create a 12 month budget exercise. Read through each individual direction before performing it, like you are following recipe instructions.

More information

To Plot a Graph in Origin. Example: Number of Counts from a Geiger- Müller Tube as a Function of Supply Voltage

To Plot a Graph in Origin. Example: Number of Counts from a Geiger- Müller Tube as a Function of Supply Voltage To Plot a Graph in Origin Example: Number of Counts from a Geiger- Müller Tube as a Function of Supply Voltage 1 Digression on Error Bars What entity do you use for the magnitude of the error bars? Standard

More information

Adobe Flash CS3 Reference Flash CS3 Application Window

Adobe Flash CS3 Reference Flash CS3 Application Window Adobe Flash CS3 Reference Flash CS3 Application Window When you load up Flash CS3 and choose to create a new Flash document, the application window should look something like the screenshot below. Layers

More information

How to...create a Video VBOX Gauge in Inkscape. So you want to create your own gauge? How about a transparent background for those text elements?

How to...create a Video VBOX Gauge in Inkscape. So you want to create your own gauge? How about a transparent background for those text elements? BASIC GAUGE CREATION The Video VBox setup software is capable of using many different image formats for gauge backgrounds, static images, or logos, including Bitmaps, JPEGs, or PNG s. When the software

More information

Pen Tool, Fill Layers, Color Range, Levels Adjustments, Magic Wand tool, and shadowing techniques

Pen Tool, Fill Layers, Color Range, Levels Adjustments, Magic Wand tool, and shadowing techniques Creating a superhero using the pen tool Topics covered: Pen Tool, Fill Layers, Color Range, Levels Adjustments, Magic Wand tool, and shadowing techniques Getting Started 1. Reset your work environment

More information

Microsoft Excel 2002 M O D U L E 2

Microsoft Excel 2002 M O D U L E 2 THE COMPLETE Excel 2002 M O D U L E 2 CompleteVISUAL TM Step-by-step Series Computer Training Manual www.computertrainingmanual.com Copyright Notice Copyright 2002 EBook Publishing. All rights reserved.

More information

Title and Modify Page Properties

Title and Modify Page Properties Dreamweaver After cropping out all of the pieces from Photoshop we are ready to begin putting the pieces back together in Dreamweaver. If we were to layout all of the pieces on a table we would have graphics

More information

Project 11 Graphs (Using MS Excel Version )

Project 11 Graphs (Using MS Excel Version ) Project 11 Graphs (Using MS Excel Version 2007-10) Purpose: To review the types of graphs, and use MS Excel 2010 to create them from a dataset. Outline: You will be provided with several datasets and will

More information

Survey of Math: Excel Spreadsheet Guide (for Excel 2016) Page 1 of 9

Survey of Math: Excel Spreadsheet Guide (for Excel 2016) Page 1 of 9 Survey of Math: Excel Spreadsheet Guide (for Excel 2016) Page 1 of 9 Contents 1 Introduction to Using Excel Spreadsheets 2 1.1 A Serious Note About Data Security.................................... 2 1.2

More information

ICT IGCSE Practical Revision Presentation Web Authoring

ICT IGCSE Practical Revision Presentation Web Authoring 21.1 Web Development Layers 21.2 Create a Web Page Chapter 21: 21.3 Use Stylesheets 21.4 Test and Publish a Website Web Development Layers Presentation Layer Content layer: Behaviour layer Chapter 21:

More information

SUM - This says to add together cells F28 through F35. Notice that it will show your result is

SUM - This says to add together cells F28 through F35. Notice that it will show your result is COUNTA - The COUNTA function will examine a set of cells and tell you how many cells are not empty. In this example, Excel analyzed 19 cells and found that only 18 were not empty. COUNTBLANK - The COUNTBLANK

More information