Selection: Boolean Expressions (2) Precedence chart:
|
|
|
- Darren Haynes
- 9 years ago
- Views:
Transcription
1 Selection: Boolean Expressions Boolan operators: Return a Boolean value Types: 1. Relational operators Operators: (a) < (less than) (b) > (greater than) (c) = (equal to) (d) <= (less than or equal to) (e) >= (greater than or equal to) (f) <> (not equal to) Arguments must be type-compatible Note that assignment operator and equivalence test use same operator When using inequalities: (a) Numeric types as you would expect (b) Character comparison based on position in collating sequence (ASCII) (c) String comparison uses dictionary-style (d) Date comparisons based on calendar sequence (e) F alse < T rue 2. Logical operators Operators: (a) And (b) Or (c) Not (d) Xor (exclusive or) Arguments must be Boolean Values represented by truth tables Graphical way of expressing value of Boolean expression A B A And B A Or B A Xor B Not A True True True True False False True False False True True False False True False True True True False False False False False True 1
2 Selection: Boolean Expressions (2) Precedence chart: operator highest () unary +, - *, / +, - relational operators Not And, AndAlso Or, OrElse lowest Xor Boolean functions: 1. String functions: (a).endswith(str): hello.endswith( lo ) (b).startswith(str): hello.startswith( hell ) (c).equals(str): hello.equals( hello ) (d).compareto(str): hello.compareto( hello ) Returns 0 if caller equals str Returns -1 if caller < str Returns +1 if caller > str (e) IsNumeric(str): IsNumeric( $5,000,123 ) 2. Char functions (a).isdigit(c) (b).isletter(c) (c).isletterordigit(c) (d).islower(c) (e).isupper(c) (f).ispunctuation(c) (g).issymbol(c) (e.g., operators: +, =, ˆ) (h).iswhitespace(c) Note:.Equals and.compareto available for all data types 2
3 Short circuit evaluation Selection: Boolean Expressions (3) Consider the Boolean expression a And b If a is F alse, there is no need to evaluate b VB provides two additional Boolean operators that perform short circuit evaluation They only evaluate as much as is needed to determine the truth value of the expression AndAlso and OrElse have the same semantics as And and Or, respectively, but use short circuit evaluation 3
4 Basic selection statement Syntax (limited): If Boolean-expression Then statements Else statements Semantics: Selection: If-Then-Else If Boolean-expression is True, execute statements after Then If Boolean-expression is False, execute statements after Else Note that the Else component is optional 4
5 Selection: If-Then-Else Examples Simple If-Then: pay = hours * rate If hours > 40 Then pay = pay + (hours - 40) * rate * 0.5 Simple If-Then-Else example: If hours <= 40 Then pay = hours * rate Else pay = 40 * rate + ((hours - 40) * 1.5 * rate) Nested If-Then-Else example: If temp < 100 Then txtwarn.text = "WARNING: Temperature below normal" Else If temp > 200 Then txtwarn.text = "WARNING: Elevated temperature" Else txtwarn.text = "Normal operating temperature" 5
6 The complete syntax for If is If Boolean-expression 1 Then statements 1 ElseIf Boolean-expression 2 Then statements 2... Else statements n Semantics: Selection: If-Then-ElseIf If Boolean-expression 1 is True, execute statements 1 If Boolean-expression 1 is False, check Boolean-expression 2... This format much more convenient than using separate nested ifs 6
7 If-Then-ElseIf example: Selection: If-Then-ElseIf Example If temp < 100 Then txtwarn.text = "WARNING: Temperature below normal" ElseIf temp > 200 Then txtwarn.text = "WARNING: Elevated temperature" Else txtwarn.text = "Normal operating temperature" 7
8 Selection: If-Then-Else Style Improper use of nested If-Then-Else: How many exemptions does someone over 65, married to someone over 65 and filing jointly receive? Dim married As Boolean Dim age, spouseage, dependents, exemptions As Integer Dim filingstatus As Char... If age > 65 Then exemptions = exemptions + 1 ElseIf spouseage > 65 Then exemptions = exemptions + 1 ElseIf (dependents > 0) Then exemptions = exemptions + dependents ElseIf married And (filingstatus = "J") Then exemptions = exemptions + 1 Proper version of nested If-Then-Else:... If age > 65 Then exemptions = exemptions + 1 If spouseage > 65 Then exemptions = exemptions + 1 If (dependents > 0) Then exemptions = exemptions + dependents If married And (filingstatus = "J") Then exemptions = exemptions + 1 8
9 Selection: If-Then-Else Style (2) Improper use of sequential ifs: What letter grade does someone with a 95 get? If avg >= 90 Then grade = "A" If avg >= 80 Then grade = "B" If avg >= 70 Then grade = "C" If avg >= 60 Then grade = "D" If avg < 60 Then grade = "F" Better use of sequential ifs If avg >= 90 Then grade = "A" If (avg >= 80) And (avg < 90) Then grade = "B" If (avg >= 70) And (avg < 80) Then grade = "C" If (avg >= 60) And (avg < 70) Then grade = "D" If avg < 60 Then grade = "F" 9
10 Selection: If-Then-Else Style (3) Best use of nested ifs If avg >= 90 Then grade = "A" ElseIf avg >= 80 Then grade = "B" ElseIf avg >= 70 Then grade = "C" ElseIf avg >= 60 Then grade = "D" Else grade = "F" 10
11 Selection: Select Case Select statement is an alternative to nested If-ElseIf Syntax: Select Case expression Case valuelist 1 statements 1 Case valuelist 2 statements 2... Case Else statements n End Select valuelist is a comma-separated list of values (if more than one value) A value may have any of the following forms Let a value-returning-expression be either a literal, variable, or expression 1. value-returning-expression 2. Is relop value-returning-expression 3. value-returning-expression 1 To value-returning-expression 2 where value-returning-expression 1 < value-returning-expression 2 Semantics: expression is evaluated The Case clauses are evaluated one by-by-one until the value of expression meets the condition of valuelist When a Case is True, the statements following it are executed If no Case is True, either the statements following the Else are executed, or execution continues to the statement following the End Select 11
12 Selection: Select Examples Simple example: Select Case year Mod 4 Case 0 MessageBox.Show("This is an election year") Case 1 MessageBox.Show("Last year was an election year") Case 2 MessageBox.Show("Two years ago was an election year") Case 3 MessageBox.Show("Next year is an election year") End Select Another example: Select Case avg Case Is >= 90 grade = "A" Case Is >= 80 grade = "B" Case Is >= 70 grade = "C" Case Is >= 60 grade = "D" Case Else grade = "F" End Select And another: Select Case temp Case 100 To 200 MessageBox.Show("Normal operating temperature") Case Is < 100 MessageBox.Show("WARNING: Temperature below normal") Case Else MessageBox.Show("WARNING: Elevated temperature") End Select 12
13 Selection: Input Based on User Selection The following examines several controls that allow the user to select from a set of alternatives provided by the program 1. List Box Allows prgrammer to provide a list of choices for the user to select from (like a menu) To add items to a List Box, select String Collection Editor from the control s task button To add them during program execution, assign string values using lst- Box.Items.Add(str) Selection is made by clicking on an item When clicked, the string value is assigned to the List Box Text property The List Box items are numbered by VB (zero-based) 13
14 Selection: Input Based on User Selection (2) Properties: (a).selecteditem returns a reference to the item that was selected If value is Nothing, no item was selected If.SelectedItem is assigned Nothing, any selection is cleared (deselected) (b).selectedindex returns the index of the selected item If value is -1, no item was selected (c).sorted If value is True, items are displayed in alphabetic order (d).selectionmode determines how many items can be selected at one time If value is None, nothing can be selected If value is One, only one item can be selected at any one time Methods: (a).clearselected() clears all selections Events: (a) SelectedIndexChanged is triggered when an item is selected List boxes tend to be used when there are many options for the user to choose from 2. Group Box A Group Box is a container that holds other objects (controls) as a group These objects are said to be attached to the group box To add controls to a group box, simply drag them into it Events are not usually associated with a group box 14
15 3. Radio Button Selection: Input Based on User Selection (3) Displayed as a circle and label Usually displayed in a Group Box Radio buttons in a group box are mutually exclusive - only one can be set at any one time Cannot be toggled by reclicking Can associate an access key Properties: (a).text: label that is displayed (b).checked: Boolean that indicated whther the button is set Can provide the user a default by initially setting this to True Events: (a) CheckChanged is triggered when the button is clicked Generally used for short lists (seven or fewer options) 4. Check Box Displayed as a square and label Usually displayed in a Group Box Can select a many as you like at any one time Can be toggled by reclicking Can associate an access key Properties: (a).text: label that is displayed (b).checked: Boolean that indicated whther the check box is set Can provide the user a default by initially setting this to True Events: (a) CheckChanged is triggered when the button is clicked 15
16 Selection: Input Based on User Selection (4) General note: Each of the above can have events associated it In such a situation, the event will be triggered as soon as the user interacts with that control Frequently want to allow the user to make multiple selections using a combination of controls In this case, would not want to associate events with the individual controls Rather, provide a button for the user to click once the user has finished making selections Processing of the above controls is achieved using selection, as the program must check each control to determine which list box selection, radio button, and check box selections were set by the user 16
Visual Basic Programming. An Introduction
Visual Basic Programming An Introduction Why Visual Basic? Programming for the Windows User Interface is extremely complicated. Other Graphical User Interfaces (GUI) are no better. Visual Basic provides
Chapter 5. Selection 5-1
Chapter 5 Selection 5-1 Selection (Decision) The second control logic structure is selection: Selection Choosing between two or more alternative actions. Selection statements alter the sequential flow
Conditions & Boolean Expressions
Conditions & Boolean Expressions 1 In C++, in order to ask a question, a program makes an assertion which is evaluated to either true (nonzero) or false (zero) by the computer at run time. Example: In
Wage Calculator Application
T U T O R I A L 7 Objectives In this tutorial, you will learn to: Understand basic problemsolving techniques. Understand control structures. Understand and create pseudocode. Use the If Then and If Then
ESCI 386 IDL Programming for Advanced Earth Science Applications Lesson 6 Program Control
ESCI 386 IDL Programming for Advanced Earth Science Applications Lesson 6 Program Control Reading: Bowman, Chapters 16 CODE BLOCKS A code block consists of several lines of code contained between a BEGIN
Outline. Conditional Statements. Logical Data in C. Logical Expressions. Relational Examples. Relational Operators
Conditional Statements For computer to make decisions, must be able to test CONDITIONS IF it is raining THEN I will not go outside IF Count is not zero THEN the Average is Sum divided by Count Conditions
Microsoft Excel 2010 Part 3: Advanced Excel
CALIFORNIA STATE UNIVERSITY, LOS ANGELES INFORMATION TECHNOLOGY SERVICES Microsoft Excel 2010 Part 3: Advanced Excel Winter 2015, Version 1.0 Table of Contents Introduction...2 Sorting Data...2 Sorting
PL / SQL Basics. Chapter 3
PL / SQL Basics Chapter 3 PL / SQL Basics PL / SQL block Lexical units Variable declarations PL / SQL types Expressions and operators PL / SQL control structures PL / SQL style guide 2 PL / SQL Block Basic
Name: Class: Date: 9. The compiler ignores all comments they are there strictly for the convenience of anyone reading the program.
Name: Class: Date: Exam #1 - Prep True/False Indicate whether the statement is true or false. 1. Programming is the process of writing a computer program in a language that the computer can respond to
Data Analysis with Microsoft Excel 2003
Data Analysis with Microsoft Excel 2003 Working with Lists: Microsoft Excel is an excellent tool to manage and manipulate lists. With the information you have in a list, you can sort and display data that
Advanced Programming with LEGO NXT MindStorms
Advanced Programming with LEGO NXT MindStorms Presented by Tom Bickford Executive Director Maine Robotics Advanced topics in MindStorms Loops Switches Nested Loops and Switches Data Wires Program view
Ohio University Computer Services Center August, 2002 Crystal Reports Introduction Quick Reference Guide
Open Crystal Reports From the Windows Start menu choose Programs and then Crystal Reports. Creating a Blank Report Ohio University Computer Services Center August, 2002 Crystal Reports Introduction Quick
VB.NET Programming Fundamentals
Chapter 3 Objectives Programming Fundamentals In this chapter, you will: Learn about the programming language Write a module definition Use variables and data types Compute with Write decision-making statements
PL/SQL TUTORIAL. Simply Easy Learning by tutorialspoint.com. tutorialspoint.com
PLSQL Tutorial PLSQL TUTORIAL Simply Easy Learning by tutorialspoint.com tutorialspoint.com i C O P Y R I G H T & D I S C L A I M E R N O T I C E All the content and graphics on this tutorial are the property
Alarms & Events Plug-In Help. 2015 Kepware, Inc.
2015 Kepware, Inc. 2 Table of Contents Table of Contents 2 Alarms & Events Plug-In 3 Overview 3 OPC AE Plug-In Terminology 3 OPC AE Plug-In Conditions 4 The OPC AE Plug-In from the OPC AE Clients' Perspective
Banner Workflow. Creating FOAPAL Requests
Banner Workflow Creating FOAPAL Requests Workflow s automated processes allow business events to trigger user emails, automated activities, and notifications. Workflow s automated approval notifications
Lecture 2 Notes: Flow of Control
6.096 Introduction to C++ January, 2011 Massachusetts Institute of Technology John Marrero Lecture 2 Notes: Flow of Control 1 Motivation Normally, a program executes statements from first to last. The
Lab 9 Access PreLab Copy the prelab folder, Lab09 PreLab9_Access_intro
Lab 9 Access PreLab Copy the prelab folder, Lab09 PreLab9_Access_intro, to your M: drive. To do the second part of the prelab, you will need to have available a database from that folder. Creating a new
Play a Sound file in Visual Basic 6
Play a Sound file in Visual Basic 6 My daughter recently received, as a gift, a wonderful learning game, and she's really learned a lot from it. However, once concern I have is that the first thing it
CS 141: Introduction to (Java) Programming: Exam 1 Jenny Orr Willamette University Fall 2013
Oct 4, 2013, p 1 Name: CS 141: Introduction to (Java) Programming: Exam 1 Jenny Orr Willamette University Fall 2013 1. (max 18) 4. (max 16) 2. (max 12) 5. (max 12) 3. (max 24) 6. (max 18) Total: (max 100)
Changing the Display Frequency During Scanning Within an ImageControls 3 Application
Changing the Display Frequency During Scanning Within an ImageControls 3 Date November 2008 Applies To Kofax ImageControls 2x, 3x Summary This application note contains example code for changing he display
Final Exam Review: VBA
Engineering Fundamentals ENG1100 - Session 14B Final Exam Review: VBA 1 //coe/dfs/home/engclasses/eng1101/f03/ethics/en1.e05.finalcoursewrapup.sxi Final Programming Exam Topics Flowcharts Assigning Variables
Python Programming: An Introduction to Computer Science
Python Programming: An Introduction to Computer Science Chapter 7 Decision Structures Python Programming, 1/e 1 Objectives To understand the programming pattern simple decision and its implementation using
PL/SQL MOCK TEST PL/SQL MOCK TEST I
http://www.tutorialspoint.com PL/SQL MOCK TEST Copyright tutorialspoint.com This section presents you various set of Mock Tests related to PL/SQL. You can download these sample mock tests at your local
Boolean Expressions, Conditions, Loops, and Enumerations. Precedence Rules (from highest to lowest priority)
Boolean Expressions, Conditions, Loops, and Enumerations Relational Operators == // true if two values are equivalent!= // true if two values are not equivalent < // true if left value is less than the
MICROSOFT EXCEL FORMULAS
MICROSOFT EXCEL FORMULAS Building Formulas... 1 Writing a Formula... 1 Parentheses in Formulas... 2 Operator Precedence... 2 Changing the Operator Precedence... 2 Functions... 3 The Insert Function Button...
Translating to Java. Translation. Input. Many Level Translations. read, get, input, ask, request. Requirements Design Algorithm Java Machine Language
Translation Translating to Java Introduction to Computer Programming The job of a programmer is to translate a problem description into a computer language. You need to be able to convert a problem description
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 [email protected] DATA 301: Data Analytics (2) Why Microsoft Excel Visual Basic
Program to solve first and second degree equations
Fundamentals of Computer Science 010-011 Laboratory 4 Conditional structures () Objectives: Design the flowchart of programs with conditional sentences Implement VB programs with conditional sentences
Directions to Print from WorkFlows:
Directions to Print from WorkFlows: I. Getting Started: Adding the Finished Report Wizard to your toolbar Note: When working with reports you want to use the same WorkFlows login that you used to view
1. a procedure that you perform frequently. 2. Create a command. 3. Create a new. 4. Create custom for Excel.
Topics 1 Visual Basic Application Macro Language What You Can Do with VBA macro Types of VBA macro Recording VBA macros Example: MyName () If-Then statement Example: CheckCell () For-Next Loops Example:
9 Control Statements. 9.1 Introduction. 9.2 Objectives. 9.3 Statements
9 Control Statements 9.1 Introduction The normal flow of execution in a high level language is sequential, i.e., each statement is executed in the order of its appearance in the program. However, depending
Introduction to Java
Introduction to Java The HelloWorld program Primitive data types Assignment and arithmetic operations User input Conditional statements Looping Arrays CSA0011 Matthew Xuereb 2008 1 Java Overview A high
The Center for Teaching, Learning, & Technology
The Center for Teaching, Learning, & Technology Instructional Technology Workshops Microsoft Excel 2010 Formulas and Charts Albert Robinson / Delwar Sayeed Faculty and Staff Development Programs Colston
Exercise 4 Learning Python language fundamentals
Exercise 4 Learning Python language fundamentals Work with numbers Python can be used as a powerful calculator. Practicing math calculations in Python will help you not only perform these tasks, but also
Lecture 8: Synchronous Digital Systems
Lecture 8: Synchronous Digital Systems The distinguishing feature of a synchronous digital system is that the circuit only changes in response to a system clock. For example, consider the edge triggered
Object Oriented Software Design
Object Oriented Software Design Introduction to Java - II Giuseppe Lipari http://retis.sssup.it/~lipari Scuola Superiore Sant Anna Pisa September 14, 2011 G. Lipari (Scuola Superiore Sant Anna) Introduction
Python Evaluation Rules
Python Evaluation Rules UW CSE 160 http://tinyurl.com/dataprogramming Michael Ernst and Isaac Reynolds [email protected] August 2, 2016 Contents 1 Introduction 2 1.1 The Structure of a Python Program................................
Company Setup 401k Tab
Reference Sheet Company Setup 401k Tab Use this page to define company level 401(k) information, including employee status codes, 401(k) sources, and 401(k) funds. The definitions you create here become
EET 310 Programming Tools
Introduction EET 310 Programming Tools LabVIEW Part 1 (LabVIEW Environment) LabVIEW (short for Laboratory Virtual Instrumentation Engineering Workbench) is a graphical programming environment from National
WebSphere Business Monitor
WebSphere Business Monitor Monitor models 2010 IBM Corporation This presentation should provide an overview of monitor models in WebSphere Business Monitor. WBPM_Monitor_MonitorModels.ppt Page 1 of 25
Test Generator. Creating Tests
Test Generator Creating Tests Table of Contents# Cognero Overview... 1 Cognero Basic Terminology... 2 Logging On to Cognero... 3 Test Generator Organization... 4 Question Sets Versus Tests... 4 Editing
Thomas Jefferson High School for Science and Technology Program of Studies Foundations of Computer Science. Unit of Study / Textbook Correlation
Thomas Jefferson High School for Science and Technology Program of Studies Foundations of Computer Science updated 03/08/2012 Unit 1: JKarel 8 weeks http://www.fcps.edu/is/pos/documents/hs/compsci.htm
BOOLEAN LOGIC IN PROGRAMMING
5 BOOLEAN LOGIC IN PROGRAMMING After finishing this chapter, you should be able to: Provide a brief definition of each the following terms: American Standard Code for Information Interchange (ASCII), AND,
Keywords are identifiers having predefined meanings in C programming language. The list of keywords used in standard C are : unsigned void
1. Explain C tokens Tokens are basic building blocks of a C program. A token is the smallest element of a C program that is meaningful to the compiler. The C compiler recognizes the following kinds of
MATLAB Programming. Problem 1: Sequential
Division of Engineering Fundamentals, Copyright 1999 by J.C. Malzahn Kampe 1 / 21 MATLAB Programming When we use the phrase computer solution, it should be understood that a computer will only follow directions;
PIC 10A. Lecture 7: Graphics II and intro to the if statement
PIC 10A Lecture 7: Graphics II and intro to the if statement Setting up a coordinate system By default the viewing window has a coordinate system already set up for you 10-10 10-10 The origin is in the
JavaScript: Introduction to Scripting. 2008 Pearson Education, Inc. All rights reserved.
1 6 JavaScript: Introduction to Scripting 2 Comment is free, but facts are sacred. C. P. Scott The creditor hath a better memory than the debtor. James Howell When faced with a decision, I always ask,
ECE 3401 Lecture 7. Concurrent Statements & Sequential Statements (Process)
ECE 3401 Lecture 7 Concurrent Statements & Sequential Statements (Process) Concurrent Statements VHDL provides four different types of concurrent statements namely: Signal Assignment Statement Simple Assignment
Computational Mathematics with Python
Boolean Arrays Classes Computational Mathematics with Python Basics Olivier Verdier and Claus Führer 2009-03-24 Olivier Verdier and Claus Führer Computational Mathematics with Python 2009-03-24 1 / 40
Writing Control Structures
Writing Control Structures Copyright 2006, Oracle. All rights reserved. Oracle Database 10g: PL/SQL Fundamentals 5-1 Objectives After completing this lesson, you should be able to do the following: Identify
Creating a Simple Macro
28 Creating a Simple Macro What Is a Macro?, 28-2 Terminology: three types of macros The Structure of a Simple Macro, 28-2 GMACRO and ENDMACRO, Template, Body of the macro Example of a Simple Macro, 28-4
My EA Builder 1.1 User Guide
My EA Builder 1.1 User Guide COPYRIGHT 2014. MyEABuilder.com. MetaTrader is a trademark of MetaQuotes www.metaquotes.net. Table of Contents MAIN FEATURES... 3 PC REQUIREMENTS... 3 INSTALLATION... 4 METATRADER
J a v a Quiz (Unit 3, Test 0 Practice)
Computer Science S-111a: Intensive Introduction to Computer Science Using Java Handout #11 Your Name Teaching Fellow J a v a Quiz (Unit 3, Test 0 Practice) Multiple-choice questions are worth 2 points
Conditional Statements. 15-110 Summer 2010 Margaret Reid-Miller
Conditional Statements 15-110 Summer 2010 Margaret Reid-Miller Conditional statements Within a method, we can alter the flow of control (the order in which statements are executed) using either conditionals
A Concise Guide for Beginners LIEW VOON KIONG
I A Concise Guide for Beginners LIEW VOON KIONG Disclaimer II Excel VBA Made Easy- A Concise Guide for Beginners is an independent publication and is not affiliated with, nor has it been authorized, sponsored,
A LEVEL H446 COMPUTER SCIENCE. Code Challenges (1 20) August 2015
A LEVEL H446 COMPUTER SCIENCE Code Challenges (1 20) August 2015 We will inform centres about any changes to the specification. We will also publish changes on our website. The latest version of our specification
A Brief Introduction to MySQL
A Brief Introduction to MySQL by Derek Schuurman Introduction to Databases A database is a structured collection of logically related data. One common type of database is the relational database, a term
PROG0101 Fundamentals of Programming PROG0101 FUNDAMENTALS OF PROGRAMMING. Chapter 3 Algorithms
PROG0101 FUNDAMENTALS OF PROGRAMMING Chapter 3 1 Introduction to A sequence of instructions. A procedure or formula for solving a problem. It was created mathematician, Mohammed ibn-musa al-khwarizmi.
CSE 1223: Introduction to Computer Programming in Java Chapter 2 Java Fundamentals
CSE 1223: Introduction to Computer Programming in Java Chapter 2 Java Fundamentals 1 Recall From Last Time: Java Program import java.util.scanner; public class EggBasket { public static void main(string[]
SAPScript. A Standard Text is a like our normal documents. In Standard Text, you can create standard documents like letters, articles etc
SAPScript There are three components in SAPScript 1. Standard Text 2. Layout Set 3. ABAP/4 program SAPScript is the Word processing tool of SAP It has high level of integration with all SAP modules STANDARD
Hands-On Lab. Client Workflow. Lab version: 1.0.0 Last updated: 2/23/2011
Hands-On Lab Client Workflow Lab version: 1.0.0 Last updated: 2/23/2011 CONTENTS OVERVIEW... 3 EXERCISE 1: DEFINING A PROCESS IN VISIO 2010... 4 Task 1 Define the Timesheet Approval process... 4 Task 2
FrontPage 2003: Forms
FrontPage 2003: Forms Using the Form Page Wizard Open up your website. Use File>New Page and choose More Page Templates. In Page Templates>General, choose Front Page Wizard. Click OK. It is helpful if
Microsoft Excel Tips & Tricks
Microsoft Excel Tips & Tricks Collaborative Programs Research & Evaluation TABLE OF CONTENTS Introduction page 2 Useful Functions page 2 Getting Started with Formulas page 2 Nested Formulas page 3 Copying
I PUC - Computer Science. Practical s Syllabus. Contents
I PUC - Computer Science Practical s Syllabus Contents Topics 1 Overview Of a Computer 1.1 Introduction 1.2 Functional Components of a computer (Working of each unit) 1.3 Evolution Of Computers 1.4 Generations
USER GUIDE. Unit 2: Synergy. Chapter 2: Using Schoolwires Synergy
USER GUIDE Unit 2: Synergy Chapter 2: Using Schoolwires Synergy Schoolwires Synergy & Assist Version 2.0 TABLE OF CONTENTS Introductions... 1 Audience... 1 Objectives... 1 Before You Begin... 1 Getting
Paper 70-27 An Introduction to SAS PROC SQL Timothy J Harrington, Venturi Partners Consulting, Waukegan, Illinois
Paper 70-27 An Introduction to SAS PROC SQL Timothy J Harrington, Venturi Partners Consulting, Waukegan, Illinois Abstract This paper introduces SAS users with at least a basic understanding of SAS data
Perl in a nutshell. First CGI Script and Perl. Creating a Link to a Script. print Function. Parsing Data 4/27/2009. First CGI Script and Perl
First CGI Script and Perl Perl in a nutshell Prof. Rasley shebang line tells the operating system where the Perl interpreter is located necessary on UNIX comment line ignored by the Perl interpreter End
Writer Guide. Chapter 15 Using Forms in Writer
Writer Guide Chapter 15 Using Forms in Writer Copyright This document is Copyright 2005 2008 by its contributors as listed in the section titled Authors. You may distribute it and/or modify it under the
Data Tool Platform SQL Development Tools
Data Tool Platform SQL Development Tools ekapner Contents Setting SQL Development Preferences...5 Execution Plan View Options Preferences...5 General Preferences...5 Label Decorations Preferences...6
COMPUTER SCIENCE TRIPOS
CST.98.5.1 COMPUTER SCIENCE TRIPOS Part IB Wednesday 3 June 1998 1.30 to 4.30 Paper 5 Answer five questions. No more than two questions from any one section are to be answered. Submit the answers in five
This module explains fundamental aspects of Microsoft Dynamics NAV Development Environment.
MICROSOFT DYNAMICS NAV COURSE OUTLINE 1) MICROSOFT DYNAMICS NAV Module 1: Microsoft Dynamics NAV Development Environment This module explains fundamental aspects of Microsoft Dynamics NAV Development Environment.
Computational Mathematics with Python
Computational Mathematics with Python Basics Claus Führer, Jan Erik Solem, Olivier Verdier Spring 2010 Claus Führer, Jan Erik Solem, Olivier Verdier Computational Mathematics with Python Spring 2010 1
Windows PowerShell Essentials
Windows PowerShell Essentials Windows PowerShell Essentials Edition 1.0. This ebook is provided for personal use only. Unauthorized use, reproduction and/or distribution strictly prohibited. All rights
Creating a table of contents quickly in Word
Creating a table of contents quickly in Word This note shows you how to set up a table of contents that can be generated and updated quickly and easily, even for the longest and most complex documents.
Outlook Webb App quick guide
What is Outlook Web App 2010? Outlook Webb App quick guide Updated 7/17/2012 The Outlook Web App allows you to access your University e-mail and calendar from any computer that has Internet access via
Figure Error! No text of specified style in document..1: Project Organization
2. Form Designer Introduction In Epi Info 7, the Form Designer and the Enter modules work together to design the data entry process and collect data. Form Designer is the tool used to design the survey,
Sources: On the Web: Slides will be available on:
C programming Introduction The basics of algorithms Structure of a C code, compilation step Constant, variable type, variable scope Expression and operators: assignment, arithmetic operators, comparison,
Chapter 15 Using Forms in Writer
Writer Guide Chapter 15 Using Forms in Writer OpenOffice.org Copyright This document is Copyright 2005 2006 by its contributors as listed in the section titled Authors. You can distribute it and/or modify
COMP 110 Prasun Dewan 1
COMP 110 Prasun Dewan 1 12. Conditionals Real-life algorithms seldom do the same thing each time they are executed. For instance, our plan for studying this chapter may be to read it in the park, if it
Eventia Log Parsing Editor 1.0 Administration Guide
Eventia Log Parsing Editor 1.0 Administration Guide Revised: November 28, 2007 In This Document Overview page 2 Installation and Supported Platforms page 4 Menus and Main Window page 5 Creating Parsing
SonicWALL GMS Custom Reports
SonicWALL GMS Custom Reports Document Scope This document describes how to configure and use the SonicWALL GMS 6.0 Custom Reports feature. This document contains the following sections: Feature Overview
Real SQL Programming. Persistent Stored Modules (PSM) PL/SQL Embedded SQL
Real SQL Programming Persistent Stored Modules (PSM) PL/SQL Embedded SQL 1 SQL in Real Programs We have seen only how SQL is used at the generic query interface --- an environment where we sit at a terminal
Excel. Microsoft Office s spreadsheet application can be used to track. and analyze numerical data for display on screen or in printed
Excel Microsoft Office s spreadsheet application can be used to track and analyze numerical data for display on screen or in printed format. Excel is designed to help you record and calculate data, and
Government Girls Polytechnic, Bilaspur
Government Girls Polytechnic, Bilaspur Name of the Lab: Internet & Web Technology Lab Title of the Practical : Dynamic Web Page Design Lab Class: CSE 6 th Semester Teachers Assessment:20 End Semester Examination:50
Sample Table. Columns. Column 1 Column 2 Column 3 Row 1 Cell 1 Cell 2 Cell 3 Row 2 Cell 4 Cell 5 Cell 6 Row 3 Cell 7 Cell 8 Cell 9.
Working with Tables in Microsoft Word The purpose of this document is to lead you through the steps of creating, editing and deleting tables and parts of tables. This document follows a tutorial format
Website Builder Overview
Website Builder Overview The Website Builder tool gives users the ability to create and manage their own website, which can be used to communicate with students and parents outside of the classroom. Users
Application Unit, MDRC AB/S 1.1, GH Q631 0030 R0111
, GH Q631 0030 R0111 SK 0010 B 98 The application unit is a DIN rail mounted device for insertion in the distribution board. The connection to the EIB is established via a bus connecting terminal at the
In this example, Mrs. Smith is looking to create graphs that represent the ethnic diversity of the 24 students in her 4 th grade class.
Creating a Pie Graph Step-by-step directions In this example, Mrs. Smith is looking to create graphs that represent the ethnic diversity of the 24 students in her 4 th grade class. 1. Enter Data A. Open
Creating Basic Excel Formulas
Creating Basic Excel Formulas Formulas are equations that perform calculations on values in your worksheet. Depending on how you build a formula in Excel will determine if the answer to your formula automatically
Visual Logic Instructions and Assignments
Visual Logic Instructions and Assignments Visual Logic can be installed from the CD that accompanies our textbook. It is a nifty tool for creating program flowcharts, but that is only half of the story.
USING EXCEL 2010 TO SOLVE LINEAR PROGRAMMING PROBLEMS MTH 125 Chapter 4
ONE-TIME ONLY SET UP INSTRUCTIONS Begin by verifying that the computer you are using has the Solver Add-In enabled. Click on Data in the menu across the top of the window. On the far right side, you should
Business Insight Report Authoring Getting Started Guide
Business Insight Report Authoring Getting Started Guide Version: 6.6 Written by: Product Documentation, R&D Date: February 2011 ImageNow and CaptureNow are registered trademarks of Perceptive Software,
Management Information Systems 260 Web Programming Fall 2006 (CRN: 42459)
Management Information Systems 260 Web Programming Fall 2006 (CRN: 42459) Class Time: 6:00 8:05 p.m. (T,Th) Venue: WSL 5 Web Site: www.pbvusd.net/mis260 Instructor Name: Terrell Tucker Office: BDC 127
USC Marshall School of Business Marshall Information Services
USC Marshall School of Business Marshall Information Services Excel Dashboards and Reports The goal of this workshop is to create a dynamic "dashboard" or "Report". A partial image of what we will be creating
Microsoft Excel 2007 Level 2
Information Technology Services Kennesaw State University Microsoft Excel 2007 Level 2 Copyright 2008 KSU Dept. of Information Technology Services This document may be downloaded, printed or copied for
Excel 2007 Basic knowledge
Ribbon menu The Ribbon menu system with tabs for various Excel commands. This Ribbon system replaces the traditional menus used with Excel 2003. Above the Ribbon in the upper-left corner is the Microsoft
VISUAL BASIC Controls. Version 1 Trg. Div., NIC HQRs
VISUAL BASIC Controls 1 Controls These are the objects which can be pasted onto a form which display text, through picture boxes for graphic images, to buttons, check boxes, lists and other menus. Each
Chapter 9 Creating Reports in Excel
Chapter 9 Creating Reports in Excel One of the most powerful features of Standard & Poor s Research Insight is its ability to communicate with Microsoft Excel through Active-X Technology. Excel requests
