Chapter 2: Software Development in Python

Size: px
Start display at page:

Download "Chapter 2: Software Development in Python"

Transcription

1 Chapter 2: Software Development in Python The goal of this textbook is to introduce you to the core concepts of computing through an introduction to programming in Python. In this chapter, we will focus our discussion on the software development process and help you set up your computer so that you can write your first Python programs. Section 1: The Software Development Process The formal study of how software is written and how it should be created is called Software Engineering. Although there is no universally agreed upon method on how software must be developed, we have over the years developed a number of best practices. Indeed, most large software companies have their own unique software development process as well as specific guidelines for how larger software should be written and even how the code itself should be formatted. In this section, we will present the various phases of software development and provide guidelines on how you should approach your programming assignments and projects. Section 1.1: Software and society The primary importance of well-constructed software is, of course, its value to society as a whole. Software has become an important part of our daily lives over the course of the last twenty years. The pervasiveness of software is only growing. When software goes wrong, its effects can range from irritating to life-threatening. The importance of correct software thus cannot be overstated. To give an example of how prevalent software is, consider that our refrigerators, and yes, even some toasters execute small embedded programs that control their functions. When such devices go wrong, it can be frustrating and inconvenient. When a device that uses a computer program produces an undesirable effect, or when a program itself produces an undesirable effect or crashes, we call this a software bug. Z s parents refrigerator had a buggy program that controlled the formation of ice cubes and defrosting of the freezer. The bug caused the system that controlled the defrost cycle to continually restart after the defrosting was completed. The net result was that the freezer was never cold enough to freeze any food and there was a continual stream of water leaking from the freezer from the defrost cycle. The technician was unable to fix the refrigerator since it was determined to be a software failure and the whole freezer needed to be replaced. Cars, airplanes, nuclear reactors, and other safety critical devices also utilize computer programs in their operations. Software for such devices must not fail as human lives are at stake when anything goes wrong. The software development process for such devices is strictly controlled and monitored. However, it is also very costly so much so that it would not be economical to use it in less critical situations like the refrigerator. However, there are a number of important things we can learn from such a stringent and monitored

2 development cycle. First and foremost, we see that well-planned and well-tested software typically exhibits fewer software bugs than inspired coding. Section 1.2: The stages of software development In this section, we will present seven stages of software development. Through the course of this textbook, we highly recommend that you utilize the first five when writing your own programs. Companies that sell their software mainly utilize the last two stages, as they revolve around consumers. Stage 1: Understanding the problem Although it may seem obvious, the first step in developing software is to fully understand what your software is to do. This means doing the appropriate due diligence and background research and reading. For instance, if we were writing a simulation of a particular phenomenon in physics, we should first research this phenomenon and understand the mathematical equations that govern the behavior of the phenomenon. If we do not have a good understanding of the mathematical underpinnings, we will not be able to write correct software that faithfully simulates the physics equations. For example, suppose we want to know how long a ball would fall from a given height before hitting the ground. Here, the first stage means that you need to understand the equation that govens free-fall and note that they assume neglecting air resistance. Then, the equation is given by the well-known formula s = (g t 2 )/2 Where s is the distance of the fall, g is the gravitational constant, and t is the time of the fall. We should also understand the units of these quantities and the value of the gravitational constant g. Stage 2: Design The next step in the software development process is to conceptually break down the program into a series of tasks that the software should be able to complete to achieve the goal of the program. This does not mean we need to think about how to write the program, but instead how to outline the tasks that need to be accomplished: how they flow from one task to the next, and how they interact. Effectively, you can view this step as drawing a flow chart for the program you will write. This will help you identify what algorithms you will need to come up with and in what order these algorithms should be executed. You can think of this stage as producing the blueprints for our program. In our free-fall example this means, first, that we solve the problem in three steps: (1) input the height s of the fall; (2) determine the time t of the fall; and (3) print t. Biut the design stage also includes re-arranging the formula for the fall so that we can solve for t, and choosing the units of the quantities. The formula becomes

3 t = sqrt( 2s / g ) Choosing meters for the height s and seconds for the time t, the gravitational constant becomes g = 9.81m/sec 2. Stage 3: Algorithms We now start to think about how to actually accomplish each task that we came up with during the design stage. In this step of the software development process, we construct algorithms for each task and sub-task. The algorithmic description of each task is not written in any programming language, but instead either in English or what we call pseudo-code. In this book, we will adopt English formulations to express our algorithms. This will allow us to separate the conceptual what from the how. This step focuses on what steps are necessary to arrive at the answer or goal of a given task or sub-task without worrying about concretely how we might write each of these steps in Python. This is a very important stage that is often overlooked by students learning to program. We find that students have a difficult time when they are both trying to figure out how to accomplish the goal of a given assignment and worrying about how to correctly write the Python code to accomplish the goal. By separating these two activities into separate activities, it reduces the burden of programming. For very large programs, this step is absolutely critical. In our example we would likely write the following conceptual program: 1. Request input of the height s 2. Compute 2*s/9.81, call it a 3. Compute sqrt(a), call it t 4. Print t Note that we decomposed the second step into two parts: computing the argument a of the square root, followed by computing the square root of a. Stage 4: Implementation During the preceding steps, we have not yet written any Python code, but now, in this stage, we can start worrying about how to go about implementing the algorithms we have developed. The algorithmic design as well as the conceptual flow chart for the program should act as a guide and implementation blueprint for the program. For each step in the algorithm we must write Python code that faithfully computes the result of that step. Once this has been completed for each step in each algorithm, the program has been written. We can then execute our program and see if it is correct. However, we highly recommend that you execute partial programs along the way. That is, whenever you write a few lines of code, you should check to see if those lines of code are doing what you expect them to be doing. It is much easier to find an error in a few lines of code than an error in hundreds of lines of code.

4 At this stage Python enters the picture for the first time. We have to learn to express the computations of Stage 3 in Python, and this will take some doing: In Chapter 3, we will learn how to request input of a number, how to print numbers, and how to compute simple formulae such as the one for a. Taking the square root, however, requires use of the math library which we will meet much later, in Chapter 7. Stage 5: Testing and debugging Once our program is written, we must validate that it correctly computes the result and faithfully implements the algorithms we wrote down in the previous stages of the software development process. This step in the software development process is often the longest. Debugging is a bit of a black art and takes practice, patience, and time to fully master. To help you learn how to debug your programs, each of the chapters will include one section suggesting how best to debug the constructs introduced in that chapter. We will present two mechanisms for debugging. The first method is to manually inject code into the program that will display what computations are being executed and what results are being produced. The second is to introduce a tool that aids in debugging and is a part of IDLE. This tool is called a debugger. For our example of the time of free fall this stage mostly addresses typing mistakes and mistakes in understanding how exactly some of the Python constructs work. This stage is of crucial importance: debugging programs is a skill that is absolutely necessary. Here, we have to face that we make mistakes, and nobody finds that thrilling. You will also get to know what are likely errors you make, and they may well be different from those your friend makes. If it helps, think of debugging as practicing playing a musical instrument. Stage 6: Deployment Once we have validated that our program is correct, we can release our program to the world. This often entails double-checking that the program works as intended on the particular computer the user will be running it on. In addition, this stage of the software development process includes the installation of the program and any necessary ancillary files that the program might use, such as large datasets for a scientific simulation. Stage 7: Maintenance and enhancement Once the program has been deployed, our job is, unfortunately, not over. Often times, as we all know, software bugs occur after deployment. In the maintenance phase of the software development process, the programmer will produce patches or fixes to the bugs that have been reported by the users of the program. In addition, some users may request additional functionality to be added to the program based on their individual needs. So not all patches to a program are aimed at fixing bugs; some introduce new functionality to a given program.

5 Section 2: Writing Code in Python Besides an open mind and a willingness to learn, you will need a programming environment. Programming environments are programs that allow you to type code and execute the code you wrote. The programming environment we will be using is called IDLE and is provided with the standard distribution of Python. Section 2.1: Downloading Python 3.1 Programming languages, just like English, evolve over time. To ensure the correct behavior of all the example programs and information presented in this book, it is important that you download the appropriate version of the language. Currently the most widely used versions of Python are Python 3.1.x and Python 2.7.x. We will be using Python 3.1.x exclusively. To find the correct version you simply need to use your favorite search engine and type in Python 3.1 Download. One of the first links should be: Clicking on this hyperlink will take you to the main Python 3.1 webpage which will also allow you to download Python. You will notice a number of things on this webpage. The page will tell you what the major releases of Python are on the right hand side. It will also list the major changes in Python 3.1 over the previous version. Right now, most of these changes might seem meaningless, but once you have worked through this textbook, we encourage you to revisit this list to better understand the differences between the various versions of Python. If you scroll down toward the end of this webpage, you will find the download links.

6 The first two links provide all the source code for Python. Indeed, Python itself is a program! These two links are for advanced users that want to build custom versions of the installation or to make modifications to the language itself. The last three links are what we are interested in. The first is for 32-bit Windows operating systems and the second is for 64-bit Windows operating systems. If you are not sure which version of the operating system you have, you can click on the system properties box to find out. For example, on Windows 7, you would open the Control Panel, then System and Security, and then System. If you cannot find what operating system you are using, select the 32- bit download (Windows x86 MSI Installer(3.1)). All of the 64-bit Windows operating systems support executing 32-bit applications; they will just be a little less efficient. The version of Python 3.1 for the Mac is the last link. Section 2.2: Installing Python Installing Python is just the same as installing any other program. If you feel comfortable installing programs on your computer you can skip this section. The installation procedure should start automatically. However, if it does not, you will need to find the file you downloaded. At this point, we will tailor our instructions to the two flavors of operating systems you might be using. Please follow along for your type of operating system. Section 2.2.1: Mac If the installation did not start automatically, start by finding the file you just downloaded. For the Mac this will be the file: python-3.1.dmg. You can search for this file by opening up the Finder and typing the file name in the search field in the top right corner. The most probable location for this file is in the Downloads folder located in your main user account s folder. Once you locate the file, click on it to start the installation process. The computer will automatically decompress the files and open up a window that looks like the following:

7 If this window did not pop up, you can find it by opening Finder and clicking Python 3.1 under Devices. To continue with the installation click, on the open box icon called Python.mpkg. This should bring up the following installation window: You will need to click continue and then a new screen will appear in the installation window. This screen lists all the various pieces of software that come bundled with the Python installation, including the programming environment we will be using throughout this textbook. Click continue once again to bring up a new screen in the installation window. This screen provides the license agreement for the software. Read though the agreement and click continue. This will cause a small pop-up window to appear on the screen asking if you agree to the terms of the license agreement. Click yes to proceed to

8 the next step of installation, which will ask you what hard drive you would like to install Python on. Pick the hard drive on which you would like to install. When you select the hard drive, a green arrow will appear on its icon and you will be able to click the Continue button. This will bring up a new screen in the installation window. Click the Install button in the lower right corner. We suggest that you not change any of the settings on this screen. They will modify the exact location where the Python files will be located. Once you click install, the computer will install Python 3.1 and eventually you will see the following screen:

9 You have now successfully installed Python 3.1 on your computer and you are ready to proceed using it! Section 2.2.2: Windows If the installation did not start automatically, start by finding the file you just downloaded. For Windows, this will be one of two files: python-3.1.msi (for 32-bit systems) and python-3.1.amd64.msi (for 64-bit systems). You can search for this file by clicking the Window icon or Start icon in the lower left corner and typing this file name in the search field. The most probable location for this file is in the Downloads folder located in your main user account s folder. Once you locate the file, click on it to start the installation process. The computer will automatically decompress the files and open up a window that looks like the following:

10 This window asks whether or not you would like to give all user accounts on the computer access to Python. Pick whichever is appropriate for your computer. If you are not sure, select Install for all users and click Next. A new screen will appear in the installation window.

11 The default installation location for Python is in the C:\ root directory. If you would like to change the installation directory, select a new directory in the drop-down menu. Once you have picked the directory you would like Python to install into, click Next. A new screen will appear in the installation window.

12 On this screen, you can customize the installation of Python. We recommend the default installation, so no changes should be made on this screen. You simply need to click the Next button. This will install the needed files and programs on your computer. You have now successfully installed Python 3.1 on your computer and you are ready to proceed! Section 2.3: Python versions There are minor differences between minor releases of the language, but larger differences between major releases of the language. There are two major release of Python used today: Python 2.x and Python 3.x, of which minor releases Python 2.7 and Python 3.1 are most widely distributed. In this textbook, we will be using the latest major version of Python, but you may still encounter programs written using the earlier version of Python. Section 2.4: Python libraries Code libraries are collections of useful pieces of code that you can leverage in your own program to avoid re-inventing the wheel every time you want to perform a common task like picking the larger of two numbers or taking the square root of a number. You can also think of libraries as extensions to Python, which provide additional functionality. Programmers utilize libraries to quickly develop programs by re-using

13 software. The vast majority of libraries are provided free of charge. However, to utilize certain libraries you will need to pay for a license. The libraries discussed and presented in this book are all freely available and do not require you to purchase a license. In fact, we will see that Python provides a number of basic libraries that are included with the download. These libraries include functionality for using the internet, advanced mathematic operations, code that provides you with the ability to start other programs, and more. We will learn how to use libraries in our programs in Chapter 7. Section 3: IDLE The programming environment we will be using along with this textbook is called IDLE and has come packaged with the Python 3.1 installation. In this section, we will go through the basics of starting IDLE and the two ways to write and execute Python programs. We will also write our very first Python program! We will go into the details of this program in Chapter 3. Section 3.1: Starting IDLE In this textbook we will use IDLE as the main vehicle both for writing our Python programs and for executing them. It is important to note that there are other options for writing and executing Python programs. Once you are comfortable using IDLE and have worked through this textbook, we encourage you to try out other options. For the duration of the book, however, we expect you to use IDLE, as it is a great learning tool. Section 3.1.1: Starting IDLE on the Mac If you followed the instructions in the previous section, Python 3.1 will be installed in your applications folder. If you click on the Python 3.1 icon, it will expand to show the various programs that come bundled with Python 3.1. We will be using only IDLE in this textbook, but we encourage you to read through the documentation on the other tools as you may find them useful once you are comfortable writing Python programs. To start IDLE, you will need to click on the IDLE icon located in the Python 3.1 folder, which is located in the Applications folder. This will launch the IDLE programming environment and you will be able to start writing Python programs! There are two ways to write Python programs and we will examine both in the following sections.

14 Section 3.1.2: Starting IDLE on Windows If you followed the instructions in the previous Section, Python 3.1 will be installed in your C:\ root directory. To launch the IDLE program, click on the windows icon and then select All Programs. When you click on the Python 3.1 folder, you will see an icon for IDLE. Double click on the IDLE icon to launch the IDLE programming environment. This will launch the IDLE programming environment and you will be able to start writing Python programs! There are two ways to write Python programs and we will examine both in the following sections. Section 3.2: Interactive mode (Python Shell) One of the main benefits of Python is that it provides an interactive mode for programming. An interactive mode for programming allows you to both type and execute code at the same time. The way it works is that you type one line of code and Python executes it. This means you are effectively adding that line of code to whatever lines of code you have already typed into the interactive mode. For our purposes, this means that if you are ever curious about what a particular piece of code will do or what effects it will produce, you simply need to type that code into the interactive mode and find out! We strongly encourage you to play around and test out various pieces of code in the interactive mode. The interactive mode is the default mode for IDLE. In Python, we call this interactive mode the Python Shell. When you start IDLE, it automatically brings up the Python Shell. You will notice a line that starts with three greater-than signs (>>>). This is called the prompt, and it is where you will type in your Python code. When you hit enter, Python will attempt to execute the code you have written. If the code is correct Python, the result of executing this line of code will be displayed on the following line.

15 Let s write our first Python program! At the prompt, type the following line: print( Hello World! ) and then hit the enter key. Python will execute this program and should display Hello World! on the next line of the shell before providing you with another prompt. Congratulations! You have just written your first Python program! We will present many examples throughout this textbook. The vast majority of them will be written using the Python shell. When we present example programs we will use the following structure: >>> print("hello World!") Hello World! The above structure is how we will present programs from now on. It represents our first Python program, which we executed in the Python Shell. Notice that we include the >>> for the prompt to differentiate between the lines of code that we typed and the lines that the program outputted. The indented paragraphs that follow a program will contain an explanation of the program and what is going on under the hood. Section 3.3: Running a Python script For larger programs, or programs that we want to run multiple times, using the shell is not efficient. One problem with the interactive mode is that you cannot save your work to use at a later time. For longer programming sessions and programs that you would like to keep we create Python scripts. Python scripts are the term that computer scientists use to refer to Python programs. For the duration of this textbook, we will use script and program synonymously, as the differences are not important for our work. To start writing a program that you can save in a file you need to open IDLE like we have done before. You will see the Python shell pop up. Click on the File menu and select New Window. This will open up a new blank window into which we can type Python code. You will notice that when you hit the enter key, the program is not run; instead, the

16 cursor simply moves to the next line. This means you can type as many lines of Python code as you would like prior to executing the program. Type the following program in the window that was created when you selected New Window. Notice that in this program, we typed the contents of our previous program twice. What do you think will happen if we execute this program? Since we are not using the Python shell we need to explicitly tell Python we want our program to be executed. However, before we execute our program, let s go ahead and save it. To do this, click on the File menu and select Save. This will prompt you to name your program and choose a location for the file. We recommend the Documents folder on the Mac and the My Documents folder on Windows. Once you have saved your program, click on Run menu (note that the Run menu only appears when you have selected the window into which you typed your Python program). From the Run menu select Run Module. The output from running your program will be displayed in the Python shell window. You should see the following output after you clicked on Run Module. Is this output what you expected? We will learn why it should be in Chapter 3. If you would like to run this program again, you simply need to click the Run menu and select Run Module one more time. Try modifying the program so that Hello World! is displayed three times when you run the program. You can make modifications to your program by clicking on the window in which your program is displayed and typing in the changes. You will need to save your modified program prior to running it.

17 To open a program you have previously written, first open IDLE. Then, from the File menu, click Open. The next step is to find where you saved your file. If you followed our advice, it will be in the Documents or My Documents folder. When you select your file, it should open up a new window that displays the Python code. Section 4: Chapter Summary In this chapter we introduced the importance of correct software and provided a brief explanation of the stages of the software development process. The first five stages apply to this textbook and the last two stages are for commercial software. You will be welladvised to follow this process, even when deadlines loom. Chances are the debugging phase, stage 5, will go much faster and be much less frustrating. We provided an extensive tutorial on how to download, install, and run our first programs in Python 3.1. It is absolutely crucial to get the installation right as it is a prerequisite to be successful in this course. If you have difficulty, seek help from the instructor and the course staff. Section 5: Exercises and Review Questions Did the installation go well? Were there unclear passages and if so, which ones?

Building Qualtrics Surveys for EFS & ALC Course Evaluations: Step by Step Instructions

Building Qualtrics Surveys for EFS & ALC Course Evaluations: Step by Step Instructions Building Qualtrics Surveys for EFS & ALC Course Evaluations: Step by Step Instructions Jennifer DeSantis August 28, 2013 A relatively quick guide with detailed explanations of each step. It s recommended

More information

Microsoft Word 2011: Create a Table of Contents

Microsoft Word 2011: Create a Table of Contents Microsoft Word 2011: Create a Table of Contents Creating a Table of Contents for a document can be updated quickly any time you need to add or remove details for it will update page numbers for you. A

More information

2. In the Control Panel, click Course Tools, a list of available tools will appear and you may need to scroll down. Click Tests, Surveys, and Pools.

2. In the Control Panel, click Course Tools, a list of available tools will appear and you may need to scroll down. Click Tests, Surveys, and Pools. 1 Blackboard: Surveys TLT Instructional Technology Support (631) 632-2777 Stony Brook University [email protected] http://it.stonybrook.edu/ In this document, you will learn how to: 1. Create a

More information

Eclipse installation, configuration and operation

Eclipse installation, configuration and operation Eclipse installation, configuration and operation This document aims to walk through the procedures to setup eclipse on different platforms for java programming and to load in the course libraries for

More information

Newsletter Sign Up Form to Database Tutorial

Newsletter Sign Up Form to Database Tutorial Newsletter Sign Up Form to Database Tutorial Introduction The goal of this tutorial is to demonstrate how to set up a small Web application that will send information from a form on your Web site to a

More information

CATIA Tubing and Piping TABLE OF CONTENTS

CATIA Tubing and Piping TABLE OF CONTENTS TABLE OF CONTENTS Introduction...1 Manual Format...2 Tubing and Piping design...3 Log on/off procedures for Windows...4 To log on...4 To logoff...8 Pull-down Menus...9 Edit...9 Insert...12 Tools...13 Analyze...16

More information

Intermediate PowerPoint

Intermediate PowerPoint Intermediate PowerPoint Charts and Templates By: Jim Waddell Last modified: January 2002 Topics to be covered: Creating Charts 2 Creating the chart. 2 Line Charts and Scatter Plots 4 Making a Line Chart.

More information

Working with the Ektron Content Management System

Working with the Ektron Content Management System Working with the Ektron Content Management System Table of Contents Creating Folders Creating Content 3 Entering Text 3 Adding Headings 4 Creating Bullets and numbered lists 4 External Hyperlinks and e

More information

SweetPea3R-200 User Guide Version 1.1

SweetPea3R-200 User Guide Version 1.1 SweetPea3R-200 User Guide Version 1.1 For safety and warranty information, please refer to the Quick Start Guide included in the box with your unit. Thank you for purchasing a SweetPea3. As this is a new

More information

HIT THE GROUND RUNNING MS WORD INTRODUCTION

HIT THE GROUND RUNNING MS WORD INTRODUCTION HIT THE GROUND RUNNING MS WORD INTRODUCTION MS Word is a word processing program. MS Word has many features and with it, a person can create reports, letters, faxes, memos, web pages, newsletters, and

More information

MiraCosta College now offers two ways to access your student virtual desktop.

MiraCosta College now offers two ways to access your student virtual desktop. MiraCosta College now offers two ways to access your student virtual desktop. We now feature the new VMware Horizon View HTML access option available from https://view.miracosta.edu. MiraCosta recommends

More information

Table of Contents. Page 3

Table of Contents. Page 3 Welcome to Exchange Mail Customer Full Name Your e-mail is now being delivered and stored on the new Exchange server. Your new e-mail address is @rit.edu. This is the e-mail address that you should give

More information

Hello Swift! ios app programming for kids and other beginners Version 1

Hello Swift! ios app programming for kids and other beginners Version 1 MEAP Edition Manning Early Access Program Hello Swift! ios app programming for kids and other beginners Version 1 Copyright 2016 Manning Publications For more information on this and other Manning titles

More information

Installing and using XAMPP with NetBeans PHP

Installing and using XAMPP with NetBeans PHP Installing and using XAMPP with NetBeans PHP About This document explains how to configure the XAMPP package with NetBeans for PHP programming and debugging (specifically for students using a Windows PC).

More information

Install Guide for Windows Office Professional Plus 2010

Install Guide for Windows Office Professional Plus 2010 Install Guide for Windows Office Professional Plus 2010 The purpose of this guide is to assist you in obtaining a copy of Windows Office Professional Plus 2010 for your Windows PC. This document will walk

More information

Auto Clicker Tutorial

Auto Clicker Tutorial Auto Clicker Tutorial This Document Outlines Various Features of the Auto Clicker. The Screenshot of the Software is displayed as below and other Screenshots displayed in this Software Tutorial can help

More information

MICROSOFT WORD TUTORIAL

MICROSOFT WORD TUTORIAL MICROSOFT WORD TUTORIAL G E T T I N G S T A R T E D Microsoft Word is one of the most popular word processing programs supported by both Mac and PC platforms. Microsoft Word can be used to create documents,

More information

Downloading & Installing Windows 7 on a Mac from Home

Downloading & Installing Windows 7 on a Mac from Home Downloading & Installing Windows 7 on a Mac from Home This tutorial is NOT meant for students who have a Mac older than 2007, if you have more than one hard drive installed in your laptop, or if you're

More information

Migrating to Excel 2010 from Excel 2003 - Excel - Microsoft Office 1 of 1

Migrating to Excel 2010 from Excel 2003 - Excel - Microsoft Office 1 of 1 Migrating to Excel 2010 - Excel - Microsoft Office 1 of 1 In This Guide Microsoft Excel 2010 looks very different, so we created this guide to help you minimize the learning curve. Read on to learn key

More information

How to test and debug an ASP.NET application

How to test and debug an ASP.NET application Chapter 4 How to test and debug an ASP.NET application 113 4 How to test and debug an ASP.NET application If you ve done much programming, you know that testing and debugging are often the most difficult

More information

After you complete the survey, compare what you saw on the survey to the actual questions listed below:

After you complete the survey, compare what you saw on the survey to the actual questions listed below: Creating a Basic Survey Using Qualtrics Clayton State University has purchased a campus license to Qualtrics. Both faculty and students can use Qualtrics to create surveys that contain many different types

More information

Argus Direct add-in for spreadsheets - Installation Guide

Argus Direct add-in for spreadsheets - Installation Guide Argus Direct add-in for spreadsheets - Installation Guide The add-in enables you to download Argus data that you are permissioned for directly in Excel spreadsheets. The spreadsheet can be refreshed to

More information

Mail Merge (Microsoft Office 2010)

Mail Merge (Microsoft Office 2010) Mail Merge (Microsoft Office 2010) Microsoft Word s 2010 mail merge feature allows users to create one document, such as a customer appreciation letter, promotional letter, or an employee appreciation

More information

3. Locate the different selections of Styles from the Home Tab, Styles Group

3. Locate the different selections of Styles from the Home Tab, Styles Group Outlining in MS Word 2007 Microsoft Word 2007 provides users with an Outline View and Outlining toolbar, which allows us to create outlines. Outlines in Word are based on Styles. For instance if a line

More information

MC Talent Management System. Goals Module Guidebook

MC Talent Management System. Goals Module Guidebook MC Talent Management System Goals Module Guidebook A. Signing On and Off of the System B. Employee Center Home Page - Left Pane - Center Pane - Right Pane C. Accessing and Creating the Goal Plan D. Navigating

More information

Euler s Method and Functions

Euler s Method and Functions Chapter 3 Euler s Method and Functions The simplest method for approximately solving a differential equation is Euler s method. One starts with a particular initial value problem of the form dx dt = f(t,

More information

What you should know about: Windows 7. What s changed? Why does it matter to me? Do I have to upgrade? Tim Wakeling

What you should know about: Windows 7. What s changed? Why does it matter to me? Do I have to upgrade? Tim Wakeling What you should know about: Windows 7 What s changed? Why does it matter to me? Do I have to upgrade? Tim Wakeling Contents What s all the fuss about?...1 Different Editions...2 Features...4 Should you

More information

From the list of Cooperative Extension applications, choose Contacts Extension Contact Management System.

From the list of Cooperative Extension applications, choose Contacts Extension Contact Management System. 1 Illustrated Guide to Creating Labels with Word for Mac 2008 for Mailing Lists in the Extension Contacts Database Note: With most computer tasks, there are multiple ways to achieve the same results. Substitute

More information

Getting Started with WebSite Tonight

Getting Started with WebSite Tonight Getting Started with WebSite Tonight WebSite Tonight Getting Started Guide Version 3.0 (12.2010) Copyright 2010. All rights reserved. Distribution of this work or derivative of this work is prohibited

More information

How to place an order through your Pleaser USA online account. 1. After logging into your account click on the desired brand to browse our inventory.

How to place an order through your Pleaser USA online account. 1. After logging into your account click on the desired brand to browse our inventory. How to place an order through your Pleaser USA online account 1. After logging into your account click on the desired brand to browse our inventory. 2. Enter the desired quantity in the field below the

More information

Registry Tuner. Software Manual

Registry Tuner. Software Manual Registry Tuner Software Manual Table of Contents Introduction 1 System Requirements 2 Frequently Asked Questions 3 Using the Lavasoft Registry Tuner 5 Scan and Fix Registry Errors 7 Optimize Registry

More information

How do you use word processing software (MS Word)?

How do you use word processing software (MS Word)? How do you use word processing software (MS Word)? Page 1 How do you use word processing software (MS Word)? Lesson Length: 2 hours Lesson Plan: The following text will lead you (the instructor) through

More information

Hypercosm. Studio. www.hypercosm.com

Hypercosm. Studio. www.hypercosm.com Hypercosm Studio www.hypercosm.com Hypercosm Studio Guide 3 Revision: November 2005 Copyright 2005 Hypercosm LLC All rights reserved. Hypercosm, OMAR, Hypercosm 3D Player, and Hypercosm Studio are trademarks

More information

Creating Custom Crystal Reports Tutorial

Creating Custom Crystal Reports Tutorial Creating Custom Crystal Reports Tutorial 020812 2012 Blackbaud, Inc. This publication, or any part thereof, may not be reproduced or transmitted in any form or by any means, electronic, or mechanical,

More information

Lab 7.1.9b Introduction to Fluke Protocol Inspector

Lab 7.1.9b Introduction to Fluke Protocol Inspector Lab 7.1.9b Introduction to Fluke Protocol Inspector DCE SanJose1 S0/0 S0/0 SanJose2 #1 #2 Objective This lab is a tutorial demonstrating how to use the Fluke Networks Protocol Inspector to analyze network

More information

Microsoft Migrating to PowerPoint 2010 from PowerPoint 2003

Microsoft Migrating to PowerPoint 2010 from PowerPoint 2003 In This Guide Microsoft PowerPoint 2010 looks very different, so we created this guide to help you minimize the learning curve. Read on to learn key parts of the new interface, discover free PowerPoint

More information

Creating Accessible Documents in Word 2011 for Mac

Creating Accessible Documents in Word 2011 for Mac Creating Accessible Documents in Word 2011 for Mac NOTE: Word 2011 for Mac does not offer an Accessibility Checker. After creating your document, you can double-check your work on a PC, to make sure your

More information

GOALS: The goal for this session is: OBJECTIVES: By the end of the lesson participants should be able to: MATERIALS: Instructor ACTVITIES: EVALUATION:

GOALS: The goal for this session is: OBJECTIVES: By the end of the lesson participants should be able to: MATERIALS: Instructor ACTVITIES: EVALUATION: GOALS: The goal for this session is: Learn how to connect and use the SMART Board for effective instruction Ability to annotate and save work using Microsoft Office and SMART Notebook Software OBJECTIVES:

More information

Installing C++ compiler for CSc212 Data Structures

Installing C++ compiler for CSc212 Data Structures for CSc212 Data Structures [email protected] Spring 2010 1 2 Testing Mac 3 Why are we not using Visual Studio, an Integrated Development (IDE)? Here s several reasons: Visual Studio is good for LARGE project.

More information

TM SysAid Chat Guide Document Updated: 10 November 2009

TM SysAid Chat Guide Document Updated: 10 November 2009 SysAidTM Chat Guide Document Updated: 10 November 2009 Introduction 2 Quick Access to SysAid Chat 3 Enable / Disable the SysAid Chat from the End User Portal. 4 Edit the Chat Settings 5 Chat Automatic

More information

How to Format a Bibliography or References List in the American University Thesis and Dissertation Template

How to Format a Bibliography or References List in the American University Thesis and Dissertation Template Mac Word 2011 Bibliographies and References Lists Page 1 of 8 Click to Jump to a Topic How to Format a Bibliography or References List in the American University Thesis and Dissertation Template In this

More information

Tutorial for Tracker and Supporting Software By David Chandler

Tutorial for Tracker and Supporting Software By David Chandler Tutorial for Tracker and Supporting Software By David Chandler I use a number of free, open source programs to do video analysis. 1. Avidemux, to exerpt the video clip, read the video properties, and save

More information

Using PowerPoint To Create Art History Presentations For Macintosh computers running OSX with Microsoft Office 2008

Using PowerPoint To Create Art History Presentations For Macintosh computers running OSX with Microsoft Office 2008 Using PowerPoint To Create Art History Presentations For Macintosh computers running OSX with Microsoft Office 2008 Adapted by Gretchen Tuchel from the Institute of Fine Arts document by Elizabeth S. Funk

More information

TM Online Storage: StorageSync

TM Online Storage: StorageSync TM Online Storage: StorageSync 1 Part A: Backup Your Profile 1: How to download and install StorageSync? Where to download StorageSync? You may download StorageSync from your e-storage account. Please

More information

ShoutCast v2 - Broadcasting with Winamp & ShoutCast DSP Plugin

ShoutCast v2 - Broadcasting with Winamp & ShoutCast DSP Plugin ShoutCast v2 - Broadcasting with Winamp & ShoutCast DSP Plugin In this tutorial we are going to explain how to broadcast using the ShoutCast DSP Plugin with Winamp to our ShoutCast v2 running under CentovaCast

More information

Online Testing Checklist for Summer 2016 Ohio s State Test Administrations

Online Testing Checklist for Summer 2016 Ohio s State Test Administrations Online Testing Checklist for Summer 2016 Ohio s State Test Administrations Test administrators must use this checklist when administering Ohio s State Tests online. It includes step-by-step directions,

More information

A realistic way to make $100 a day

A realistic way to make $100 a day A realistic way to make $100 a day 1 Table of Contents Introduction...3 It s a three step process...4 1. Find your articles...5 2. Rewrite the content...6 3. Sell them... 11 Why you need The Best Spinner...

More information

Code::Blocks Student Manual

Code::Blocks Student Manual Code::Blocks Student Manual Lawrence Goetz, Network Administrator Yedidyah Langsam, Professor and Theodore Raphan, Distinguished Professor Dept. of Computer and Information Science Brooklyn College of

More information

Introduction to Eclipse

Introduction to Eclipse Introduction to Eclipse Overview Eclipse Background Obtaining and Installing Eclipse Creating a Workspaces / Projects Creating Classes Compiling and Running Code Debugging Code Sampling of Features Summary

More information

Microsoft Migrating to Word 2010 from Word 2003

Microsoft Migrating to Word 2010 from Word 2003 In This Guide Microsoft Word 2010 looks very different, so we created this guide to help you minimize the learning curve. Read on to learn key parts of the new interface, discover free Word 2010 training,

More information

0 Introduction to Data Analysis Using an Excel Spreadsheet

0 Introduction to Data Analysis Using an Excel Spreadsheet Experiment 0 Introduction to Data Analysis Using an Excel Spreadsheet I. Purpose The purpose of this introductory lab is to teach you a few basic things about how to use an EXCEL 2010 spreadsheet to do

More information

JMC Next Generation Web-based Server Install and Setup

JMC Next Generation Web-based Server Install and Setup JMC Next Generation Web-based Server Install and Setup This document will discuss the process to install and setup a JMC Next Generation Web-based Windows Server 2008 R2. These instructions also work for

More information

BIGPOND ONLINE STORAGE USER GUIDE Issue 1.1.0-18 August 2005

BIGPOND ONLINE STORAGE USER GUIDE Issue 1.1.0-18 August 2005 BIGPOND ONLINE STORAGE USER GUIDE Issue 1.1.0-18 August 2005 PLEASE NOTE: The contents of this publication, and any associated documentation provided to you, must not be disclosed to any third party without

More information

Creating a Poster in PowerPoint 2010. A. Set Up Your Poster

Creating a Poster in PowerPoint 2010. A. Set Up Your Poster View the Best Practices in Poster Design located at http://www.emich.edu/training/poster before you begin creating a poster. Then in PowerPoint: (A) set up the poster size and orientation, (B) add and

More information

Kaplan Higher Education Seminar Student User Guide

Kaplan Higher Education Seminar Student User Guide Kaplan Higher Education Seminar Student User Guide Kaplan Higher Education and Professional Education R08.05.15 Table of Contents Getting Started... 1 Software Requirements... 1 Seminar Types... 1 Accessing

More information

Learning Module 4 - Thermal Fluid Analysis Note: LM4 is still in progress. This version contains only 3 tutorials.

Learning Module 4 - Thermal Fluid Analysis Note: LM4 is still in progress. This version contains only 3 tutorials. Learning Module 4 - Thermal Fluid Analysis Note: LM4 is still in progress. This version contains only 3 tutorials. Attachment C1. SolidWorks-Specific FEM Tutorial 1... 2 Attachment C2. SolidWorks-Specific

More information

Inside Blackboard Collaborate for Moderators

Inside Blackboard Collaborate for Moderators Inside Blackboard Collaborate for Moderators Entering a Blackboard Collaborate Web Conference 1. The first time you click on the name of the web conference you wish to enter, you will need to download

More information

Using Microsoft Project 2000

Using Microsoft Project 2000 Using MS Project Personal Computer Fundamentals 1 of 45 Using Microsoft Project 2000 General Conventions All text highlighted in bold refers to menu selections. Examples would be File and Analysis. ALL

More information

Bluetooth Installation

Bluetooth Installation Overview Why Bluetooth? There were good reasons to use Bluetooth for this application. First, we've had customer requests for a way to locate the computer farther from the firearm, on the other side of

More information

OneNote 2016 Tutorial

OneNote 2016 Tutorial VIRGINIA TECH OneNote 2016 Tutorial Getting Started Guide Instructional Technology Team, College of Engineering Last Updated: Spring 2016 Email [email protected] if you need additional assistance after

More information

Field Manager Mobile Worker User Guide for RIM BlackBerry 1

Field Manager Mobile Worker User Guide for RIM BlackBerry 1 Vodafone Field Manager Mobile Worker User Guide for RIM BlackBerry APPLICATION REQUIREMENTS Supported devices listed here o http://support.vodafonefieldmanager.com Application requires 600 KB of application

More information

Creating A Grade Sheet With Microsoft Excel

Creating A Grade Sheet With Microsoft Excel Creating A Grade Sheet With Microsoft Excel Microsoft Excel serves as an excellent tool for tracking grades in your course. But its power is not limited to its ability to organize information in rows and

More information

Microsoft PowerPoint 2011

Microsoft PowerPoint 2011 Microsoft PowerPoint 2011 Starting PowerPoint... 2 Creating Slides in Your Presentation... 3 Beginning with the Title Slide... 3 Inserting a New Slide... 3 Adding an Image to a Slide... 4 Downloading Images

More information

Guide to Using Outlook Calendar for Meeting Arrangements

Guide to Using Outlook Calendar for Meeting Arrangements Guide to Using Outlook Calendar for Meeting Arrangements Using Outlook Calendar to arrange meetings and share information on availability across the university can help to save time on administration and

More information

STB- 2. Installation and Operation Manual

STB- 2. Installation and Operation Manual STB- 2 Installation and Operation Manual Index 1 Unpacking your STB- 2 2 Installation 3 WIFI connectivity 4 Remote Control 5 Selecting Video Mode 6 Start Page 7 Watching TV / TV Guide 8 Recording & Playing

More information

Microsoft Excel 2013 Tutorial

Microsoft Excel 2013 Tutorial Microsoft Excel 2013 Tutorial TABLE OF CONTENTS 1. Getting Started Pg. 3 2. Creating A New Document Pg. 3 3. Saving Your Document Pg. 4 4. Toolbars Pg. 4 5. Formatting Pg. 6 Working With Cells Pg. 6 Changing

More information

THE WINNING ROULETTE SYSTEM.

THE WINNING ROULETTE SYSTEM. THE WINNING ROULETTE SYSTEM. Please note that all information is provided as is and no guarantees are given whatsoever as to the amount of profit you will make if you use this system. Neither the seller

More information

QUICK START GUIDE. SG2 Client - Programming Software SG2 Series Programmable Logic Relay

QUICK START GUIDE. SG2 Client - Programming Software SG2 Series Programmable Logic Relay QUICK START GUIDE SG2 Client - Programming Software SG2 Series Programmable Logic Relay SG2 Client Programming Software T he SG2 Client software is the program editor for the SG2 Series Programmable Logic

More information

The Greenshades Center

The Greenshades Center The Greenshades Center Installation Manual Greenshades Software Support Team [email protected] 1-888-255-3815 1 Table of Contents Table of Contents... 2 Install Required Programs... 3 Required Programs...

More information

Samsung Xchange for Mac User Guide. Winter 2013 v2.3

Samsung Xchange for Mac User Guide. Winter 2013 v2.3 Samsung Xchange for Mac User Guide Winter 2013 v2.3 Contents Welcome to Samsung Xchange IOS Desktop Client... 3 How to Install Samsung Xchange... 3 Where is it?... 4 The Dock menu... 4 The menu bar...

More information

Integrated Accounting System for Mac OS X

Integrated Accounting System for Mac OS X Integrated Accounting System for Mac OS X Program version: 6.3 110401 2011 HansaWorld Ireland Limited, Dublin, Ireland Preface Standard Accounts is a powerful accounting system for Mac OS X. Text in square

More information

SMART BOARD USER GUIDE FOR PC TABLE OF CONTENTS I. BEFORE YOU USE THE SMART BOARD. What is it?

SMART BOARD USER GUIDE FOR PC TABLE OF CONTENTS I. BEFORE YOU USE THE SMART BOARD. What is it? SMART BOARD USER GUIDE FOR PC What is it? SMART Board is an interactive whiteboard available in an increasing number of classrooms at the University of Tennessee. While your laptop image is projected on

More information

Installing Java 5.0 and Eclipse on Mac OS X

Installing Java 5.0 and Eclipse on Mac OS X Installing Java 5.0 and Eclipse on Mac OS X This page tells you how to download Java 5.0 and Eclipse for Mac OS X. If you need help, Blitz [email protected]. You must be running Mac OS 10.4 or later

More information

PigCHAMP Knowledge Software. Enterprise Edition Installation Guide

PigCHAMP Knowledge Software. Enterprise Edition Installation Guide PigCHAMP Knowledge Software Enterprise Edition Installation Guide Enterprise Edition Installation Guide MARCH 2012 EDITION PigCHAMP Knowledge Software 1531 Airport Rd Suite 101 Ames, IA 50010 Phone (515)

More information

A Comparison of Programming Languages for Graphical User Interface Programming

A Comparison of Programming Languages for Graphical User Interface Programming University of Tennessee, Knoxville Trace: Tennessee Research and Creative Exchange University of Tennessee Honors Thesis Projects University of Tennessee Honors Program 4-2002 A Comparison of Programming

More information

CATIA Basic Concepts TABLE OF CONTENTS

CATIA Basic Concepts TABLE OF CONTENTS TABLE OF CONTENTS Introduction...1 Manual Format...2 Log on/off procedures for Windows...3 To log on...3 To logoff...7 Assembly Design Screen...8 Part Design Screen...9 Pull-down Menus...10 Start...10

More information

DsPIC HOW-TO GUIDE Creating & Debugging a Project in MPLAB

DsPIC HOW-TO GUIDE Creating & Debugging a Project in MPLAB DsPIC HOW-TO GUIDE Creating & Debugging a Project in MPLAB Contents at a Glance 1. Introduction of MPLAB... 4 2. Development Tools... 5 3. Getting Started... 6 3.1. Create a Project... 8 3.2. Start MPLAB...

More information

Chief Architect X6. Download & Installation Instructions. Chief Architect, Inc. 6500 N. Mineral Dr. Coeur d Alene, Idaho 83815 www.chiefarchitect.

Chief Architect X6. Download & Installation Instructions. Chief Architect, Inc. 6500 N. Mineral Dr. Coeur d Alene, Idaho 83815 www.chiefarchitect. Chief Architect X6 Download & Installation Instructions Chief Architect, Inc. 6500 N. Mineral Dr. Coeur d Alene, Idaho 83815 www.chiefarchitect.com Contents Chapter 1: Installation What s Included with

More information

Test Generator. Creating Tests

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

More information

Microsoft Word 2010 Tutorial

Microsoft Word 2010 Tutorial Microsoft Word 2010 Tutorial GETTING STARTED Microsoft Word is one of the most popular word processing programs supported by both Mac and PC platforms. Microsoft Word can be used to create documents, brochures,

More information

Windows XP Pro: Basics 1

Windows XP Pro: Basics 1 NORTHWEST MISSOURI STATE UNIVERSITY ONLINE USER S GUIDE 2004 Windows XP Pro: Basics 1 Getting on the Northwest Network Getting on the Northwest network is easy with a university-provided PC, which has

More information

Windows 7: Desktop. Personalization

Windows 7: Desktop. Personalization Windows 7: Desktop The new and improved Windows 7 operating system boasts several enhancements that allows for simple navigation and a user friendly interface. New features enable easy and accessible organization.

More information

Integrated Invoicing and Debt Management System for Mac OS X

Integrated Invoicing and Debt Management System for Mac OS X Integrated Invoicing and Debt Management System for Mac OS X Program version: 6.3 110401 2011 HansaWorld Ireland Limited, Dublin, Ireland Preface Standard Invoicing is a powerful invoicing and debt management

More information

Section 1.5 Exponents, Square Roots, and the Order of Operations

Section 1.5 Exponents, Square Roots, and the Order of Operations Section 1.5 Exponents, Square Roots, and the Order of Operations Objectives In this section, you will learn to: To successfully complete this section, you need to understand: Identify perfect squares.

More information

Testing your Linux Virtual Box

Testing your Linux Virtual Box Testing your Linux Virtual Box This document will guide you through downloading and installing the software you need for this offering. Make sure you get a fully working system early in the week so you

More information

Being Productive Venkat Subramaniam [email protected]

Being Productive Venkat Subramaniam venkats@agiledeveloper.com Being Productive Venkat Subramaniam [email protected] Abstract As software developers we spend most of our day on the computer. We must constantly find ways to be productive so we can be effective

More information

Stellar Phoenix Exchange Server Backup

Stellar Phoenix Exchange Server Backup Stellar Phoenix Exchange Server Backup Version 1.0 Installation Guide Introduction This is the first release of Stellar Phoenix Exchange Server Backup tool documentation. The contents will be updated periodically

More information

COMMONWEALTH OF PA OFFICE OF ADMINISTRATION. Human Resource Development Division. SAP LSO-AE Desk Guide 15 T H J A N U A R Y, 2 0 1 3

COMMONWEALTH OF PA OFFICE OF ADMINISTRATION. Human Resource Development Division. SAP LSO-AE Desk Guide 15 T H J A N U A R Y, 2 0 1 3 COMMONWEALTH OF PA OFFICE OF ADMINISTRATION Human Resource Development Division SAP LSO-AE Desk Guide 15 T H J A N U A R Y, 2 0 1 3 S A P L S O A U T H O R I N G E N V I R O N M E N T Authoring & Publishing

More information

Enterprise Asset Management System

Enterprise Asset Management System Enterprise Asset Management System in the Agile Enterprise Asset Management System AgileAssets Inc. Agile Enterprise Asset Management System EAM, Version 1.2, 10/16/09. 2008 AgileAssets Inc. Copyrighted

More information

Microsoft Office. Mail Merge in Microsoft Word

Microsoft Office. Mail Merge in Microsoft Word Microsoft Office Mail Merge in Microsoft Word TABLE OF CONTENTS Microsoft Office... 1 Mail Merge in Microsoft Word... 1 CREATE THE SMS DATAFILE FOR EXPORT... 3 Add A Label Row To The Excel File... 3 Backup

More information

Creating trouble-free numbering in Microsoft Word

Creating trouble-free numbering in Microsoft Word Creating trouble-free numbering in Microsoft Word This note shows you how to create trouble-free chapter, section and paragraph numbering, as well as bulleted and numbered lists that look the way you want

More information

CS 1133, LAB 2: FUNCTIONS AND TESTING http://www.cs.cornell.edu/courses/cs1133/2015fa/labs/lab02.pdf

CS 1133, LAB 2: FUNCTIONS AND TESTING http://www.cs.cornell.edu/courses/cs1133/2015fa/labs/lab02.pdf CS 1133, LAB 2: FUNCTIONS AND TESTING http://www.cs.cornell.edu/courses/cs1133/2015fa/labs/lab02.pdf First Name: Last Name: NetID: The purpose of this lab is to help you to better understand functions:

More information

Introduction to Word 2007

Introduction to Word 2007 Introduction to Word 2007 You will notice some obvious changes immediately after starting Word 2007. For starters, the top bar has a completely new look, consisting of new features, buttons and naming

More information

Frequently Asked Questions: Cisco Jabber 9.x for Android

Frequently Asked Questions: Cisco Jabber 9.x for Android Frequently Asked Questions Frequently Asked Questions: Cisco Jabber 9.x for Android Frequently Asked Questions (FAQs) 2 Setup 2 Basics 4 Connectivity 8 Calls 9 Contacts and Directory Search 14 Voicemail

More information

itunes Basics Website: http://etc.usf.edu/te/

itunes Basics Website: http://etc.usf.edu/te/ Website: http://etc.usf.edu/te/ itunes is the digital media management program included in ilife. With itunes you can easily import songs from your favorite CDs or purchase them from the itunes Store.

More information

Welcome to CD Burning with AudibleManager

Welcome to CD Burning with AudibleManager Welcome to CD Burning with AudibleManager Mac Users: You may burn CDs using Apple itunes3. See page 13 of the Getting Started With Audible Guide for instructions. You can now burn to CDs your favorite

More information

What is new or different in AppScan Enterprise v9.0.2 if you re upgrading from v9.0.1.1

What is new or different in AppScan Enterprise v9.0.2 if you re upgrading from v9.0.1.1 What is new or different in AppScan Enterprise v9.0.2 if you re upgrading from v9.0.1.1 Larissa Berger Miriam Fitzgerald April 24, 2015 Abstract: This white paper guides customers through the new features

More information