Respond to Data Entry Events

Size: px
Start display at page:

Download "Respond to Data Entry Events"

Transcription

1 Respond to Data Entry Events Callahan Chapter 4 Understanding Form and Control Events Developer s Goal make data entry easy, fast, complete, accurate Many form- and control-level events occur as user works within your application Events provide an opportunity for your application to respond to user action Table on Callahan page 68 Event Demonstrator database and webcast Covered in this chapter/webcast Form Events BeforeUpdate, KeyDown Control Events Enter, Exit, KeyDown, KeyPress, KeyUp, AfterUpdate 1

2 Performing Actions as the User Moves in a Form Several events occur as user navigates controls on a form we experimented with them in the Event Demonstrator database Enter and Exit only occur when a user navigates to another control on the same form user clicks another control on the same form Exit(1 st control) LostFocus(1 st control) Enter (2 nd control) GotFocus(2 nd control) Enter and Exit don t occur when a user navigates to another control on a different form user clicks a control on a different form LostFocus(control) Deactivate(form 1) Activate(form 2) GotFocus(control) Changing a Control s Property Setting Change the Background Color of a Combo Box to indicate that was the active control Private Sub Combo51_Enter() Me.AllowEdits= True Combo51.BackColor = 'change background to white Private Sub Combo51_Exit(Cancel As Integer) Me.AllowEdits= False Combo51.BackColor = 'change background to gray If the control is on same form whose VB code is executing Me.controlname.property = value If the control is on another open form Forms!formname!controlname.property = value 2

3 Performing Actions as the User Changes Data AfterUpdateevent (control) occurs after a control s data has been updated, and just before the control is exited Have the Dear field fill automatically whenever the First Name field is changed but only when the Dear field is blank (don t overwrite an existing Dear value) Private Sub FirstName_AfterUpdate() 'Copy the FirstNamevalue to the Dear control If IsNull(Dear) Then Dear = FirstName Responding to Keyboard Events KeyPress event occurs when a user presses and releases a key or key combination that corresponds to an ANSI code while a form or control has the focus ignores function keys, navigation keys, SHIFT, CTRL, ALT KeyUp event occurs when a user releases a key while a form or control has the focus KeyDown event occurs when a user presses a key while a form or control has the focus typically used to trigger code when a user presses function keys (F1-F12) navigation keys (Home, End, Page Up, Page Down,,,,, Tab) combinations of keys involving SHIFT, CTRL, ALT numeric keypad top-row number keys Event Demonstrator database 3

4 Using KeyDown KeyCode an integer that indicates which key was pressed Shift an integer that indicates the status of Shift, Control, and Alt keys 0 = none 1= Shift 2= Ctrl 4= Alt any other value is a sum indicating multiple keys held (eg: 3=[Ctrl]+[ Shift]) Define [Ctrl]+[1] as keyboard shortcut to automatically enter City, State, Country for New York contacts Private Sub City_KeyDown(KeyCode As Integer, Shift As Integer) ' If key is Ctrl+1, enter the values for New York If KeyCode = 49 And Shift = 2 Then 'Ctrl+1was pressed City = "New York" StateOrProvince = "NY" Country = "USA" Make the Keyboard Handler Work Anywhere on the Form By default, only the active control receives keystrokes KeyPreview property a form property that determines whether the form receives keyboard events before passing them to the active control used here so the [Ctrl]+[1] shortcut could work anywhere on the form, not just the City field Private Sub Form_KeyDown(KeyCode As Integer, Shift As Integer) ' If key is Ctrl+1, enter the values for New York If KeyCode = 49 And Shift = 2 Then 'Ctrl+1was pressed City = "New York" StateOrProvince = "NY" Country = "USA" 4

5 Practice Time Open Artie s List database frmrestaurant What happens when a user presses [PageUp] or [PageDown]? Suppose we want to disable [PageUp] and [PageDown] no matter which control the user is in how learn codes for [PageUp] and [PageDown]? Help System Access Object Events Form KeyDown event how can you make your VBA code ignore a keystroke? build this code, then test that [PageDown][PageUp] are now ignored Private Sub Form_KeyDown(KeyCode As Integer, Shift As Integer) ' Ignore PageUp/PageDn keys If KeyCode = vbkeypageup Or KeyCode= vbkeypagedownthen KeyCode= 0 Validating Data Access provides many opportunities to validate data Data type (field) eg: Access rejects the value abc in a Number field Input Mask property (field) PostalCode, WorkPhone, MobilePhone, FaxNumber fields used them Required property (field) Access won t store the record if a Required field is left Null required each record have a LastName and FirstName Validation Rule property (field-level or record-level) used a record-level Validation Rule to require a work or mobile phone number ([WorkPhone] & [MobilePhone]) Is Not Null Before Update event (form) the most versatile way to validate form data fires just before a new or modified record is saved used to execute VBA code to check the form s data, then either allow the save or cancel the save & require corrective action 5

6 Using Form_BeforeUpdate Private Sub Form_BeforeUpdate(CancelAs Integer) ' if the user entered an address, check for a postal code Dim strmessage As String Dim intoptions As Integer variables = named storage locations in memory Dim bytchoiceas Byte If Not IsNull(Address) And IsNull(PostalCode) Then strmessage = "You didn't enter a postal code. Save anyway?" intoptions = vbquestion+ vbokcancel bytchoice= MsgBox(strMessage, intoptions) If bytchoice = vbcancelthen PostalCode.SetFocus Cancel = True ' go back to PostalCode ' cancel saving the record Dueling Message Boxes Message Box statement (Callahan 2) displays a message in a modal dialog box code execution halts until after the message box is closed syntax MsgBox message[, icontype][, title] example MsgBox "This is a Message", vbcritical, "Title Goes Here" Message Box function displays message in a modal dialog box, waits for user to click a button, returns an integer indicating which button was clicked code execution halts until after the message box is closed syntax MsgBox(prompt[, buttons][, title][, helpfile, context]) example intanswer= MsgBox("Are You Sure?", vbyesno+ vbquestion, "Confirm File Deletion") Demo: MsgBox Function in Immediate Window and Help 6

Event Demonstrator. occurs when user changes data displayed on a bound form. occurs when user returns a form s data to its original state

Event Demonstrator. occurs when user changes data displayed on a bound form. occurs when user returns a form s data to its original state Event Demonstrator Form Events Current (Callahan Chapter 2) occurs when user moves to another record and when the form first opens and shows its initial record use to execute code whenever a record is

More information

Respond to Errors and Unexpected Conditions

Respond to Errors and Unexpected Conditions Respond to Errors and Unexpected Conditions Callahan Chapter 7 Practice Time Artie s List Loose Ends ensure that frmrestaurant s module has Option Explicit modify tblrestaurant field sizes Restaurant -

More information

Understanding the MsgBox command in Visual Basic

Understanding the MsgBox command in Visual Basic Understanding the MsgBox command in Visual Basic This VB2008 tutorial explains how to use the MsgBox function in Visual Basic. This also works for VBS MsgBox. The MsgBox function displays a message in

More information

DATABASE AUTOMATION USING VBA (ADVANCED MICROSOFT ACCESS, X405.6)

DATABASE AUTOMATION USING VBA (ADVANCED MICROSOFT ACCESS, X405.6) Technology & Information Management Instructor: Michael Kremer, Ph.D. Database Program: Microsoft Access Series DATABASE AUTOMATION USING VBA (ADVANCED MICROSOFT ACCESS, X405.6) Section 5 AGENDA 8. Events

More information

Find and Filter Records on a Form

Find and Filter Records on a Form Find and Filter Records on a Form Callahan Chapter 3 All About Me Review each form/report can have its own module Me a reference to the form/report whose code is currently executing eg: Me.AllowEdits =

More information

An InputBox( ) function will display an input Box window where the user can enter a value or a text. The format is

An InputBox( ) function will display an input Box window where the user can enter a value or a text. The format is InputBox( ) Function An InputBox( ) function will display an input Box window where the user can enter a value or a text. The format is A = InputBox ( Question or Phrase, Window Title, ) Example1: Integer:

More information

variables programming statements

variables programming statements 1 VB PROGRAMMERS GUIDE LESSON 1 File: VbGuideL1.doc Date Started: May 24, 2002 Last Update: Dec 27, 2002 ISBN: 0-9730824-9-6 Version: 0.0 INTRODUCTION TO VB PROGRAMMING VB stands for Visual Basic. Visual

More information

MAIL MERGE USING MS WORD 97

MAIL MERGE USING MS WORD 97 MAIL MERGE USING MS WORD 97 What is a Mail Merge? A mail merge allows the user to mass-produce documents such as letters and/or memoranda so that they appear personalized. Mail merge may also be used to

More information

MICROSOFT EXCEL 2000 LEVEL 5 VBA PROGRAMMING INTRODUCTION

MICROSOFT EXCEL 2000 LEVEL 5 VBA PROGRAMMING INTRODUCTION MICROSOFT EXCEL 2000 LEVEL 5 VBA PROGRAMMING INTRODUCTION Lesson 1 - Recording Macros Excel 2000: Level 5 (VBA Programming) Student Edition LESSON 1 - RECORDING MACROS... 4 Working with Visual Basic Applications...

More information

Visual Programming 1. What is Visual Basic? 2. What are different Editions available in VB? 3. List the various features of VB

Visual Programming 1. What is Visual Basic? 2. What are different Editions available in VB? 3. List the various features of VB Visual Programming 1. What is Visual Basic? Visual Basic is a powerful application development toolkit developed by John Kemeny and Thomas Kurtz. It is a Microsoft Windows Programming language. Visual

More information

The name of this chapter is Dealing with Devices, but of

The name of this chapter is Dealing with Devices, but of Dealing with Devices CHAPTER W2 The name of this chapter is Dealing with Devices, but of course we never deal with our devices directly. Instead, we delegate that job to Windows, and it takes care of the

More information

Table of Contents Data Validation... 2 Data Validation Dialog Box... 3 INDIRECT function... 3 Cumulative List of Keyboards Throughout Class:...

Table of Contents Data Validation... 2 Data Validation Dialog Box... 3 INDIRECT function... 3 Cumulative List of Keyboards Throughout Class:... Highline Excel 2016 Class 10: Data Validation Table of Contents Data Validation... 2 Data Validation Dialog Box... 3 INDIRECT function... 3 Cumulative List of Keyboards Throughout Class:... 4 Page 1 of

More information

Put Final Touches on an Application

Put Final Touches on an Application Put Final Touches on an Application Callahan Chapter 11 Preparing Your Application for Distribution Controlling How Your Application Starts Forms-based bound forms for data presentation dialog boxes Switchboard

More information

Using Microsoft Word. Text Editing

Using Microsoft Word. Text Editing Using Microsoft Word A word processor is all about working with large amounts of text, so learning the basics of text editing is essential to being able to make the most of the program. The first thing

More information

Creating a main document and a data source by using the Mail Merge Helper. Performing and viewing a merge by using the View Merged Documents button.

Creating a main document and a data source by using the Mail Merge Helper. Performing and viewing a merge by using the View Merged Documents button. L E S S O N 3 Merging Suggested teaching time 45-55 minutes Lesson objectives In this lesson, you will learn the basics of mail merge by: a b c d e Creating a main document and a data source by using the

More information

Tutorial 5 Advanced Queries and Enhancing Table Design

Tutorial 5 Advanced Queries and Enhancing Table Design Tutorial 5 Advanced Queries and Enhancing Table Design (Sessions 1 and 3 only) The Clinic Database Clinic.accdb file for Tutorials 5-8 object names include tags no spaces in field names to promote upsizing

More information

Office 2016 Excel Basics 06 Video/Class Project #18 Excel Basics 6: Customize Quick Access Toolbar (QAT) and Show New Ribbon Tabs

Office 2016 Excel Basics 06 Video/Class Project #18 Excel Basics 6: Customize Quick Access Toolbar (QAT) and Show New Ribbon Tabs **These pdf Notes are for video 6-8. Scroll down to see notes for all three videos. Office 2016 Excel Basics 06 Video/Class Project #18 Excel Basics 6: Customize Quick Access Toolbar (QAT) and Show New

More information

MgtOp 470 Business Modeling with Spreadsheets Sample Midterm Exam. 1. Spreadsheets are known as the of business analysis.

MgtOp 470 Business Modeling with Spreadsheets Sample Midterm Exam. 1. Spreadsheets are known as the of business analysis. Section 1 Multiple Choice MgtOp 470 Business Modeling with Spreadsheets Sample Midterm Exam 1. Spreadsheets are known as the of business analysis. A. German motor car B. Mexican jumping bean C. Swiss army

More information

The American University in Cairo. Academic Computing Services. Access prepared by. Aya Saad. Spring 2003

The American University in Cairo. Academic Computing Services. Access prepared by. Aya Saad. Spring 2003 The American University in Cairo Academic Computing Services Access 2000 prepared by Aya Saad Spring 2003 TABLE OF CONTENTS INTRODUCTION... 2 TABLES... 3 RELATIONSHIPS... 7 QUERIES... 9 FORMS... 13 MACROS

More information

Not For Sale. Using and Writing Visual Basic for Applications Code. Creating VBA Code for the Holland Database. Case Belmont Landscapes

Not For Sale. Using and Writing Visual Basic for Applications Code. Creating VBA Code for the Holland Database. Case Belmont Landscapes Objectives Tutorial 11 Session 11.1 Learn about Function procedures (functions), Sub procedures (subroutines), and modules Review and modify an existing subroutine in an event procedure Create a function

More information

XnView 1.9. a ZOOMERS guide. Introduction...2 Browser Mode... 5 Image View Mode...15 Printing Image Editing...28 Configuration...

XnView 1.9. a ZOOMERS guide. Introduction...2 Browser Mode... 5 Image View Mode...15 Printing Image Editing...28 Configuration... XnView 1.9 a ZOOMERS guide Introduction...2 Browser Mode... 5 Image View Mode...15 Printing... 22 Image Editing...28 Configuration... 36 Written by Chorlton Workshop for hsbp Introduction This is a guide

More information

Highline Excel 2016 Class 13: One Lookup Value to Return Multiple Items: Array Formula

Highline Excel 2016 Class 13: One Lookup Value to Return Multiple Items: Array Formula Highline Excel 2016 Class 13: One Lookup Value to Return Multiple Items: Array Formula Table of Contents One Lookup Value to Return Multiple Items: Array Formula with INDEX, AGGREGATE, ROW, ROWS and IF

More information

You ll notice at the bottom of the file menu there is a list of recently opened files. You can click a file name in the list to re-open that file.

You ll notice at the bottom of the file menu there is a list of recently opened files. You can click a file name in the list to re-open that file. Using Microsoft Word A word processor is all about working with large amounts of text, so learning the basics of text editing is essential to being able to make the most of the program. The first thing

More information

Complete List of Windows 8 Keyboard Shortcuts Keyboard Shortcuts for Desktops

Complete List of Windows 8 Keyboard Shortcuts Keyboard Shortcuts for Desktops Complete List of Windows 8 Keyboard Shortcuts s for Desktops 11/1/2012 http://theapptimes.com Introduction One of the smartest ways to work with Windows is by using keyboard shortcuts. All of us Windows

More information

Excel Macro Record and VBA Editor. Presented by Wayne Wilmeth

Excel Macro Record and VBA Editor. Presented by Wayne Wilmeth Excel Macro Record and VBA Editor Presented by Wayne Wilmeth 1 What Is a Macro? Automates Repetitive Tasks Written in Visual Basic for Applications (VBA) Code Macro Recorder VBA Editor (Alt + F11) 2 Executing

More information

GENERAL NAVIGATION REFERENCE GUIDE FOR BANNER 7.X

GENERAL NAVIGATION REFERENCE GUIDE FOR BANNER 7.X GENERAL NAVIGATION REFERENCE GUIDE FOR BANNER 7.X Table of Contents I. Banner Basics A. Launching Banner...1 B. Main or General Menu...2 C. Setting Personal Preferences...3 D. My Links Customization of

More information

Access 2003 Introduction

Access 2003 Introduction Microsoft Application Series Access 2003 Introduction Best STL Courses never cancelled: guaranteed Last minute rescheduling 24 months access to Microsoft trainers 12+ months schedule UK wide delivery www.microsofttraining.net

More information

JIDE Shortcut Editor Developer Guide

JIDE Shortcut Editor Developer Guide JIDE Shortcut Editor Developer Guide Contents PURPOSE OF THIS DOCUMENT... 1 BASIC CONCEPTS... 1 SHORTCUT... 2 SHORCUTSCHEMA... 2 SHORTCUTSCHEMAMANAGER... 2 FEATURES OF SHORTCUT EDITOR... 2 CLASSES, INTERFACES

More information

IFA/QFN VBA Tutorial Notes prepared by Keith Wong

IFA/QFN VBA Tutorial Notes prepared by Keith Wong IFA/QFN VBA Tutorial Notes prepared by Keith Wong Chapter 5: Excel Object Model 5-1: Object Browser The Excel Object Model contains thousands of pre-defined classes and constants. You can view them through

More information

FM 4/100 USB Software for OSX

FM 4/100 USB Software for OSX FM 4/100 USB Software for OSX JLCooper makes no warranties, express or implied, regarding this software s fitness for a particular purpose, and in no event shall JLCooper Electronics be liable for incidental

More information

Changing How the Keyboard Works in Windows 7

Changing How the Keyboard Works in Windows 7 Changing How the Keyboard Works in Windows 7 Mada Assistive Technology Center Tel: 00 974 44594050 Fax: 00 974 44594051 Email: info@mada.org.qa Introduction The keyboard can be adjusted to suit you in

More information

XnView Image Viewer. a ZOOMERS guide

XnView Image Viewer. a ZOOMERS guide XnView Image Viewer a ZOOMERS guide Introduction...2 Browser Mode... 5 Image View Mode...14 Printing... 22 Image Editing...26 Configuration... 34 Note that this guide is for XnView version 1.8. The current

More information

FEATURE INDEX TAB MIX PLUS: LINKS... 3 TAB MIX PLUS: EVENTS TAB OPENING... 4 TAB MIX PLUS: EVENTS TAB FOCUS... 5

FEATURE INDEX TAB MIX PLUS: LINKS... 3 TAB MIX PLUS: EVENTS TAB OPENING... 4 TAB MIX PLUS: EVENTS TAB FOCUS... 5 FEATURE HELP FEATURE INDEX TAB MIX PLUS: LINKS... 3 TAB MIX PLUS: EVENTS TAB OPENING... 4 TAB MIX PLUS: EVENTS TAB FOCUS... 5 TAB MIX PLUS: EVENTS TAB CLOSING... 6 TAB MIX PLUS: EVENTS TAB FEATURES...

More information

University of Technology Laser & Optoelectronics Engineering Department Visual basic Lab. LostFocus Resize System event

University of Technology Laser & Optoelectronics Engineering Department Visual basic Lab. LostFocus Resize System event Events Private Sub Form_Load() Load Close Unload Private Sub Form_Unload(Cancel As Integer) Cancel=True Cancel * Show Activate SetFocus Focus Deactivate SetFocus GotFocus CommandButton LostFocus Resize

More information

Microsoft Office Excel 2003

Microsoft Office Excel 2003 Microsoft Office Excel 2003 Tutorial 1 Using Excel To Manage Data 1 Identify major components of the Excel window Excel is a computerized spreadsheet, which is an important business tool that helps you

More information

Visual Basic.NET. 1. Which language is not a true object-oriented programming language?

Visual Basic.NET. 1. Which language is not a true object-oriented programming language? Visual Basic.NET Objective Type Questions 1. Which language is not a true object-oriented programming language? a.) VB.NET b.) VB 6 c.) C++ d.) Java Answer: b 2. A GUI: a.) uses buttons, menus, and icons.

More information

Angel International School - Manipay 1 st Term Examination November, 2015

Angel International School - Manipay 1 st Term Examination November, 2015 Grade 10 Angel International School - Manipay 1 st Term Examination November, 2015 Information & Communication Technology Duration: 3.00 Hours Part 1 Choose the appropriate answer 1) Find the correct type

More information

Excel & Visual Basic for Applications (VBA)

Excel & Visual Basic for Applications (VBA) Class meeting #18 Monday, Oct. 26 th GEEN 1300 Introduction to Engineering Computing Excel & Visual Basic for Applications (VBA) user interfaces o on-sheet buttons o InputBox and MsgBox functions o userforms

More information

Access Forms Masterclass 5 Create Dynamic Titles for Your Forms

Access Forms Masterclass 5 Create Dynamic Titles for Your Forms Access Forms Masterclass 5 Create Dynamic Titles for Your Forms Published: 13 September 2018 Author: Martin Green Screenshots: Access 2016, Windows 10 For Access Versions: 2007, 2010, 2013, 2016 Add a

More information

Give users a control that makes entering dates as easy as it is in Intuit Quicken.

Give users a control that makes entering dates as easy as it is in Intuit Quicken. April, 2005 Visual FoxPro 9/8/7 Easier Date Entry Give users a control that makes entering dates as easy as it is in Intuit Quicken. By Tamar E. Granor, technical editor As I've written previously, I think

More information

Events. Event Handler Arguments 12/12/2017. EEE-425 Programming Languages (2016) 1

Events. Event Handler Arguments 12/12/2017. EEE-425 Programming Languages (2016) 1 Events Events Single Event Handlers Click Event Mouse Events Key Board Events Create and handle controls in runtime An event is something that happens. Your birthday is an event. An event in programming

More information

A DVANCED T OPICS IN A CCESS: MACROS

A DVANCED T OPICS IN A CCESS: MACROS Introduction Macro: a set of one or more instructions that respond to an event (an action taken by a user, usually a keypress or mouse action). Macros are employed for two reasons: efficiency and consistency.

More information

MCS 2 USB Software for OSX

MCS 2 USB Software for OSX for OSX JLCooper makes no warranties, express or implied, regarding this software s fitness for a particular purpose, and in no event shall JLCooper Electronics be liable for incidental or consequential

More information

Word 2016 Tips. Rylander Consulting

Word 2016 Tips. Rylander Consulting Word 2016 Tips Rylander Consulting www.rylanderconsulting.com sandy@rylanderconsulting.com 425.445.0064 Word 2016 i Table of Contents Screen Display Tips... 1 Create a Shortcut to a Recently Opened Document

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

CS130/230 Lecture 12 Advanced Forms and Visual Basic for Applications

CS130/230 Lecture 12 Advanced Forms and Visual Basic for Applications CS130/230 Lecture 12 Advanced Forms and Visual Basic for Applications Friday, January 23, 2004 We are going to continue using the vending machine example to illustrate some more of Access properties. Advanced

More information

Keyboard : All special keys : Enter, Del, Shift, Backspace,Tab Contributors Dhanya.P Std II. Reviewers Approval Date Ref No:

Keyboard : All special keys : Enter, Del, Shift, Backspace,Tab Contributors Dhanya.P Std II. Reviewers Approval Date Ref No: Title Keyboard : All special keys : Enter, Del, Shift, Backspace,Tab Contributors Dhanya.P Std II Submission Date Reviewers Approval Date Ref No: Brief Description Goal Pre requisites Learning Outcome

More information

Microsoft Excel 2013 Unit 1: Spreadsheet Basics & Navigation Student Packet

Microsoft Excel 2013 Unit 1: Spreadsheet Basics & Navigation Student Packet Microsoft Excel 2013 Unit 1: Spreadsheet Basics & Navigation Student Packet Signing your name below means the work you are turning in is your own work and you haven t given your work to anyone else. Name

More information

Microsoft Access 2010 Level III

Microsoft Access 2010 Level III Microsoft Access 2010 Level III Handout Objectives I. Creating a Password Table II. Designing a Form III. Entering Codes Overview: With its Microsoft Office Fluent user interface and interactive design

More information

Angel International School - Manipay 1 st Term Examination November, 2015

Angel International School - Manipay 1 st Term Examination November, 2015 Angel International School - Manipay 1 st Term Examination November, 2015 Information & Communication Technology Grade 11A & C Duration: 3.00 Hours Part 1 Choose the most appropriate answer. 1) Find the

More information

Copyright 2004, Mighty Computer Services

Copyright 2004, Mighty Computer Services EZ-GRAPH DATABASE PROGRAM MANUAL Copyright 2004, Mighty Computer Services The Table of Contents is located at the end of this document. I. Purpose EZ-Graph Database makes it easy to draw and maintain basic

More information

NiceForm User Guide. English Edition. Rev Euro Plus d.o.o. & Niceware International LLC All rights reserved.

NiceForm User Guide. English Edition. Rev Euro Plus d.o.o. & Niceware International LLC All rights reserved. www.nicelabel.com, info@nicelabel.com English Edition Rev-0910 2009 Euro Plus d.o.o. & Niceware International LLC All rights reserved. www.nicelabel.com Head Office Euro Plus d.o.o. Ulica Lojzeta Hrovata

More information

Instructions for Crossword Assignment CS130

Instructions for Crossword Assignment CS130 Instructions for Crossword Assignment CS130 Purposes: Implement a keyboard interface. 1. The program you will build is meant to assist a person in preparing a crossword puzzle for publication. You have

More information

6/14/2010. VBA program units: Subroutines and Functions. Functions: Examples: Examples:

6/14/2010. VBA program units: Subroutines and Functions. Functions: Examples: Examples: VBA program units: Subroutines and Functions Subs: a chunk of VBA code that can be executed by running it from Excel, from the VBE, or by being called by another VBA subprogram can be created with the

More information

In the previous chapter, I showed you how to build a program

In the previous chapter, I showed you how to build a program More About Bound Controls 8 C H A P T E R In This Chapter In the previous chapter, I showed you how to build a program without any code using only bound controls and the ADO Data Control. In this chapter,

More information

Hands-On-Labs for. Microsoft Identity Integration Server Microsoft Identity Integration Server 2003 Hand-On-Labs

Hands-On-Labs for. Microsoft Identity Integration Server Microsoft Identity Integration Server 2003 Hand-On-Labs Hands-On-Labs for Microsoft Identity Integration Server 2003 Microsoft Corporation Published: July 2003 Revision: May 2004 For the latest information, see http://www.microsoft.com/miis Page 1 of 32 The

More information

BasicScript 2.25 User s Guide. May 29, 1996

BasicScript 2.25 User s Guide. May 29, 1996 BasicScript 2.25 User s Guide May 29, 1996 Information in this document is subject to change without notice. No part of this document may be reproduced or transmitted in any form or by any means, electronic

More information

Access 2007 Introduction

Access 2007 Introduction Microsoft Application Series Access 2007 Introduction Best STL Courses never cancelled: guaranteed Last minute rescheduling 24 months access to Microsoft trainers 12+ months schedule UK wide delivery www.microsofttraining.net

More information

Course: US02EBCA02 (Working with RDBMS for Small Scale Organizations) Effective from June

Course: US02EBCA02 (Working with RDBMS for Small Scale Organizations) Effective from June Course: US02EBCA02 (Working with RDBMS for Small Scale Organizations) Effective from June - 2010 Credits: 2 Unit : 1 Question Bank Lectures per week: 2 Hours Marks: 2 (Short Questions) Q 1: What is RDBMS?

More information

Perceptive Intelligent Capture Project Migration Tool. User Guide. Version: 2.0.x

Perceptive Intelligent Capture Project Migration Tool. User Guide. Version: 2.0.x Perceptive Intelligent Capture Project Migration Tool User Guide Version: 2.0.x Written by: Product Knowledge, R&D Date: May 2015 2015 Lexmark International Technology, S.A. All rights reserved. Lexmark

More information

Access Intermediate

Access Intermediate Access 2013 - Intermediate 103-134 Advanced Queries Quick Links Overview Pages AC124 AC125 Selecting Fields Pages AC125 AC128 AC129 AC131 AC238 Sorting Results Pages AC131 AC136 Specifying Criteria Pages

More information

Highline Excel 2016 Class 09: Date Functions

Highline Excel 2016 Class 09: Date Functions Highline Excel 2016 Class 09: Date Functions Table of Contents Date Functions... 2 Examples of EOMONTH, EDATE and DATE functions:... 2 Fiscal Year... 3 Example of Data Set with Date Helper Columns, including

More information

Accessibility. Mike McBride

Accessibility. Mike McBride Mike McBride 2 Contents 1 Accessibility 4 1.1 Introduction......................................... 4 1.1.1 Bell.......................................... 4 1.1.2 Modifier keys....................................

More information

3 IN THIS CHAPTER. Understanding Program Variables

3 IN THIS CHAPTER. Understanding Program Variables Understanding Program Variables Your VBA procedures often need to store temporary values for use in statements and calculations that come later in the code. For example, you might want to store values

More information

Peripheral Devices devices attached to the CPU (computer)

Peripheral Devices devices attached to the CPU (computer) Lesson Notes Author: Pamela Schmidt Peripheral Devices devices attached to the CPU (computer) Input Devices allows information to be sent to the computer Pointing Devices Mouse Most mice have two buttons.

More information

d2vbaref.doc Page 1 of 22 05/11/02 14:21

d2vbaref.doc Page 1 of 22 05/11/02 14:21 Database Design 2 1. VBA or Macros?... 2 1.1 Advantages of VBA:... 2 1.2 When to use macros... 3 1.3 From here...... 3 2. A simple event procedure... 4 2.1 The code explained... 4 2.2 How does the error

More information

JUN / 04 VERSION 7.1 FOUNDATION

JUN / 04 VERSION 7.1 FOUNDATION JUN / 04 VERSION 7.1 FOUNDATION PVI EWSDTME www.smar.com Specifications and information are subject to change without notice. Up-to-date address information is available on our website. web: www.smar.com/contactus.asp

More information

Programming Concepts and Skills. Arrays continued and Functions

Programming Concepts and Skills. Arrays continued and Functions Programming Concepts and Skills Arrays continued and Functions Fixed-Size vs. Dynamic Arrays A fixed-size array has a limited number of spots you can place information in. Dim strcdrack(0 to 2) As String

More information

1 Ctrl + X Cut the selected item. 2 Ctrl + C (or Ctrl + Insert) Copy the selected item. 3 Ctrl + V (or Shift + Insert) Paste the selected item

1 Ctrl + X Cut the selected item. 2 Ctrl + C (or Ctrl + Insert) Copy the selected item. 3 Ctrl + V (or Shift + Insert) Paste the selected item Tips and Tricks Recorder Actions Library XPath Syntax Hotkeys Windows Hotkeys General Keyboard Shortcuts Windows Explorer Shortcuts Command Prompt Shortcuts Dialog Box Keyboard Shortcuts Excel Hotkeys

More information

Log into your portal and then select the Banner 9 badge. Application Navigator: How to access Banner forms (now called pages.)

Log into your portal and then select the Banner 9 badge. Application Navigator: How to access Banner forms (now called pages.) Navigation Banner 9 Log into your portal and then select the Banner 9 badge. This will bring you to the Application Navigator. Application Navigator: How to access Banner forms (now called pages.) Menu

More information

Answer: C. 7. In window we can write code A. Immediate window B. Locals window C. Code editor window D. None of these. Answer: C

Answer: C. 7. In window we can write code A. Immediate window B. Locals window C. Code editor window D. None of these. Answer: C 1. Visual Basic is a tool that allows you to develop application in A. Real time B. Graphical User Interface C. Menu Driven D. None Of These 2. IDE stands for.. A. Internet Development Environment B. Integrated

More information

Formulas and Functions

Formulas and Functions Conventions used in this document: Keyboard keys that must be pressed will be shown as Enter or Ctrl. Controls to be activated with the mouse will be shown as Start button > Settings > System > About.

More information

PC shortcuts & Mac shortcuts

PC shortcuts & Mac shortcuts PC shortcuts & Mac shortcuts Editing shortcuts Edit active cell F2 U Cut X X Copy C C Paste V V Paste Special Alt E S V Paste name into formula F3 Toggle references F4 T Start a new line within the same

More information

Introduction to Microsoft Office PowerPoint 2010

Introduction to Microsoft Office PowerPoint 2010 Introduction to Microsoft Office PowerPoint 2010 TABLE OF CONTENTS Open PowerPoint 2010... 1 About the Editing Screen... 1 Create a Title Slide... 6 Save Your Presentation... 6 Create a New Slide... 7

More information

MICROSOFT EXCEL KEYBOARD SHORCUTS

MICROSOFT EXCEL KEYBOARD SHORCUTS MICROSOFT EXCEL KEYBOARD SHORCUTS F1 Displays the Office Assistant or (Help > Microsoft Excel Help) F2 Edits the active cell, putting the cursor at the end F3 Displays the (Insert > Name > Paste) dialog

More information

Using the Customize Dialog Box

Using the Customize Dialog Box Toolbar Tools > Customize Using the Customize Dialog Box The Customize tool is used to define custom work environment, toolbar, and tool settings. The Customize dialog box appears when you access the Customize

More information

VBA. VBA at a glance. Lecture 61

VBA. VBA at a glance. Lecture 61 VBA VBA at a glance Lecture 61 1 Activating VBA within SOLIDWORKS Lecture 6 2 VBA Sub main() Function Declaration Dim A, B, C, D, E As Double Dim Message, Title, Default Message = "A : " ' Set prompt.

More information

2D1640 Grafik och Interaktionsprogrammering VT Good for working with different kinds of media (images, video clips, sounds, etc.

2D1640 Grafik och Interaktionsprogrammering VT Good for working with different kinds of media (images, video clips, sounds, etc. An Introduction to Director Gustav Taxén gustavt@nada.kth.se 2D1640 Grafik och Interaktionsprogrammering VT 2006 Director MX Used for web sites and CD-ROM productions Simpler interactive content (2D and

More information

Lookup Project. frmlookup (Name: object is a combo box, style 2); use 4 labels: 2 for phone, 2 for mail. MsgBox Function:

Lookup Project. frmlookup (Name: object is a combo box, style 2); use 4 labels: 2 for phone, 2 for mail. MsgBox Function: Lookup Project frmlookup (Name: object is a combo box, style 2); use 4 labels: 2 for phone, 2 for mail. MsgBox Function: Help About, in a Message Box lookup.vbp programmed by C.Gribble Page 2 Code for

More information

Human Factors Engineering Short Course Topic: A Simple Numeric Entry Keypad

Human Factors Engineering Short Course Topic: A Simple Numeric Entry Keypad Human Factors Engineering Short Course 2016 Creating User Interface Prototypes with Microsoft Visual Basic for Applications 3:55 pm 4:55 pm, Wednesday, July 27, 2016 Topic: A Simple Numeric Entry Keypad

More information

KB9000 Programmable Touch Bumpbar PROGRAMMING MANUAL

KB9000 Programmable Touch Bumpbar PROGRAMMING MANUAL KB9000 Programmable Touch Bumpbar PROGRAMMING MANUAL Table of Contents 1 Introduction... 2 2 Software Installation... 2 3 Programming the KB9000... 3 3.1 Connecting the keyboard... 3 3.2 Starting the utility...

More information

Microsoft Excel > Shortcut Keys > Shortcuts

Microsoft Excel > Shortcut Keys > Shortcuts Microsoft Excel > Shortcut Keys > Shortcuts Function Keys F1 Displays the Office Assistant or (Help > Microsoft Excel Help) F2 Edits the active cell, putting the cursor at the end* F3 Displays the (Insert

More information

Variable Data Printing in Fiery Controllers. Exercise 1: Fiery FreeForm 1

Variable Data Printing in Fiery Controllers. Exercise 1: Fiery FreeForm 1 Variable Data Printing in Fiery Controllers Exercise 1: Fiery FreeForm 1 1. About this exercise This exercise describes the basic steps for creating a simple VDP (Variable Data Printing) job using the

More information

ASSISTIVE CONTEXT-AWARE TOOLKIT (ACAT)

ASSISTIVE CONTEXT-AWARE TOOLKIT (ACAT) ASSISTIVE CONTEXT-AWARE TOOLKIT (ACAT) FAQ S VERSION 1.0.0 1 ACAT VISION 1.1 How can I enable/disable ACAT Vision? 1.2 ACAT Vision uses cheek twitch as the trigger. How do I use the eyebrow raise gesture

More information

12/14/2016. Errors. Debugging and Error Handling. Run-Time Errors. Debugging in C# Debugging in C# (continued)

12/14/2016. Errors. Debugging and Error Handling. Run-Time Errors. Debugging in C# Debugging in C# (continued) Debugging and Error Handling Debugging methods available in the ID Error-handling techniques available in C# Errors Visual Studio IDE reports errors as soon as it is able to detect a problem Error message

More information

Release Notes for April StatCrunch Updates

Release Notes for April StatCrunch Updates Release Notes for April 2018 - StatCrunch Updates Major additions Introducing accessibility features that support full keyboard functionality including new keyboard shortcuts. [Go to page 2] Measures to

More information

Private/Public Saved Searches

Private/Public Saved Searches Private/Public Saved Searches Learning Objectives In this Job Aid, you will learn how to: 1 Save a private/public search page 3 2 Save a search template page 5 3 Access private and public saved searches

More information

Access Intermediate

Access Intermediate Access 2010 - Intermediate 103-134 Advanced Queries Quick Links Overview Pages AC116 AC117 Selecting Fields Pages AC118 AC119 AC122 Sorting Results Pages AC125 AC126 Specifying Criteria Pages AC132 AC134

More information

Recommended GUI Design Standards

Recommended GUI Design Standards Recommended GUI Design Standards Page 1 Layout and Organization of Your User Interface Organize the user interface so that the information follows either vertically or horizontally, with the most important

More information

Microsoft Office 2010: Introductory Q&As Access Chapter 3

Microsoft Office 2010: Introductory Q&As Access Chapter 3 Microsoft Office 2010: Introductory Q&As Access Chapter 3 Is the form automatically saved the way the report was created when I used the Report Wizard? (AC 142) No. You will need to take specific actions

More information

STAR OFFICE WRITER. Lesson 1

STAR OFFICE WRITER. Lesson 1 Lesson 1 STAR OFFICE WRITER 1. Star office applications are grouped into a/an environment. a. Joint b. combined c. forum d. integrated 2. The of the document can be typed in the big blank area of the screen.

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

Using Microsoft Word. Paragraph Formatting. Displaying Hidden Characters

Using Microsoft Word. Paragraph Formatting. Displaying Hidden Characters Using Microsoft Word Paragraph Formatting Every time you press the full-stop key in a document, you are telling Word that you are finishing one sentence and starting a new one. Similarly, if you press

More information

Use Default Form Instances

Use Default Form Instances Use Default Form Instances Created: 2011-01-03 Modified:2012-07-05 Contents Introduction... 2 Add Form Classes... 3 Starting Form (Home Page)... 5 Use Multiple Forms... 6 Different Ways of Showing Forms...

More information

1. About AP Invoice Wizard

1. About AP Invoice Wizard 1. About AP Invoice Wizard Welcome to AP Invoice Wizard. We have developed this tool in response to demand from Oracle Payables users for a user friendly and robust spreadsheet tool to load AP Invoices

More information

Getting started 7. Writing macros 23

Getting started 7. Writing macros 23 Contents 1 2 3 Getting started 7 Introducing Excel VBA 8 Recording a macro 10 Viewing macro code 12 Testing a macro 14 Editing macro code 15 Referencing relatives 16 Saving macros 18 Trusting macros 20

More information

SECTION 4 USING QUERIES. What will I learn in this section?

SECTION 4 USING QUERIES. What will I learn in this section? SECTION 4 USING QUERIES What will I learn in this section? Select Queries Creating a Query Adding a Table to Query Adding Fields to Query Single Criteria Hiding column in a Query Adding Multiple Tables

More information

IFA/QFN VBA Tutorial Notes prepared by Keith Wong

IFA/QFN VBA Tutorial Notes prepared by Keith Wong Chapter 2: Basic Visual Basic programming 2-1: What is Visual Basic IFA/QFN VBA Tutorial Notes prepared by Keith Wong BASIC is an acronym for Beginner's All-purpose Symbolic Instruction Code. It is a type

More information

Enterprise Edge Attendant Console User Guide

Enterprise Edge Attendant Console User Guide Enterprise Edge Attendant Console User Guide 1-800-4 NORTEL www.nortelnetworks.com 1999 Nortel Networks P0908544 Issue 02 Contents Chapter 1 Introduction to Enterprise Edge Attendant Console 7 About this

More information

Simple sets of data can be expressed in a simple table, much like a

Simple sets of data can be expressed in a simple table, much like a Chapter 1: Building Master and Detail Pages In This Chapter Developing master and detail pages at the same time Building your master and detail pages separately Putting together master and detail pages

More information