References. Parameters revisited. Reference Parameters. Example: Swapping values. Named Arguments

Size: px
Start display at page:

Download "References. Parameters revisited. Reference Parameters. Example: Swapping values. Named Arguments"

Transcription

1 References ENGG1811 Computing for Engineers Week 7 Objects and Collections; Using the Macro Recorder; Shapes Chapra (Part 2 of ENGG1811 Text) Topic 10 (chapter 3) Macro Recorder ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 1 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 2 Parameters revisited Values passed to procedures are called arguments Variables defined to hold these values are called parameters Parameters are local variables, like ones declared using Dim Data can be passed in two different ways: by value (argument is expression, only value transferred) by reference (argument is variable, parameter acts as a temporary alias) keywords ByVal and ByRef specify which (ByRef is assumed if omitted) Reference Parameters Sub halve1(byval x As Double) x = x / 2 Sub halve2(byref x As Double) x = x / 2 y = 6.4: z = 6.4 halve1 y ' what is the value of y? halve2 z ' what is the value of z? The keyword ByRef (or none) passes a reference to the argument rather than its value. x becomes an alias for z and changes to x also affect z immediately. With ByVal, or if the argument is not a variable, x is an independent local variable initialised by the argument (6.4). Changing it has no effect outside the procedure. ENGG1811 UNSW, CRICOS Provider No: 00098G W6 slide 3 ENGG1811 UNSW, CRICOS Provider No: 00098G W6 slide 4 Example: Swapping values Sub Swap(ByRef x1 As Variant, ByRef x2 As Variant) Dim dbltemp As Variant dbltemp = x1 x1 = x2 x2 = dbltemp y = -23.5: z = 6 Swap y, z ' what are the values of y and z? We used the Variant type so the procedure can be used to exchange the contents of variables any type. This is the only recommended use for Variants. Unfortunately, the following does NOT work Swap ActiveSheet.Cells(1,1), ActiveCell Motivation: imagine exchanging the positions of an apple and an orange on the table in front of you. Now do it again using just one hand! Named Arguments For procedures with long argument lists (especially built-in procedures), arguments can be specified in any order using the notation paramname:=argument Example (see MsgBox Function in VBA Help) reply = MsgBox(title:="Bummer", _ returns integer value representing button pressed: vbcancel or vbretry prompt:="no solution to your equation", _ buttons:=vbcritical + vbcancelretry) parameter name underscore allows line break within statement built-in VBA constants assist readability ENGG1811 UNSW, CRICOS Provider No: 00098G W6 slide 5 ENGG1811 UNSW, CRICOS Provider No: 00098G W6 slide 6 1

2 Arrays Default array bounds Arrays are groups of variables of the same type Each element of an array has a unique index, representing its position in the array, usually starting at 0 or 1 Declaration specifies type and bounds: Const MAX_SAMPLES = 10 Const ALPHA_SIZE = 26 Const MONTHS_PER_YEAR = 12 Dim dblsamples(1 To MAX_SAMPLES) As Double Dim freq(0 To ALPHA_SIZE-1) As Integer ' letter frequencies Dim daysin(1 To MONTHS_PER_YEAR) As Integer ' days in each month If the lower bound is omitted, a default value is used The default value is normally 0 Can be changed with Option Base directive at top of module Option Base 1 ' omitted lower bounds now = 1 Const MAX_SAMPLES = 200 Dim dblsamples(max_samples) As Double ' valid index 1..MAX_SAMPLES Recommended approach: specify both bounds ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 7 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 8 Array usage Arrays and Cells Arrays are often visualised as a line of variables: daysin index Access a particular element using the array name and an index expression in parentheses Dim idx As Integer Dim dblsample(1 To MAX_SAMPLE) As Double ' load array from first column of worksheet For idx = 1 To MAX_SAMPLE dblsample(idx) = ActiveSheet.Cells(idx,1).Value Next idx For statement mimics array declaration The Excel model allows access to worksheet cells as a two-dimensional array ActiveSheet.Cells(row,col).Value = 42 Arrays are a more general programming structure, independent of the application's user-accessible data like worksheets and documents Arrays are not visible like cells, can be used for intermediate storage Like other variables, can be local to a module or to a procedure. ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 9 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 10 Objects VBA is a mixture of conventional procedural notation process dataobject or evaluate(dataobject) and object oriented programming dataobject.method Excel data is represented by objects that have properties and to which methods are applied: Methods are procedures that are associated with a type of object and are applied to objects of that kind array representing all rows ActiveSheet.Cells(row,col).Formula = "=B3/4" ActiveSheet.Hide applies the Hide method to the active sheet ActiveSheet.Rows(2).Clear second element (= row 2) row = ActiveCell.Row assigns to the Formula property of the cell applies the Clear method to the object (row 2 of the active sheet) property recording the row number of the active cell ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 11 Objects, continued Most important object types are Application one instance representing the Excel state, provides methods to create dialogue boxes and other window objects Workbook Worksheet Range any single cell or group of cells The on-line manual describes their properties and methods, but the Macro Recorder (later slide) allows us to see what object manipulation corresponds to particular user interaction ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 12 2

3 Collections Collections, continued Array concept relies on strict ordering of elements If elements can be named, get more general way of describing the group A Collection is an array-type object indexed either by number or by name Properties include: Count (number of elements) Methods include: Add (a named element, relatively positioned) Item (retrieve "current" element) Some Excel objects are collections Application.Workbooks ' (base type: Workbook) Application.ActiveWorkbook.WorkSheets ' (Worksheet) ActiveWorkbook.Sheets ' (Chart or Worksheet) ActiveSheet.Charts ' Displayed charts ActiveSheet.Shapes ' Drawing objects: later slide Examples Sheets.Add Name:="New sheet", After:=Sheets(3) Debug.Print Sheets(1).Name (in full: Debug.Print Application.ActiveWorkbook.Sheets(1).Name) Debug.Print Workbooks.Count ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 13 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 14 Manipulating Collections Declare variable to reference elements Dim wks As Worksheet Object assignment uses the Set keyword Set wks = Sheets(1) this is easy to forget Access object properties and methods: wks.columns(col).clear ' property/method wks.unhide ' method wks.cells(row,col).formula = "=A1+1" Iterating over a Collection Special notation to iterate over elements: For Each wks In ActiveWorkbook.Sheets Debug.Print wks.name Next wks Equivalent (but preferable) to: For idx = 1 To ActiveWorkbook.Sheets.Count Set wks = Sheets(idx) Debug.Print wks.name Next idx ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 15 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 16 With Statement Sometimes the same object needs to be referenced several times in succession ActiveSheet.Cells(row,col) = intval1 ActiveSheet.Cells(row+1,col) = intval2 ActiveSheet.Cells(row+2,col) = intval3 Use a With statement for the common prefix: With ActiveSheet.Cells(row,col) = intval1.cells(row+1,col) = intval2.cells(row+2,col) = intval3 note dot is retained in the shortened reference Note The following topics contain a lot of detail Most of the info can be found in Help screens or reference books You don t have to learn the detail, but you must understand the way that these structures are put together Lab work will guide you through the essential skills needed to manipulate objects, including referencing ranges using the macro recorder creating and manipulating drawings but you need to follow what s presented here! ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 17 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 18 3

4 Ranges Some Range Properties The Range type represents a rectangular group of (one or more) cells on a worksheet Can be referred to in many ways Single cell, separate indexes:.cells(row,col) Single cell, RC format:.range("b5") Single row, index:.rows(row) Single column, index:.column(col) Row/column block:.rows("4:6").columns("a:c") Any block, RC format:.range("b4:h7") Named range:.range("polynomial") Derived from another range: ActiveCell.EntireRow Whole sheet:.cells Borders Object representing outline Comment Comment text Font Text font Formula Formula as a string (such as "=A$1/24") Height, Width Height or width in screen units HorizontalAlignment xlleft/xlcenter/xlright Interior Object representing cell background Left, Top Position of range on sheet, in screen units Locked True Cells can't be changed by the user Name Name if defined NumberFormat Name or specification of display format Value Stored value Note: Properties of a multi-cell range are undefined if the cell properties are not consistent ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 19 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 20 Some Range Methods AutoFilter Apply column filters Calculate Re-evaluate formulae Clear, ClearComments Remove cell contents or comments Copy, Cut Copy to clipboard, Cut=remove after pasting Delete Remove cells and shift in FillDown, FillRight Apply fill operations Find Search for cell contents matching value Offset Generate reference to nearby cell GoalSeek Apply Excel's Goal Seek (range must be one cell) Merge Merge cells, retaining value from top left cell PasteSpecial Paste from Clipboard with optional transforms Replace Replace cell contents Select Make range the current selection (available as the Selection object) Sort Reorder rows (has many parameters) Range as a Collection ' From an example at ' use in worksheet: =SumIfColoured(A1:C6) Function SumIfColoured(rngCells As Range) As Double Dim cell As Object Dim sum As Double sum = 0 For Each cell In rngcells If cell.interior.colorindex <> xlnone Then sum = sum + Cell.Value End If Next cell SumIfColoured = sum End Function ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 21 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 22 Macro Recorder Using the Macro Recorder Almost everything the user can do with Excel can be tracked as a Macro and replayed* Macros are stored as VBA procedures Macros can be edited (or cannibalised!) to adapt or generalise their purpose Effective way to find out how to achieve a particular effect (especially as VBA Help is poor) * unfortunately, Excel 2007 does not record drawing operations, whereas Excel 2003, 2002 and 2000 did. PowerPoint 2007 doesn t record anything at all, whereas PPT 2003, 2002 and 2000 did. Excel 2008 for Macintosh doesn t even have VBA, whereas 2004 for Mac did. Do you see a pattern of behaviour by Micro$oft here? Menu path Developer Record Macro (Tools Macro Record New Macro for Excel 2003) Name, location, description and optional shortcut key can be set. Creates new module if necessary Tracks all menu functions and relevant mouse activity (cell selections, dialogue responses, etc) When finished, Developer Stop Recording View/edit macro with VBE ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 23 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 24 4

5 Macro Recording conventions Example: Cell operations Use of Select method and Selection object since the user has to identify an element before doing anything to it Use of With Selection... Sets all properties of an object, even if only one was changed Uses Range() and related objects extensively Uses absolute references, where a programmer would use a variable or constant (hence readability is poor) Apply the following to a two-column table such as the solution to Lab 6 Part C: 1. Adjust the alignment and indent of column B; 2. Change the background of the header cells 3. Change the font weight and colour of the header cells ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 25 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 26 VBA Created by Recorder Colour Representation Columns("B:B").Select With Selection.HorizontalAlignment = xlright.verticalalignment = xlbottom.wraptext = False.Orientation = 0.AddIndent = False.ShrinkToFit = False.ReadingOrder = xlcontext.mergecells = False Selection.InsertIndent 1 Range("A1:B1").Select With Selection.Interior.Pattern = xlsolid.color = 192 Selection.Font.Bold = True With Selection.Font.Color = ' other font changes Colour info next slide Change properties using the Selection object Shows all properties, even though we only changed HorizontalAlignment Prior to 2007 Excel stored cell colours as one of 56 standard values (ColorIndex). This still works introduced themes, but can store RGB (red, green, blue) values too.color is a Long integer, derived from R, G, B components (each ) code = 1*red + 256*green + 256*256*blue Example: dark brown is R=200, G=100, B=0 COL_DKBROWN = *100 = better: use RGB function Selection.Font.Color = RGB(200, 100, 0) ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 27 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 28 Recorder vs Human ❶ The Macro Recorder makes extensive use of the Selection object (since the user must select elements before using them) Humans can refer directly to the affected object: Const COL_DATA = 2 With Columns(COL_DATA) ' = Columns("B:B").HorizontalAlignment = xlright ❷ Humans can code iteration, Recorder can't ❸ Humans can use local variables, Recorder can't ❹ Humans can use Const definitions and meaningful names, Recorder can't Shapes The Office family supports drawing operations, including lines, filled polygons, predefined shapes Represented by Shape objects, thus can be manipulated by VBA To create a drawing with Excel: View tab, uncheck Gridlines (and/or Headings) Insert tab Shapes Lines, rectangles, circles, stroke and fill etc on palette Connectors are especially useful as they snap to vertices Can no longer use Macro Recorder to create sample code! Separate Drawing with VBA documentation/tutorial provided for you instead: see website. ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 29 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 30 5

6 Shapes in VBA Coordinate system is Cartesian (which way is Y?) Units are points (1/72 inch, approx 28 pts per cm) Drawing elements are members of the Shapes collection belonging to the active sheet New shapes are created using methods (built-in procedures) with distinctive args for shape type and characteristics Many shape types (type AutoShapeType to Help, then click on msoautoshapetype for list) Changes to properties with user interface is via Selection object (though not required in VBA) Identifying Shapes Create most shapes with Dim shp As Shape Set shp = ActiveSheet.Shapes.AddShape(type, _ left, top, width, height) Set shp = ActiveSheet.Shapes.AddTextbox( ) ' then use shp to set properties Each shape is given a name and number according to its type ("Rectangle 1", "AutoShape 5"), and each has an index, equal to the collection size after Add lastshape = ActiveSheet.Shapes.Count Can later use the index to reference the shape: ActiveSheet.Shapes(lastShape) Keeping track of all shapes this way can be tricky (but arrays help) ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 31 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 32 Shape Operations Applying stroke (outline) With object.line.weight = 1.5 ' in points.style = msolinesingle ' default.dashstyle = msolinesquaredot.forecolor.rgb = RGB(0,0,128) ' dark blue stroke Also BeginArrowheadStyle; Width (Wide/Medium/Narrow) as well as Length (Long/Medium/Short).EndArrowheadStyle = msoarrowheadtriangle.endendarrowheadlength = msoarrowheadlengthmedium Applying fills.fill.forecolor.rgb = RGB(red, green, blue) ' Fill.Transparency = 0# ' 0# = 0.0 (VB idiom).fill.visible = False ' to hide (also.line) Text Boxes Text is held in boxes (with stroke and fill) object.characters.text = "Power Station" With object.characters.font.name = "Arial Narrow".FontStyle = "Bold".Size = 11 Font properties of substrings object.characters(start:=3, Length:=2) _.Font.Subscript = True Remove box:.fill.visible = False.Line.Visible = False ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 33 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 34 Examples (Wed 2pm) Summary 1. Colour Picker (using RGB codes from a sheet) 2. Programming with shapes: Venn Diagram Algorithm is simple (but calcs are fiddly) Draw canvas Calculate geometry Draw first set Draw second set Draw labels (4 sub calls) Draw pointer Reference parameters allow a subprogram to change the value of variables declared outside Arrays store a sequence of multiple values Array elements are indexed by a small integer Collections store a set or sequence of objects, referenced by either name or index Objects enable access to complex data managed by the application A Range object represents part of a worksheet, can also be viewed as a collection of cells Macro recorder creates editable VBA from user interaction with the application ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 35 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 36 6

7 Array example For any date, calculate the day of the year (1 Jan = day 1, 31 Dec = day 365 or 366) as used in business and financial systems Analysis: the day of the year = the number of days in all the previous months, plus the day of the month. For example, in a non-leap year, Anzac Day (25 April) is day ( ) + 25 = 115. Leap year adjustment: add 1 to day if past February in a leap year. That's all. Programming: use an array to hold the days in each month (constants), accumulate sums Pseudocode Given variables day, month, year: Initialise daysin array Set sum to the sum of the days in all months < month Add day to sum If year is a leap year And month > February Add 1 to sum result is stored in sum The step Set sum is a substantial subtask with its own pseudocode (written as a function) Set s to 0 For each m from 1 to month-1 add daysin(m) to s return the value in s ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 37 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 38 Initialising the daysin array Unfortunately VBA doesn't support constant arrays, or allow direct assignment of arrays. However, it does have a function that constructs an array and returns it as a Variant, which can be indexed Private Sub InitDaysIn() Dim constlist as Variant Dim m As Integer You don't need to know this, it's just to make the demo work constlist = Array(31, 28, 31, 30, 31, 30, _ 31, 31, 30, 31, 30, 31) For m = 1 To MONTHS_PER_YEAR daysin(m) = constlist(m) Next m Partial solution Function DaysToEndOf(month As Integer) As Integer Dim m As Integer ' a month number Dim s As Integer ' sum of days in 1..m s = 0 For m = To s = Next m DaysToEndOf = s ' return answer End Function Complete solution left as an exercise. Use a leapyear function and a named constant for February. ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 39 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 40 Resizing Arrays Arrays can be dynamically sized if needed with this statement (not declaration): Redim Preserve dblsample(1 To 10*MAX_SAMPLE) Preserve retain elements up to new limit Current array bounds are returned by the built-in functions LBound(arr) and UBound(arr): For idx = LBound(dblSample) To UBound(dblSample) dblsample(idx) = dblsample(idx) / 2 Next idx ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 41 7

References. Parameters revisited. Reference Parameters. Example: Swapping values. Named Arguments

References. Parameters revisited. Reference Parameters. Example: Swapping values. Named Arguments References ENGG1811 Computing for Engineers Week 8 Objects and Collections; Using the Macro Recorder; Shapes Chapra (Part 2 of ENGG1811 Text) Topic 10 (chapter 3) Macro Recorder ENGG1811 UNSW, CRICOS Provider

More information

ENGG1811 Computing for Engineers Chapra (Part 2 of ENGG1811 Text) Topic 10 (chapter 3) Macro Recorder. Examples

ENGG1811 Computing for Engineers Chapra (Part 2 of ENGG1811 Text) Topic 10 (chapter 3) Macro Recorder. Examples References ENGG1811 Computing for Engineers Chapra (Part 2 of ENGG1811 Text) Topic 10 (chapter 3) Macro Recorder Week 8 Objects and Collections; Using the Macro Recorder; Shapes Note: there is very limited

More information

ENGG1811 Computing for Engineers Chapra (Part 2 of ENGG1811 Text) Topic 10 (chapter 3) Macro Recorder. Examples

ENGG1811 Computing for Engineers Chapra (Part 2 of ENGG1811 Text) Topic 10 (chapter 3) Macro Recorder. Examples References ENGG1811 Computing for Engineers Chapra (Part 2 of ENGG1811 Text) Topic 10 (chapter 3) Macro Recorder Week 8 Objects and Collections; Using the Macro Recorder; Shapes ENGG1811 VBA Reference

More information

References. Arrays. Default array bounds. Array example. Array usage. Shepherd, pp (Arrays) Shepherd, Chapters 12, 13

References. Arrays. Default array bounds. Array example. Array usage. Shepherd, pp (Arrays) Shepherd, Chapters 12, 13 ENGG1811 UNSW, CRICOS Provider No: 00098G W7 slide 1 References ENGG1811 Computing for Engineers Week 7 Arrays, Objects and Collections; Using the Macro Recorder Shepherd, pp.20-22 (Arrays) Shepherd, Chapters

More information

References. Iteration For. Iteration (Repetition) Iteration While. For loop examples

References. Iteration For. Iteration (Repetition) Iteration While. For loop examples References ENGG1811 Computing for Engineers Week 7 Iteration; Sequential Algorithms; Strings and Built-in Functions Chapra (Part 2 of ENGG1811 Text) Topic 19 (chapter 12) Loops Topic 17 (section 10.1)

More information

ENGG1811 Computing for Engineers Week 7 Iteration; Sequential Algorithms; Strings and Built-in Functions

ENGG1811 Computing for Engineers Week 7 Iteration; Sequential Algorithms; Strings and Built-in Functions ENGG1811 Computing for Engineers Week 7 Iteration; Sequential Algorithms; Strings and Built-in Functions ENGG1811 UNSW, CRICOS Provider No: 00098G1 W7 slide 1 References Chapra (Part 2 of ENGG1811 Text)

More information

Microsoft Office Excel 2007: Basic. Course Overview. Course Length: 1 Day. Course Overview

Microsoft Office Excel 2007: Basic. Course Overview. Course Length: 1 Day. Course Overview Microsoft Office Excel 2007: Basic Course Length: 1 Day Course Overview This course teaches the basic functions and features of Excel 2007. After an introduction to spreadsheet terminology and Excel's

More information

ENGG1811 Computing for Engineers Week 9 Dialogues and Forms Numerical Integration

ENGG1811 Computing for Engineers Week 9 Dialogues and Forms Numerical Integration ENGG1811 Computing for Engineers Week 9 Dialogues and Forms Numerical Integration ENGG1811 UNSW, CRICOS Provider No: 00098G W9 slide 1 References & Info Chapra (Part 2 of ENGG1811 Text) Topic 21 (chapter

More information

Creating a Spreadsheet by Using Excel

Creating a Spreadsheet by Using Excel The Excel window...40 Viewing worksheets...41 Entering data...41 Change the cell data format...42 Select cells...42 Move or copy cells...43 Delete or clear cells...43 Enter a series...44 Find or replace

More information

Microsoft How to Series

Microsoft How to Series Microsoft How to Series Getting Started with EXCEL 2007 A B C D E F Tabs Introduction to the Excel 2007 Interface The Excel 2007 Interface is comprised of several elements, with four main parts: Office

More information

Teacher s Guide. PCIC 3 B2 GS3- Key Applications-Excel. Text of Frequently Asked Questions. Copyright 2010 Teknimedia Corporation

Teacher s Guide. PCIC 3 B2 GS3- Key Applications-Excel. Text of Frequently Asked Questions. Copyright 2010 Teknimedia Corporation Teacher s Guide - Key Applications-Excel Text of Frequently Asked Questions Copyright 2010 Teknimedia grants permission to any licensed owner of Key Applications-Excel to duplicate the contents of this

More information

VBA Excel 2013/2016. VBA Visual Basic for Applications. Learner Guide

VBA Excel 2013/2016. VBA Visual Basic for Applications. Learner Guide VBA Visual Basic for Applications Learner Guide 1 Table of Contents SECTION 1 WORKING WITH MACROS...5 WORKING WITH MACROS...6 About Excel macros...6 Opening Excel (using Windows 7 or 10)...6 Recognizing

More information

Adding records Pasting records Deleting records Sorting records Filtering records Inserting and deleting columns Calculated columns Working with the

Adding records Pasting records Deleting records Sorting records Filtering records Inserting and deleting columns Calculated columns Working with the Show All About spreadsheets You can use a spreadsheet to enter and calculate data. A spreadsheet consists of columns and rows of cells. You can enter data directly into the cells of the spreadsheet and

More information

Introduction to Excel 2013

Introduction to Excel 2013 Introduction to Excel 2013 Copyright 2014, Software Application Training, West Chester University. A member of the Pennsylvania State Systems of Higher Education. No portion of this document may be reproduced

More information

Kenora Public Library. Computer Training. Introduction to Excel

Kenora Public Library. Computer Training. Introduction to Excel Kenora Public Library Computer Training Introduction to Excel Page 2 Introduction: Spreadsheet programs allow users to develop a number of documents that can be used to store data, perform calculations,

More information

Microsoft Excel 2013: Part 3 More on Formatting Cells And Worksheet Basics. To apply number formatting:

Microsoft Excel 2013: Part 3 More on Formatting Cells And Worksheet Basics. To apply number formatting: Microsoft Excel 2013: Part 3 More on Formatting Cells And Worksheet Basics Formatting text and numbers In Excel, you can apply specific formatting for text and numbers instead of displaying all cell content

More information

BASIC EXCEL SYLLABUS Section 1: Getting Started Section 2: Working with Worksheet Section 3: Administration Section 4: Data Handling & Manipulation

BASIC EXCEL SYLLABUS Section 1: Getting Started Section 2: Working with Worksheet Section 3: Administration Section 4: Data Handling & Manipulation BASIC EXCEL SYLLABUS Section 1: Getting Started Unit 1.1 - Excel Introduction Unit 1.2 - The Excel Interface Unit 1.3 - Basic Navigation and Entering Data Unit 1.4 - Shortcut Keys Section 2: Working with

More information

EXCEL 2003 DISCLAIMER:

EXCEL 2003 DISCLAIMER: EXCEL 2003 DISCLAIMER: This reference guide is meant for experienced Microsoft Excel users. It provides a list of quick tips and shortcuts for familiar features. This guide does NOT replace training or

More information

Table of Contents. Word. Using the mouse wheel 39 Moving the insertion point using the keyboard 40 Resume reading 41

Table of Contents. Word. Using the mouse wheel 39 Moving the insertion point using the keyboard 40 Resume reading 41 Table of Contents iii Table of Contents Word Starting Word What is word processing? 2 Starting Word 2 Exploring the Start screen 4 Creating a blank document 4 Exploring the Word document window 5 Exploring

More information

Excel Main Screen. Fundamental Concepts. General Keyboard Shortcuts Open a workbook Create New Save Preview and Print Close a Workbook

Excel Main Screen. Fundamental Concepts. General Keyboard Shortcuts Open a workbook Create New Save Preview and Print Close a Workbook Excel 2016 Main Screen Fundamental Concepts General Keyboard Shortcuts Open a workbook Create New Save Preview and Print Close a Ctrl + O Ctrl + N Ctrl + S Ctrl + P Ctrl + W Help Run Spell Check Calculate

More information

Microsoft Excel 2010 Tutorial

Microsoft Excel 2010 Tutorial 1 Microsoft Excel 2010 Tutorial Excel is a spreadsheet program in the Microsoft Office system. You can use Excel to create and format workbooks (a collection of spreadsheets) in order to analyze data and

More information

EXCEL BASICS: MICROSOFT OFFICE 2010

EXCEL BASICS: MICROSOFT OFFICE 2010 EXCEL BASICS: MICROSOFT OFFICE 2010 GETTING STARTED PAGE 02 Prerequisites What You Will Learn USING MICROSOFT EXCEL PAGE 03 Opening Microsoft Excel Microsoft Excel Features Keyboard Review Pointer Shapes

More information

Excel Rest of Us! AQuick Reference. for the. Find the facts you need fast. FREE daily etips at dummies.com

Excel Rest of Us! AQuick Reference. for the. Find the facts you need fast. FREE daily etips at dummies.com Find the facts you need fast FREE daily etips at dummies.com Excel 2002 AQuick Reference for the Rest of Us! Colin Banfield John Walkenbach Bestselling author of Excel 2002 Bible Part Online II Part II

More information

EXCEL BASICS: MICROSOFT OFFICE 2007

EXCEL BASICS: MICROSOFT OFFICE 2007 EXCEL BASICS: MICROSOFT OFFICE 2007 GETTING STARTED PAGE 02 Prerequisites What You Will Learn USING MICROSOFT EXCEL PAGE 03 Opening Microsoft Excel Microsoft Excel Features Keyboard Review Pointer Shapes

More information

Microsoft Office Excel 2010: Basic. Course Overview. Course Length: 1 Day. Course Overview

Microsoft Office Excel 2010: Basic. Course Overview. Course Length: 1 Day. Course Overview Microsoft Office Excel 2010: Basic Course Length: 1 Day Course Overview This course teaches the basic functions and features of Excel 2010. After an introduction to spreadsheet terminology and Excel's

More information

Learning Excel VBA. Using Loops in Your Code. ComboProjects. Prepared By Daniel Lamarche

Learning Excel VBA. Using Loops in Your Code. ComboProjects. Prepared By Daniel Lamarche Learning Excel VBA Using s in Your Code Prepared By Daniel Lamarche ComboProjects Using s in Your Code By Daniel Lamarche (Last update June 2016). s are pretty simple in concept however many new programmers

More information

Microsoft Office. Microsoft Office

Microsoft Office. Microsoft Office is an office suite of interrelated desktop applications, servers and services for the Microsoft Windows. It is a horizontal market software that is used in a wide range of industries. was introduced by

More information

Microsoft Excel 2013: Excel Basics June 2014

Microsoft Excel 2013: Excel Basics June 2014 Microsoft Excel 2013: Excel Basics June 2014 Description Excel is a powerful spreadsheet program. Please note that in this class we will use Excel 2010 or 2013. Learn how to create spreadsheets, enter

More information

Open and arrange windows This section covers items like: Opening another window on to a workbook Arranging workbook windows Hiding and show windows

Open and arrange windows This section covers items like: Opening another window on to a workbook Arranging workbook windows Hiding and show windows Level 2 Excel Viewing workbooks Open and arrange windows Opening another window on to a workbook Arranging workbook windows Hiding and show windows Split panes Split panes Freeze panes Freeze panes Change

More information

Excel Level 1: Beginner. Get started in Excel. Look good with easy formatting. Set out your first Excel calculations. Increase your efficiency

Excel Level 1: Beginner. Get started in Excel. Look good with easy formatting. Set out your first Excel calculations. Increase your efficiency Excel 2010 Level 1: Beginner Learning basic skills for Excel 2010 Estimated time: 04:05 6 modules - 49 topics Get started in Excel Discover Excel and carry out simple tasks: opening a workbook saving it,

More information

Microsoft Office Excel

Microsoft Office Excel Microsoft Office 2007 - Excel Help Click on the Microsoft Office Excel Help button in the top right corner. Type the desired word in the search box and then press the Enter key. Choose the desired topic

More information

Excel Select a template category in the Office.com Templates section. 5. Click the Download button.

Excel Select a template category in the Office.com Templates section. 5. Click the Download button. Microsoft QUICK Excel 2010 Source Getting Started The Excel Window u v w z Creating a New Blank Workbook 2. Select New in the left pane. 3. Select the Blank workbook template in the Available Templates

More information

I OFFICE TAB... 1 RIBBONS & GROUPS... 2 OTHER SCREEN PARTS... 4 APPLICATION SPECIFICATIONS... 5 THE BASICS...

I OFFICE TAB... 1 RIBBONS & GROUPS... 2 OTHER SCREEN PARTS... 4 APPLICATION SPECIFICATIONS... 5 THE BASICS... EXCEL 2010 BASICS Microsoft Excel I OFFICE TAB... 1 RIBBONS & GROUPS... 2 OTHER SCREEN PARTS... 4 APPLICATION SPECIFICATIONS... 5 THE BASICS... 6 The Mouse... 6 What Are Worksheets?... 6 What is a Workbook?...

More information

Excel Boot Camp PIONEER TRAINING, INC.

Excel Boot Camp PIONEER TRAINING, INC. Excel Boot Camp Dates and Times: Cost: $250 1/22, 2-4 PM 1/29, 2-4 PM 2/5, 2-4 PM 2/12, 2-4 PM Please register online or call our office. (413) 387-1040 This consists of four-part class is aimed at students

More information

Microsoft Certified Application Specialist Exam Objectives Map

Microsoft Certified Application Specialist Exam Objectives Map Microsoft Certified Application Specialist Exam s Map This document lists all Microsoft Certified Application Specialist exam objectives for (Exam 77-602) and provides references to corresponding coverage

More information

Starting Excel application

Starting Excel application MICROSOFT EXCEL 1 2 Microsoft Excel: is a special office program used to apply mathematical operations according to reading a cell automatically, just click on it. It is called electronic tables Starting

More information

GCSE CCEA GCSE EXCEL 2010 USER GUIDE. Business and Communication Systems

GCSE CCEA GCSE EXCEL 2010 USER GUIDE. Business and Communication Systems GCSE CCEA GCSE EXCEL 2010 USER GUIDE Business and Communication Systems For first teaching from September 2017 Contents Page Define the purpose and uses of a spreadsheet... 3 Define a column, row, and

More information

BaSICS OF excel By: Steven 10.1

BaSICS OF excel By: Steven 10.1 BaSICS OF excel By: Steven 10.1 Workbook 1 workbook is made out of spreadsheet files. You can add it by going to (File > New Workbook). Cell Each & every rectangular box in a spreadsheet is referred as

More information

Productivity Tools Objectives

Productivity Tools Objectives Word 2003 Understand Microsoft Office Word 2003 Launch Microsoft Office Word 2003 Open Documents Understand The Working Screen Experiment With The Working Screen Navigate Documents Close Documents And

More information

Productivity Tools Objectives 1

Productivity Tools Objectives 1 Productivity Tools Objectives 1 Word 2003 Understand Microsoft Office Word 2003 Launch Microsoft Office Word 2003 Open Documents Understand The Working Screen Experiment With The Working Screen Navigate

More information

Basic Excel 2010 Workshop 101

Basic Excel 2010 Workshop 101 Basic Excel 2010 Workshop 101 Class Workbook Instructors: David Newbold Jennifer Tran Katie Spencer UCSD Libraries Educational Services 06/13/11 Why Use Excel? 1. It is the most effective and efficient

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

Using Microsoft Excel

Using Microsoft Excel Using Microsoft Excel Formatting a spreadsheet means changing the way it looks to make it neater and more attractive. Formatting changes can include modifying number styles, text size and colours. Many

More information

Objectives. Objectives. Plan Ahead. Starting Excel 3/9/2010. Excel Chapter 3. Microsoft Office 2007

Objectives. Objectives. Plan Ahead. Starting Excel 3/9/2010. Excel Chapter 3. Microsoft Office 2007 Objectives Microsoft Office 2007 Excel Chapter 3 What-If Analysis, Charting, and Working with Large Worksheets Rotate text in a cell Create a series of month names Copy, paste, insert, and delete cells

More information

CHAPTER 4: MICROSOFT OFFICE: EXCEL 2010

CHAPTER 4: MICROSOFT OFFICE: EXCEL 2010 CHAPTER 4: MICROSOFT OFFICE: EXCEL 2010 Quick Summary A workbook an Excel document that stores data contains one or more pages called a worksheet. A worksheet or spreadsheet is stored in a workbook, and

More information

The HOME Tab: Cut Copy Vertical Alignments

The HOME Tab: Cut Copy Vertical Alignments The HOME Tab: Cut Copy Vertical Alignments Text Direction Wrap Text Paste Format Painter Borders Cell Color Text Color Horizontal Alignments Merge and Center Highlighting a cell, a column, a row, or the

More information

Microsoft Excel 2016 Level 1

Microsoft Excel 2016 Level 1 Microsoft Excel 2016 Level 1 One Day Course Course Description You have basic computer skills such as using a mouse, navigating through windows, and surfing the Internet. You have also used paper-based

More information

Assessed Exercise 1 Working with ranges

Assessed Exercise 1 Working with ranges Week 3 Assessed Exercise 1 Working with ranges Multiple representations Different thing in different cases Single cell Collection of cells The handle to the thing you want to work with Many operations

More information

Excel Tools Features... 1 Comments... 2 List Comments Formatting... 3 Center Across... 3 Hide Blank Rows... 3 Lists... 3 Sheet Links...

Excel Tools Features... 1 Comments... 2 List Comments Formatting... 3 Center Across... 3 Hide Blank Rows... 3 Lists... 3 Sheet Links... CONTEXTURES EXCEL TOOLS FEATURES LIST PAGE 1 Excel Tools Features The following features are contained in the Excel Tools Add-in. Excel Tools Features... 1 Comments... 2 List Comments... 2 Comments...

More information

Overview. At Course Completion After completing this course, students will be learn about and be able to:

Overview. At Course Completion After completing this course, students will be learn about and be able to: Overview Organizations the world over rely on information to make sound decisions regarding all manner of affairs. But with the amount of available data growing on a daily basis, the ability to make sense

More information

Excel Tutorial 1

Excel Tutorial 1 IT٢.we Excel 2003 - Tutorial 1 Spreadsheet Basics Screen Layout Title bar Menu bar Standard Toolbar Other Tools Task Pane Adding and Renaming Worksheets Modifying Worksheets Moving Through Cells Adding

More information

CUA Spreadsheets Laboratory

CUA Spreadsheets Laboratory CUA Spreadsheets Laboratory Microsoft Excel 97 Basic Introduction Excel is spreadsheet capable of storing tables of data and text values and providing a range. Most Microsoft Products have similar menu

More information

All Excel Topics Page 1 of 11

All Excel Topics Page 1 of 11 All Excel Topics Page 1 of 11 All Excel Topics All of the Excel topics covered during training are listed below. Pick relevant topics and tailor a course to meet your needs. Select a topic to find out

More information

Excel Format cells Number Percentage (.20 not 20) Special (Zip, Phone) Font

Excel Format cells Number Percentage (.20 not 20) Special (Zip, Phone) Font Excel 2013 Shortcuts My favorites: Ctrl+C copy (C=Copy) Ctrl+X cut (x is the shape of scissors) Ctrl+V paste (v is the shape of the tip of a glue bottle) Ctrl+A - or the corner of worksheet Ctrl+Home Goes

More information

Review Ch. 15 Spreadsheet and Worksheet Basics. 2010, 2006 South-Western, Cengage Learning

Review Ch. 15 Spreadsheet and Worksheet Basics. 2010, 2006 South-Western, Cengage Learning Review Ch. 15 Spreadsheet and Worksheet Basics 2010, 2006 South-Western, Cengage Learning Excel Worksheet Slide 2 Move Around a Worksheet Use the mouse and scroll bars Use and (or TAB) Use PAGE UP and

More information

Microsoft Excel 2010 Level 1

Microsoft Excel 2010 Level 1 Microsoft Excel 2010 Level 1 One Day Course Course Description You have basic computer skills such as using a mouse, navigating through windows, and surfing the Internet. You have also used paper-based

More information

Excel 2007 Tutorials - Video File Attributes

Excel 2007 Tutorials - Video File Attributes Get Familiar with Excel 2007 42.40 3.02 The Excel 2007 Environment 4.10 0.19 Office Button 3.10 0.31 Quick Access Toolbar 3.10 0.33 Excel 2007 Ribbon 3.10 0.26 Home Tab 5.10 0.19 Insert Tab 3.10 0.19 Page

More information

download instant at

download instant at CHAPTER 1 - LAB SESSION INTRODUCTION TO EXCEL INTRODUCTION: This lab session is designed to introduce you to the statistical aspects of Microsoft Excel. During this session you will learn how to enter

More information

Microsoft Office Excel 2013 Courses 24 Hours

Microsoft Office Excel 2013 Courses 24 Hours Microsoft Office Excel 2013 Courses 24 Hours COURSE OUTLINES FOUNDATION LEVEL COURSE OUTLINE Getting Started With Excel 2013 Starting Excel 2013 Selecting the Blank Worksheet Template The Excel 2013 Cell

More information

OX Documents Release v Feature Overview

OX Documents Release v Feature Overview OX Documents Release v7.8.4 Feature Overview 1 Objective of this Document... 3 1.1 The Purpose of this Document... 3 2 General Improvements... 4 2.1 Security First: Working with Encrypted Files (OX Guard)...

More information

References. Notices Week 5. A Note on the Textbook. Algorithms and programs. Context

References. Notices Week 5. A Note on the Textbook. Algorithms and programs. Context ENGG1811 Computing for Engineers Week 5 Introduction to Programming and Visual Basic for Applications References Chapra (std text Part 2), Topics 8, 9 (Chapters 1, 2). Some of this week s material is derived

More information

The American University in Cairo. Academic Computing Services. Excel prepared by. Maha Amer

The American University in Cairo. Academic Computing Services. Excel prepared by. Maha Amer The American University in Cairo Excel 2000 prepared by Maha Amer Spring 2001 Table of Contents: Opening the Excel Program Creating, Opening and Saving Excel Worksheets Sheet Structure Formatting Text

More information

AGB 260: Agribusiness Data Literacy. Excel Basics

AGB 260: Agribusiness Data Literacy. Excel Basics AGB 260: Agribusiness Data Literacy Excel Basics Useful Chapters in the Textbook Regarding this Lecture Chapter 1: Introducing Excel Chapter 2: Entering and Editing Worksheet Data Chapter 3: Essential

More information

Microsoft Excel is a spreadsheet tool capable of performing calculations, analyzing data and integrating information from different programs.

Microsoft Excel is a spreadsheet tool capable of performing calculations, analyzing data and integrating information from different programs. About the Tutorial Microsoft Excel is a commercial spreadsheet application, written and distributed by Microsoft for Microsoft Windows and Mac OS X. At the time of writing this tutorial the Microsoft excel

More information

Microsoft Excel Chapter 3. What-If Analysis, Charting, and Working with Large Worksheets

Microsoft Excel Chapter 3. What-If Analysis, Charting, and Working with Large Worksheets Microsoft Excel 2010 Chapter 3 What-If Analysis, Charting, and Working with Large Worksheets Objectives Rotate text in a cell Create a series of month names Copy, paste, insert, and delete cells Format

More information

B.V. Patel Institute of Business Management, Computer & Information Technology, Uka Tarsadia University : Advanced Applications of MS-Office

B.V. Patel Institute of Business Management, Computer & Information Technology, Uka Tarsadia University : Advanced Applications of MS-Office Unit-1 MS-WORD Answer the following. (1 mark) 1. Which submenu contains the watermark option? 2. Which is used for the Cell merge in the table? 3. Which option creates a large capital letter at the beginning

More information

B.E. Publishing Correlations to The Office Specialist.com, 2E to Microsoft Office Specialist Word 2016 Core (77-725)

B.E. Publishing Correlations to The Office Specialist.com, 2E to Microsoft Office Specialist Word 2016 Core (77-725) Correlations to The Office Specialist.com, 2E to Microsoft Office Specialist Word 2016 Core (77-725) B.E. Publishing Correlations to The Office Specialist.com, 2E to Microsoft Office Specialist Word 2016

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

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

Excel Tutorials - File Size & Duration

Excel Tutorials - File Size & Duration Get Familiar with Excel 46.30 2.96 The Excel Environment 4.10 0.17 Quick Access Toolbar 3.10 0.26 Excel Ribbon 3.10 0.26 File Tab 3.10 0.32 Home Tab 5.10 0.16 Insert Tab 3.10 0.16 Page Layout Tab 3.10

More information

For more tips on using this workbook, press F1 and click More information about this template.

For more tips on using this workbook, press F1 and click More information about this template. Excel: Menu to ribbon reference To view Office 2003 menu and toolbar commands and their Office 2010 equivalents, click a worksheet tab at the bottom of the window. If you don't see the tab you want, right-click

More information

North Shore Innovations, Ltd.

North Shore Innovations, Ltd. Access 2007 Access #1: Create Tables 4.00 The Fundamentals Introduction to Databases Starting Access The Getting Started Page and Opening a Database What s New in Access Understanding the Access Program

More information

Excel 2016: Core Data Analysis, Manipulation, and Presentation; Exam

Excel 2016: Core Data Analysis, Manipulation, and Presentation; Exam Microsoft Office Specialist Excel 2016: Core Data Analysis, Manipulation, and Presentation; Exam 77-727 Successful candidates for the Microsoft Office Specialist Excel 2016 certification exam will have

More information

Table of Contents COPYRIGHTED MATERIAL. Introduction Book I: Excel Basics Chapter 1: The Excel 2013 User Experience...

Table of Contents COPYRIGHTED MATERIAL. Introduction Book I: Excel Basics Chapter 1: The Excel 2013 User Experience... Table of Contents Introduction... 1 About This Book...1 Foolish Assumptions...2 How This Book Is Organized...3 Book I: Excel Basics...3 Book II: Worksheet Design...3 Book III: Formulas and Functions...4

More information

This Week. Trapezoidal Rule, theory. Warmup Example: Numeric Integration. Trapezoidal Rule, pseudocode. Trapezoidal Rule, implementation

This Week. Trapezoidal Rule, theory. Warmup Example: Numeric Integration. Trapezoidal Rule, pseudocode. Trapezoidal Rule, implementation This Week ENGG8 Computing for Engineers Week 9 Recursion, External Application Interfacing Monday: numeric integration example, then first part of the material Wednesday 9am: rest of the new material Wednesday

More information

Formatting Spreadsheets in Microsoft Excel

Formatting Spreadsheets in Microsoft Excel Formatting Spreadsheets in Microsoft Excel This document provides information regarding the formatting options available in Microsoft Excel 2010. Overview of Excel Microsoft Excel 2010 is a powerful tool

More information

Learning Map Excel 2007

Learning Map Excel 2007 Learning Map Excel 2007 Our comprehensive online Excel tutorials are organized in such a way that it makes it easy to obtain guidance on specific Excel features while you are working in Excel. This structure

More information

Spreadsheets Microsoft Office Button Ribbon

Spreadsheets Microsoft Office Button Ribbon Getting started with Excel 2007 you will notice that there are many similar features to previous versions. You will also notice that there are many new features that you ll be able to utilize. There are

More information

Microsoft Excel 2010 Handout

Microsoft Excel 2010 Handout Microsoft Excel 2010 Handout Excel is an electronic spreadsheet program you can use to enter and organize data, and perform a wide variety of number crunching tasks. Excel helps you organize and track

More information

Intermediate Excel 2016

Intermediate Excel 2016 Intermediate Excel 2016 Relative & Absolute Referencing Relative Referencing When you copy a formula to another cell, Excel automatically adjusts the cell reference to refer to different cells relative

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

I, J. text boxes, 51 Word, Excel and PowerPoint, Gridlines, 155, ,

I, J. text boxes, 51 Word, Excel and PowerPoint, Gridlines, 155, , Index A Accepting and rejecting tracked changes, 141 143 Adding comment, documents, 135 Adding headers and footers, documents, 125 AirPlay device, 269 Area chart type, Excel application, 235 Auto-capitalization,

More information

Laboratory 1. Part 1: Introduction to Spreadsheets

Laboratory 1. Part 1: Introduction to Spreadsheets Laboratory 1 Part 1: Introduction to Spreadsheets By the end of this laboratory session you should be familiar with: Navigating around a worksheet. Naming sheets and cells. Formatting. The use of formulae.

More information

Free Microsoft Office 2010 training from MedCerts. Course Outline

Free Microsoft Office 2010 training from MedCerts. Course Outline Free Microsoft Office 2010 training from MedCerts Course Outline Microsoft Office Word 2010: Basic Course Introduction Unit 01 - Getting Started Topic A: The Word Window The Word 2010 Window Demo - A-1:

More information

Excel 2016 Basics for Windows

Excel 2016 Basics for Windows Excel 2016 Basics for Windows Excel 2016 Basics for Windows Training Objective To learn the tools and features to get started using Excel 2016 more efficiently and effectively. What you can expect to learn

More information

Excel 2010 Tutorials - Video File Attributes

Excel 2010 Tutorials - Video File Attributes Get Familiar with Excel 2010 42.30 2.70 The Excel 2010 Environment 4.10 0.18 Quick Access Toolbar 3.10 0.27 Excel 2010 Ribbon 3.10 0.26 File Tab 3.10 0.28 Home Tab 5.10 0.17 Insert Tab 3.10 0.18 Page Layout

More information

Customizing the Excel 2013 program window. Getting started with Excel 2013

Customizing the Excel 2013 program window. Getting started with Excel 2013 Customizing the Excel 2013 program window 1 2 Getting started with Excel 2013 Working with data and Excel tables Creating workbooks Modifying workbooks Modifying worksheets Merging and unmerging cells

More information

Excel Basic 1 GETTING ACQUAINTED WITH THE ENVIRONMENT 2 INTEGRATION WITH OFFICE EDITING FILES 4 EDITING A WORKBOOK. 1.

Excel Basic 1 GETTING ACQUAINTED WITH THE ENVIRONMENT 2 INTEGRATION WITH OFFICE EDITING FILES 4 EDITING A WORKBOOK. 1. Excel Basic 1 GETTING ACQUAINTED WITH THE ENVIRONMENT 1.1 Introduction 1.2 A spreadsheet 1.3 Starting up Excel 1.4 The start screen 1.5 The interface 1.5.1 A worksheet or workbook 1.5.2 The title bar 1.5.3

More information

Unit 9: Excel Page( )

Unit 9: Excel Page( ) Unit 9: Excel Page( 496-499) Lab: A. Font B. Fill color C. Font color D. View buttons E. Numeric entry F. Row G. Cell H. Column I. Workbook window J. Active sheet K. Status bar L. Range M. Column labels

More information

Acknowledgements About the Author Starting off on the Right Foot p. 1 Basic Terminology p. 2 Title Bar p. 3 Menu Bar p. 3 Active Cell p.

Acknowledgements About the Author Starting off on the Right Foot p. 1 Basic Terminology p. 2 Title Bar p. 3 Menu Bar p. 3 Active Cell p. Acknowledgements p. a About the Author p. e Starting off on the Right Foot p. 1 Basic Terminology p. 2 Title Bar p. 3 Menu Bar p. 3 Active Cell p. 3 Toolbar Collections p. 3 Toolbar Collections p. 4 Help

More information

4) Study the section of a worksheet in the image below. What is the cell address of the cell containing the word "Qtr3"?

4) Study the section of a worksheet in the image below. What is the cell address of the cell containing the word Qtr3? Choose The Correct Answer: 1) Study the highlighted cells in the image below and identify which of the following represents the correct cell address for these cells: a) The cell reference for the selected

More information

Chapter 4. Microsoft Excel

Chapter 4. Microsoft Excel Chapter 4 Microsoft Excel Topic Introduction Spreadsheet Basic Screen Layout Modifying a Worksheet Formatting Cells Formulas and Functions Sorting and Filling Borders and Shading Charts Introduction A

More information

Making EXCEL Work for YOU!

Making EXCEL Work for YOU! Tracking and analyzing numerical data is a large component of the daily activity in today s workplace. Microsoft Excel 2003 is a popular choice among individuals and companies for organizing, analyzing,

More information

Excel 2007 New Features Table of Contents

Excel 2007 New Features Table of Contents Table of Contents Excel 2007 New Interface... 1 Quick Access Toolbar... 1 Minimizing the Ribbon... 1 The Office Button... 2 Format as Table Filters and Sorting... 2 Table Tools... 4 Filtering Data... 4

More information

Ms excel. The Microsoft Office Button. The Quick Access Toolbar

Ms excel. The Microsoft Office Button. The Quick Access Toolbar Ms excel MS Excel is electronic spreadsheet software. In This software we can do any type of Calculation & inserting any table, data and making chart and graphs etc. the File of excel is called workbook.

More information

Excel 2010 Foundation. Excel 2010 Foundation SAMPLE

Excel 2010 Foundation. Excel 2010 Foundation SAMPLE Excel 2010 Foundation Excel 2010 Foundation Excel 2010 Foundation Page 2 2010 Cheltenham Courseware Pty. Ltd. All trademarks acknowledged. E&OE. No part of this document may be copied without written permission

More information

March 28, Excel Essentials. Jim Snediker. Suzi Huisman

March 28, Excel Essentials. Jim Snediker. Suzi Huisman March 28, 2019 Excel Essentials Jim Snediker Suzi Huisman 1 What is a Spreadsheet? A spreadsheet is the computer equivalent of a paper ledger sheet. Worksheet new name for Spreadsheet Workbook one file

More information

Formatting Worksheets

Formatting Worksheets 140 :: Data Entry Operations 7 Formatting Worksheets 7.1 INTRODUCTION Excel makes available numerous formatting options to give your worksheet a polished look. You can change the size, colour and angle

More information

Microsoft Excel Chapter 3. Working with Large Worksheets, Charting, and What-If Analysis

Microsoft Excel Chapter 3. Working with Large Worksheets, Charting, and What-If Analysis Microsoft Excel 2013 Chapter 3 Working with Large Worksheets, Charting, and What-If Analysis Objectives Rotate text in a cell Create a series of month names Copy, paste, insert, and delete cells Format

More information

Excel 2013 Essentials Syllabus

Excel 2013 Essentials Syllabus Excel 2013 Essentials Syllabus Lesson 1 Managing Workbooks & Worksheets 1.1 Introduction Lesson content; What is a spreadsheet? The course folders; The course player; Before you start. 1.2 The Excel 2013

More information