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 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 No: 00098G W8 slide 1 ENGG1811 UNSW, CRICOS Provider No: 00098G W8 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 End Sub Sub halve2(byref x As Double) x = x / 2 End Sub 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 End Sub 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 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 ActiveSheet.Rows(2).Clear second element (= row 2) row = ActiveCell.Row applies the Hide method to the active sheet 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 W8 slide 7 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 W8 slide 8 Collections 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) Collections, continued 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 W8 slide 9 ENGG1811 UNSW, CRICOS Provider No: 00098G W8 slide 10 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.visible ' property (True/False) wks.unprotect ' method wks.columns(col).clear ' 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 W8 slide 11 ENGG1811 UNSW, CRICOS Provider No: 00098G W8 slide 12 2

3 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 do need to 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 W8 slide 13 ENGG1811 UNSW, CRICOS Provider No: 00098G W8 slide 14 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 W8 slide 15 ENGG1811 UNSW, CRICOS Provider No: 00098G W8 slide 16 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 (used in week 5) 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 ' generic object type 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 W8 slide 17 ENGG1811 UNSW, CRICOS Provider No: 00098G W8 slide 18 3

4 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, so does 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. Fortunately the latest Mac version (2011) got it back. Using the Macro Recorder 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 W8 slide 19 ENGG1811 UNSW, CRICOS Provider No: 00098G W8 slide 20 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 7 Part B: 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 W8 slide 21 ENGG1811 UNSW, CRICOS Provider No: 00098G W8 slide 22 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 W8 slide 23 ENGG1811 UNSW, CRICOS Provider No: 00098G W8 slide 24 4

5 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 t use Macro Recorder in Excel 2007 to create sample code! Separate Drawing with VBA documentation/tutorial provided to help: see website. (Excel 2010 is OK) ENGG1811 UNSW, CRICOS Provider No: 00098G W8 slide 25 ENGG1811 UNSW, CRICOS Provider No: 00098G W8 slide 26 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 ENGG1811 UNSW, CRICOS Provider No: 00098G W8 slide 27 ENGG1811 UNSW, CRICOS Provider No: 00098G W8 slide 28 Shape Operations Applying stroke (outline) With object.line.weight = 1.5 ' in points/pixels.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 W8 slide 29 ENGG1811 UNSW, CRICOS Provider No: 00098G W8 slide 30 5

6 Examples (second Wed class) Summary 1. Colour Picker (using RGB codes from a sheet) 2. Programming with shapes (time permitting): (a)chessboard just alternating black/white squares (b) 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 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 W8 slide 31 ENGG1811 UNSW, CRICOS Provider No: 00098G W8 slide 32 6

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

Quick Reference Summary

Quick Reference Summary Microsoft Excel 2010 Quick Reference Summary Microsoft Excel 2010 Quick Reference Summary 3-D Chart, Rotate EX 462 3-D Rotation button (Chart Tools Layout tab Background, change rotation (Format Chart

More information

Computer Applications Final Exam Study Guide

Computer Applications Final Exam Study Guide Name: Computer Applications Final Exam Study Guide Microsoft Word 1. To use -and-, position the pointer on top of the selected text, and then drag the selected text to the new location. 2. The Clipboard

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

Application of Skills: Microsoft Excel 2013 Tutorial

Application of Skills: Microsoft Excel 2013 Tutorial Application of Skills: Microsoft Excel 2013 Tutorial Throughout this module, you will progress through a series of steps to create a spreadsheet for sales of a club or organization. You will continue to

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

Microsoft Office Illustrated. Getting Started with Excel 2007

Microsoft Office Illustrated. Getting Started with Excel 2007 Microsoft Office 2007- Illustrated Getting Started with Excel 2007 Objectives Understand spreadsheet software Tour the Excel 2007 window Understand formulas Enter labels and values and use AutoSum Objectives

More information

EVALUATION ONLY. Table of Contents. iv Labyrinth Learning

EVALUATION ONLY. Table of Contents. iv Labyrinth Learning Quick Reference Tables Preface EXCEL 2013 LESSON 1: EXPLORING EXCEL 2013 Presenting Excel 2013 Starting Excel Windows 7 Windows 8 Exploring the Excel Program Window Using Worksheets and Workbooks Mousing

More information

SPREADSHEET (Excel 2007)

SPREADSHEET (Excel 2007) SPREADSHEET (Excel 2007) 1 U N I T 0 4 BY I F T I K H A R H U S S A I N B A B U R Spreadsheet Microsoft Office Excel 2007 (or Excel) is a computer program used to enter, analyze, and present quantitative

More information

Gloucester County Library System EXCEL 2007

Gloucester County Library System EXCEL 2007 Gloucester County Library System EXCEL 2007 Introduction What is Excel? Microsoft E x c e l is an electronic s preadsheet program. I t is capable o f performing many diff e r e n t t y p e s o f c a l

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

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

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

3.2 Circle Charts Line Charts Gantt Chart Inserting Gantt charts Adjusting the date section...

3.2 Circle Charts Line Charts Gantt Chart Inserting Gantt charts Adjusting the date section... / / / Page 0 Contents Installation, updates & troubleshooting... 1 1.1 System requirements... 2 1.2 Initial installation... 2 1.3 Installation of an update... 2 1.4 Troubleshooting... 2 empower charts...

More information

The New Office 2007 Interface and Shared Features

The New Office 2007 Interface and Shared Features The New Office 2007 Interface and Shared Features The Ribbon and Ribbon Tabs Minimising and Maximising Keytips and shortcut keys Standard vs contextual tabs Live Preview Dialogue Box/ Task Pane launchers

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

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

TABLE OF CONTENTS. i Excel 2016 Basic

TABLE OF CONTENTS. i Excel 2016 Basic i TABLE OF CONTENTS TABLE OF CONTENTS I PREFACE VII 1 INTRODUCING EXCEL 1 1.1 Starting Excel 1 Starting Excel using the Start button in Windows 1 1.2 Screen components 2 Tooltips 3 Title bar 4 Window buttons

More information

Microsoft Excel Level 2

Microsoft Excel Level 2 Microsoft Excel Level 2 Table of Contents Chapter 1 Working with Excel Templates... 5 What is a Template?... 5 I. Opening a Template... 5 II. Using a Template... 5 III. Creating a Template... 6 Chapter

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

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

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

MS Office Basic Courses - Customized Training

MS Office Basic Courses - Customized Training MS Office Basic Courses - Customized Training Course Contents Duration: 2 Days Word Basics: 1. Getting Started with Word 3. Creating and Opening Documents 4. Saving and Sharing Documents 5. Working with

More information

Microsoft Excel 2010

Microsoft Excel 2010 Microsoft Excel 2010 omar 2013-2014 First Semester 1. Exploring and Setting Up Your Excel Environment Microsoft Excel 2010 2013-2014 The Ribbon contains multiple tabs, each with several groups of commands.

More information

Excel Intermediate

Excel Intermediate Excel 2013 - Intermediate (103-124) Multiple Worksheets Quick Links Manipulating Sheets Pages EX16 EX17 Copying Worksheets Page EX337 Grouping Worksheets Pages EX330 EX332 Multi-Sheet Cell References Page

More information

Excel 2016 Basics for Mac

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

More information

Excel 2013 Foundation. Excel 2013 Foundation SAMPLE

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

More information

Microsoft Excel Keyboard Shortcuts

Microsoft Excel Keyboard Shortcuts Microsoft Excel Keyboard Shortcuts Here is a complete list of keyboard shortcuts for Microsoft Excel. Most of the shortcuts will work on all Excel versions on Windows based computer. Data Processing Shortcuts

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

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

COMPUTERIZED OFFICE SUPPORT PROGRAM

COMPUTERIZED OFFICE SUPPORT PROGRAM NH108 Excel Level 1 16 Total Hours COURSE TITLE: Excel Level 1 COURSE OVERVIEW: This course provides students with the knowledge and skills to create spreadsheets and workbooks that can be used to store,

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

Candy is Dandy Project (Project #12)

Candy is Dandy Project (Project #12) Candy is Dandy Project (Project #12) You have been hired to conduct some market research about M&M's. First, you had your team purchase 4 large bags and the results are given for the contents of those

More information

DATA 301 Introduction to Data Analytics Microsoft Excel VBA. Dr. Ramon Lawrence University of British Columbia Okanagan

DATA 301 Introduction to Data Analytics Microsoft Excel VBA. Dr. Ramon Lawrence University of British Columbia Okanagan DATA 301 Introduction to Data Analytics Microsoft Excel VBA Dr. Ramon Lawrence University of British Columbia Okanagan ramon.lawrence@ubc.ca DATA 301: Data Analytics (2) Why Microsoft Excel Visual Basic

More information

What can I say? The Excel program window (shown in Figure 1-1)

What can I say? The Excel program window (shown in Figure 1-1) 1 Customizing Technique Save Time By Switching in and out of Full Screen view Customizing sheet and workbook settings Saving your custom settings in a workbook template the Excel Screen Display What can

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

Abdulbasit H. Mhdi Assistant lecturer Chemical engineering/ Tikrit University

Abdulbasit H. Mhdi Assistant lecturer Chemical engineering/ Tikrit University Abdulbasit H. Mhdi Assistant lecturer Chemical engineering/ Tikrit University Introduction To Microsoft Excel Getting started with Excel Excel and Word have a lot in common, since it s belong to the MS

More information

Introduction to Information Technology

Introduction to Information Technology Introduction to Information Technology Assessment of Fundamental Competencies Model Paper 50 marks 1 hour 30 minutes Instructions to Candidates: (i) Select the most appropriate answer from the options

More information

Changing Worksheet Views

Changing Worksheet Views PROCEDURES LESSON 1: TOURING EXCEL Starting Excel 1 Click the Start button 2 Click All Programs 3 Click the Microsoft Office folder icon 4 Click Microsoft Excel 2010 Naming and Saving (Ctrl+S) a Workbook

More information

VBA Handout. References, tutorials, books. Code basics. Conditional statements. Dim myvar As <Type >

VBA Handout. References, tutorials, books. Code basics. Conditional statements. Dim myvar As <Type > VBA Handout References, tutorials, books Excel and VBA tutorials Excel VBA Made Easy (Book) Excel 2013 Power Programming with VBA (online library reference) VBA for Modelers (Book on Amazon) Code basics

More information