Introduction to MIPS Programming with Mars
|
|
|
- Susanna Allen
- 9 years ago
- Views:
Transcription
1 Introduction to MIPS Programming with Mars This week s lab will parallel last week s lab. During the lab period, we want you to follow the instructions in this handout that lead you through the process of turning the odd.c program from last week s lab into an equivalent assembly language program. Then, before next week s lab, we ask you to use what you have learned to translate the prime.c program you wrote last week (or our version of that program) into assembly language. As demonstrated in class, we want you to first convert the C version of whatever program you are working on into a file of assembly language comments. Then, you will fill in the blanks between the C code with assembly language instructions that implement the operations described by the lines in the C program. You should begin by getting organized. You created a number of files last week. We encouraged you to create a folder to hold them. If you haven t already, you should create such a folder for last week s work and also create a new Lab2 folder for this week s work. Put a copy of odd.c from last week in your new Lab2 folder. This is a good opportunity to practice using the cd, mkdir, mv, rm, and cp commands. Commenting Quickly Given the desire to use your C code from last lab as comments for this lab, the first step is to find a way to quickly put the assembly language comment character, #, at the start of every line of your C code. The best way to do this is with sed, the Unix stream editor. In a terminal window, use cd to make sure that you are in your new Lab2 folder. Then type: sed -e "s/^/#/" odd.c sed takes its input file (odd.c) and applies an editing command (s/^/#/) to each line in the file sending the result to the standard output stream (your terminal in this case). The general form of the sed substitution command is s/string to be replaced/replacement string/. The symbol ^ forces the string to be replaced to start at the beginning of a line of input. Thus, s/^/#/ says to replace a copy of the empty string at the start of each line with a number sign. So, if you typed everything correctly, you should have seen a version of odd.c with a number sign at the start of each line. Of course, this is not quite what you want. You don t want to see the updated text. You want to put it in a file that you can edit later to add assembly language instructions between the comments. To do this, simply: Redirect the standard output into a file by typing sed -e "s/^/#/" odd.c > odd.asm Landing on Mars We will be using a MIPS simulator named Mars to assemble and run MIPS assembly language programs. You can (and may want to) use Emacs to edit these programs, but MIPS also includes an editor of its own. For today s lab, we will use this built-in editor. To start the Mars program, find a terminal window and type the command /usr/local/bin/run mars & Due: High Noon, 25 September
2 (The ampersand tells Unix that the terminal window should start the program but not wait for it to complete.) After briefly displaying a cute little picture of the red planet, the Mars program will take over your entire screen. If you like working this way, fine. Personally, I prefer to have access to multiple windows on my screen. If this is your preference too, grab the title bar of the Mars window with the mouse and pull downward. This should turn it into an independent window. You can then use the mouse to make this window a comfortable size (point the mouse at the lower right corner until a little arrow icon appears and then drag). Mars probably will not adjust its sub windows very nicely when you change the main window s size. You can fix these by pointing the mouse at the gray speckled areas between the sub windows and dragging. When you are all done, the Mars window should look something like: Register values Editor Panel Simulator Messages The first thing you need to do is open the odd.asm file you just created with sed within the Mars editor panel. Select Open from the Mars File menu. Use the dialog box that appears to navigate into your Lab2 folder and open odd.asm A Little Housekeeping First, we will add a few bits of fairly standard code to the odd.asm file. You will want to follow roughly the same steps when you start writing any assembly language program. MIPS memory is divided into segments. The text segment is where your machine code belongs and the data segment is where variables stored in memory (which we won t actually have yet) and string constants belong. The.text and.data assembler directives are used to specify which lines of an assembler source file belong in each segment. To keep things simple, I suggest you place all the strings you will need to define after all of your assembler code. Therefore, you only need two of these directives: Add a.text directive right at the start of odd.asm. Due: High Noon, 25 September
3 Add a.data directive right at the end of the file. (Eventually, we will add string definitions after the directive so it will not remain at the very end.) By default, the Mars interpreter assumes that the first line of machine code in your file is the first line that should be executed. This is inconsistent with most C programs. Because of C s limitations on forward references, function definitions usually precede the definition of main, so the first line of code to execute does not come first. Since we are going to place our code between the lines of the commented version of the C program it implements, the line where execution should begin will come after other code. To fix this: Point the mouse to open the Mars Settings menu and select the Initialize Program Counter to global main if defined item. Right before the commented first line of main s code (the printf that displays the prompt) add a label: main: Initially, this label won t actually label anything because you have not typed in any code, but we will fix that in the next step. Finally, a good MIPS program has to tell the simulator/operating system when it is done. To do this, the program should load 10 into $v0 and execute syscall. So, under the commented line that ends main (return 0;), add the code li $v0,10 syscall At this point, you have a program that is a bit less interesting than Hello World. Since everything between where you placed the label main: and the code to terminate is a comment, the label main refers to the first line of the code to terminate. So, if you did everything correctly, the program you created should terminate as soon as it is started. It is probably a good idea to make sure it does this. A little to the right of the center of the row of buttons displayed near the top of the Mars window there is a button with an icon showing a wrench and a screw driver: This button tells Mars to assemble your code (i.e., to try to translate it into machine code). Press the button. If everything is correct, the text Assemble: operation completed successfully. should appear in the messages area at the bottom of the screen and the text of your code should have been replaced by a meaningless table of numbers (probably all 0s) that describes the contents of your program s data segment and another table mixing numbers and text that shows how your code actually translated into machine code stored in the text segment. Since Mars assumes you are about to run your program it is displaying this information so that you can watch as instructions are executed and memory is modified. Due: High Noon, 25 September
4 If you made a typing error somewhere, the editor panel displaying your code will remain visible and the first error will be highlighted in the window. An error message describing the problem will appear in the messages area followed by the warning Assemble: operation completed with errors. In this case, you should examine and fix your code and then try again. Once the assembler succeeds, a green arrow button immediately to the right of the assemble button will become active. Click on this button to run your program. The simulator should tell you program is finished running. If that was exciting enough to make you want to run your program again, you will be frustrated to find that the green arrow button is no longer active. To run a program again you either have to assemble it again or press the green double-left-arrow/rewind button. Doing either of these will re-enable the green arrow/run button. Once you have had enough fun running this program, you can get back to the editor by clicking on the Edit tab at the left edge of the Mars window underneath the row of buttons. Input and Output Before you finished the odd.c program last week, there was an intermediate version of the code that acted as if any number entered was odd. This version essentially ran the code: int main( int argc, char * argv[] ) { int number; printf( "Enter a number:" ); scanf( "%d", & number ); } printf( "%d is an odd number\n", number ); return 0; Your next step should be to get this program implemented in assembly language. You should be able to do this by simply ignoring the two lines of commented C code that precede and follow the printf that outputs the is an odd message. The two lines ignored should form the if statement that invokes isodd to determine whether or not to execute the printf. First, since we are not ready to use real memory, you have to pick a register that will be used to hold the value of the variable number. Yes, $s0 would be a great choice. Whatever you choose, record your choice for posterity in a comment near the commented C code that declares number. Now, using syscall, add code to print the Enter a number: prompt. First add an.asciiz directive to tell the assembler to place the prompt string in memory. This should go after the.data directive at the end of the program. Pick a name for this message and add it as a label before the.asciiz directive. Use li to place the code for printing a string in $v0 (you can look the code up by selecting Help from the Mars help menu and then clicking on the Syscalls tab). Due: High Noon, 25 September
5 Use la to place the address of the prompt string in $a0. Finish things off with a syscall. Assemble the program, fix any typos, and eventually run it. Now it is as interesting as Hello World. In the same way, add code to print the value of the variable number followed by the is an odd number message. Place each sequence of assembler code you write underneath the commented lines of C code to which it corresponds. Finally, add code for the scanf. This will use syscall with code 5 in $v0. Be sure to move the value input from $v0 (where syscall leaves it) to the register you decided to use for number. Assemble and run your program. It should now echo any number you type in telling you that it is odd. Debugging Tools The Mars simulator includes a number of features designed to assist you when you are debugging an assembly language program. Right now, your program is probably working correctly, but we will take some time to see how the simulator s debugging features can be used to observe a program in execution. In particular, we will put a breakpoint on the last instruction of the code you wrote to implement the scanf invocation in main and then step through the next few instructions one at a time while observing how register values change. If you have recently run your program, press the reset or assemble button so that the green arrow/run button is enabled. One of the sub-windows now displayed in the Mars window should be labeled Text Segment. This window describes the information in the simulated machine s text segment. This is where your code is stored. The rightmost column is labeled Source. It should contain a copy of your assembly language code with all of the comments, labels, and assembler directives removed. The next column to the left is labeled Basic. It shows the code that is actually being executed. The main differences between the Source and Basic columns are the result of pseudo-instructions. You should notice that pseudo-instructions like LI have turned into one or more actual instructions (like ADDIU the extra U just indicates that overflows should be ignored). Continuing to the left, the Code column shows the binary encoding of these instructions, and the Address column shows the address of the word that holds each instruction. This brings us to the column we want to use. The Bkpt column is used to set breakpoints. Scan through the Source column to find the code for the scanf. Look for a syscall preceded by a li that puts the value 5 in $v0. The line after the syscall should be a move instruction that copies the value read by the syscall into the register you picked to hold the variable number (in the Code column it will have become an addu). Click the checkbox in the Bkpt column of this instruction s row to set a breakpoint on this instruction. Now press the green arrow button to run your program. Enter a number after the prompt appears. As soon as you do this the simulator should halt because of your breakpoint. The line where execution was suspended will be highlighted. Look in the list of register values displayed in the rightmost sub-window of the Mars window. Find the entry for register $v0. It should contain the number you just entered. Also look at Due: High Noon, 25 September
6 the entry for the register you use to hold the value of the variable number. It should still be 0. Now, tell the simulator to execute a single instruction by pressing the button with a smaller green arrow and the number 1. One more instruction should be executed. The value in the register that holds number should now be the same as that in $v0. Execute a few more instructions one at a time to see how register values change. As we said about gdb in last week s lab, we hope that with a bit of imagination you can see how these features might come in handy while debugging. Division Sigh. Now we are up to the first part of the lab that requires material we didn t quite get to in class. With this in mind, this handout will describe a few features of MIPS assembly that were not covered in class (but are in the readings!). To enable us to tackle these features one by one, we will first modify odd.c a bit. In last week s lab, we had you write a separate isodd function. The computation isodd performs is so simple it is not clear it deserves to be a separate function. On the other hand, it gave you practice writing C functions. This week we will try to have it both ways. First, you will complete the program without using a separate isodd function. Then we will implement the function and use it as you did last week. The code from last week that used isodd should have looked something like: if ( isodd( number ) ) { printf( "%d is an odd number\n", number ); } If isodd is implemented correctly, this code should be equivalent to if ( number % 2!= 0 ) { printf( "%d is an odd number\n", number ); } The first item we did not get to in class is how to evaluate the mod (%) operator. The MIPS architecture includes an instruction named DIV. It takes two register operands and computes both the quotient and remainder that result when the first is divided by the second. The tricky part is that it does not leave these two numbers in any of the usual 32 registers. Instead, the quotient ends up in a special register named LO and the remainder ends up in another special register named HI. Luckily, to go this these special registers, there are special instructions MFLO (Move from LO), MTLO (Move to LO), MFHI (Move from HI), and MTHI (Move to HI) that move values between the 32 general purpose registers and LO and HI. For example, the code DIV $s0,$s1 MFHI $t1 leaves $s0 % $s1 in $t1. In class, we saw that the MIPS instruction set also includes two branch instructions name BNE (Branch not equal) and BEQ (Branch equal) that can be used to decide whether or not to branch by comparing the values of two registers. This is all you need to implement the code: Due: High Noon, 25 September
7 if ( number % 2!= 0 ) { printf( "%d is an odd number\n", number ); } All you need to do is: Put a label on the first line after the code that implements the printf (probably the beginning of the code to terminate the program). Put code to get the value of number % 2 before the code for the printf (remember that you can use LI to get 2 into a register). Put a conditional branch to the label you just added between the code to compute the mod and the code that implements the printf (you have to figure out whether to use BEQ or BNE). Assemble and test this code. Implementing Functions The other material that we did not cover in class is how to implement simple functions. By simple we mean functions whose parameters, local variables, and return values all fit in registers. No stack space needed! The book discusses such functions on pages 325 and 326. Do not read beyond this! Not-so-simple functions start on page 327. The techniques used to implement simple functions are straightforward. By convention, MIPS functions expect their parameter values to be in registers $a0 through $a3. So, when writing the code for such a function you should use $a0 whenever you want to refer to the first parameter, $a1 for the second and so on. Since isodd only expects one parameter, you should write code assuming it is in $a0. It would, of course, be a good idea to state this fact in a comment right after the commented-out C function header. In addition, a simple function like isodd is expected to leave its result in $v0. The really new feature involved in implementing a function like isodd is the way you jump from the code of the main program to the code for isodd and back again. We have seen the J (for jump) instruction in class. In a real program, a function like isodd might be called from several locations. If we just used J to jump from each of those locations to the first line of isodd, there would be no way to tell where the processor should jump back to when the function returned. Instead, to call a function we use the JAL (jump and link) instruction. In addition to jumping, this instruction saves the address of the instruction after the JAL in register $ra. This register s name stands for return address. Given that JAL is used to call a function, the last line the function executes can return to the instruction immediately after the call by using the JR (jump register) instruction in a command of the form jr $ra With this background you should be able to implement isodd. As we guide you through this, we are assuming your code for isodd looks like the code from last week s handout: \# int isodd( int value ) { \# if ( value % 2 == 0 ) { \# return FALSE; \# } else { Due: High Noon, 25 September
8 \# return TRUE; \# } \#} To implement this function: Place a label for the function (probably isodd: ) between the function s commented-out C header and the if statement. Using DIV and an appropriate branch statement place code after the if statement that computes value % 2 and branches to a label just before the second return statement if the remainder is 1. Place an instruction to place 0 in the register that should hold the return value ($v0) after the commented-out return FALSE; and follow this with a jr $ra. Place an instruction to place 1 in the register that should hold the return value ($v0) after the second commented-out return statement. Follow this with another jr $ra. Now, to invoke the function, change the code for the if statement in main so that it Moves the value of number into the register where isodd expects its parameter ($a0). Jumps to isodd using JAL. Branches around the printf based on whether the value returned by isodd in $v0 is 0 or 1. Primes again As mentioned in the introduction, odd.asm is just the warmup act. Once you have completed it you should begin working to convert the prime.c program you wrote last week into MIPS assembly language. As we did with odd.asm, we expect you to start by converting prime.c into a prime.asm file where the former C code serves as comments. If you don t trust your own prime.c code, you can find a sample solution on the Labs page of the course web site. Submitting Your work All you have to submit this week is your prime.asm file. Make sure it contains a comment with your name in it. You will need a terminal window to submit prime.asm. Within the terminal window you should use the cd command to make the directory containing prime.asm your current working directory. Then type the command: turnin -c 237 prime.asm Respond to the prompts appropriately and your code should be submitted. Whenever you leave the lab, please remember to log out. You can do this by selecting the Log Out item from the menu that appears when you depress the mouse while pointing at the little gear-like icon that appears in the upper right corner of your screen. Due: High Noon, 25 September
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
Exceptions in MIPS. know the exception mechanism in MIPS be able to write a simple exception handler for a MIPS machine
7 Objectives After completing this lab you will: know the exception mechanism in MIPS be able to write a simple exception handler for a MIPS machine Introduction Branches and jumps provide ways to change
Typy danych. Data types: Literals:
Lab 10 MIPS32 Typy danych Data types: Instructions are all 32 bits byte(8 bits), halfword (2 bytes), word (4 bytes) a character requires 1 byte of storage an integer requires 1 word (4 bytes) of storage
SECTION 5: Finalizing Your Workbook
SECTION 5: Finalizing Your Workbook In this section you will learn how to: Protect a workbook Protect a sheet Protect Excel files Unlock cells Use the document inspector Use the compatibility checker Mark
Personal Portfolios on Blackboard
Personal Portfolios on Blackboard This handout has four parts: 1. Creating Personal Portfolios p. 2-11 2. Creating Personal Artifacts p. 12-17 3. Sharing Personal Portfolios p. 18-22 4. Downloading Personal
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
An Introduction to MPLAB Integrated Development Environment
An Introduction to MPLAB Integrated Development Environment 2004 Microchip Technology Incorporated An introduction to MPLAB Integrated Development Environment Slide 1 This seminar is an introduction to
CP Lab 2: Writing programs for simple arithmetic problems
Computer Programming (CP) Lab 2, 2015/16 1 CP Lab 2: Writing programs for simple arithmetic problems Instructions The purpose of this Lab is to guide you through a series of simple programming problems,
PCSpim Tutorial. Nathan Goulding-Hotta 2012-01-13 v0.1
PCSpim Tutorial Nathan Goulding-Hotta 2012-01-13 v0.1 Download and install 1. Download PCSpim (file PCSpim_9.1.4.zip ) from http://sourceforge.net/projects/spimsimulator/files/ This tutorial assumes you
Deposit Direct. Getting Started Guide
Deposit Direct Getting Started Guide Table of Contents Before You Start... 3 Installing the Deposit Direct application for use with Microsoft Windows Vista... 4 Running Programs in Microsoft Windows Vista...
Figure 1: Graphical example of a mergesort 1.
CSE 30321 Computer Architecture I Fall 2011 Lab 02: Procedure Calls in MIPS Assembly Programming and Performance Total Points: 100 points due to its complexity, this lab will weight more heavily in your
Introduction to LogixPro - Lab
Programmable Logic and Automation Controllers Industrial Control Systems I Introduction to LogixPro - Lab Purpose This is a self-paced lab that will introduce the student to the LogixPro PLC Simulator
LabVIEW Day 6: Saving Files and Making Sub vis
LabVIEW Day 6: Saving Files and Making Sub vis Vern Lindberg You have written various vis that do computations, make 1D and 2D arrays, and plot graphs. In practice we also want to save that data. We will
Intellect Platform - Tables and Templates Basic Document Management System - A101
Intellect Platform - Tables and Templates Basic Document Management System - A101 Interneer, Inc. 4/12/2010 Created by Erika Keresztyen 2 Tables and Templates - A101 - Basic Document Management System
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
Assembly Language Programming
Assembly Language Programming Assemblers were the first programs to assist in programming. The idea of the assembler is simple: represent each computer instruction with an acronym (group of letters). Eg:
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
1.5 MONITOR. Schools Accountancy Team INTRODUCTION
1.5 MONITOR Schools Accountancy Team INTRODUCTION The Monitor software allows an extract showing the current financial position taken from FMS at any time that the user requires. This extract can be saved
edgebooks Quick Start Guide 4
edgebooks Quick Start Guide 4 memories made easy SECTION 1: Installing FotoFusion Please follow the steps in this section to install FotoFusion to your computer. 1. Please close all open applications prior
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
Altera Monitor Program
Altera Monitor Program This tutorial presents an introduction to the Altera Monitor Program, which can be used to compile, assemble, download and debug programs for Altera s Nios II processor. The tutorial
Customizing Confirmation Text and Emails for Donation Forms
Customizing Confirmation Text and Emails for Donation Forms You have complete control over the look & feel and text used in your donation confirmation emails. Each form in Sphere generates its own confirmation
Quick Guide. Passports in Microsoft PowerPoint. Getting Started with PowerPoint. Locating the PowerPoint Folder (PC) Locating PowerPoint (Mac)
Passports in Microsoft PowerPoint Quick Guide Created Updated PowerPoint is a very versatile tool. It is usually used to create multimedia presentations and printed handouts but it is an almost perfect
paragraph(s). The bottom mark is for all following lines in that paragraph. The rectangle below the marks moves both marks at the same time.
MS Word, Part 3 & 4 Office 2007 Line Numbering Sometimes it can be helpful to have every line numbered. That way, if someone else is reviewing your document they can tell you exactly which lines they have
Comp 255Q - 1M: Computer Organization Lab #3 - Machine Language Programs for the PDP-8
Comp 255Q - 1M: Computer Organization Lab #3 - Machine Language Programs for the PDP-8 January 22, 2013 Name: Grade /10 Introduction: In this lab you will write, test, and execute a number of simple PDP-8
Web Editing Tutorial. Copyright 1995-2010 Esri All rights reserved.
Copyright 1995-2010 Esri All rights reserved. Table of Contents Tutorial: Creating a Web editing application........................ 3 Copyright 1995-2010 Esri. All rights reserved. 2 Tutorial: Creating
Easy Setup Guide for the Sony Network Camera
-878-191-11 (1) Easy Setup Guide for the Sony Network Camera For setup, a computer running the Microsoft Windows Operating System is required. For monitoring camera images, Microsoft Internet Explorer
Cal Answers Analysis Training Part III. Advanced OBIEE - Dashboard Reports
Cal Answers Analysis Training Part III Advanced OBIEE - Dashboard Reports University of California, Berkeley March 2012 Table of Contents Table of Contents... 1 Overview... 2 Remember How to Create a Query?...
Web Ambassador Training on the CMS
Web Ambassador Training on the CMS Learning Objectives Upon completion of this training, participants will be able to: Describe what is a CMS and how to login Upload files and images Organize content Create
Introduction to MIPS Assembly Programming
1 / 26 Introduction to MIPS Assembly Programming January 23 25, 2013 2 / 26 Outline Overview of assembly programming MARS tutorial MIPS assembly syntax Role of pseudocode Some simple instructions Integer
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.
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.
MEDIAplus administration interface
MEDIAplus administration interface 1. MEDIAplus administration interface... 5 2. Basics of MEDIAplus administration... 8 2.1. Domains and administrators... 8 2.2. Programmes, modules and topics... 10 2.3.
Adobe Dreamweaver CC 14 Tutorial
Adobe Dreamweaver CC 14 Tutorial GETTING STARTED This tutorial focuses on the basic steps involved in creating an attractive, functional website. In using this tutorial you will learn to design a site
Quick Start Tutorial. Using the TASKING* Software Development Tools with the Intel 8x930 Family Evaluation Board
Quick Start Tutorial Using the TASKING* Software Development Tools with the Intel 8x930 Family Evaluation Board This explains how to use the TASKING Microsoft* Windows*-based software development tools
CS 103 Lab Linux and Virtual Machines
1 Introduction In this lab you will login to your Linux VM and write your first C/C++ program, compile it, and then execute it. 2 What you will learn In this lab you will learn the basic commands and navigation
Introduction to MS WINDOWS XP
Introduction to MS WINDOWS XP Mouse Desktop Windows Applications File handling Introduction to MS Windows XP 2 Table of Contents What is Windows XP?... 3 Windows within Windows... 3 The Desktop... 3 The
Getting Started with the Cadence Software
1 Getting Started with the Cadence Software In this chapter, you learn about the Cadence software environment and the Virtuoso layout editor as you do the following tasks: Copying the Tutorial Database
So you want to create an Email a Friend action
So you want to create an Email a Friend action This help file will take you through all the steps on how to create a simple and effective email a friend action. It doesn t cover the advanced features;
1 Intel Smart Connect Technology Installation Guide:
1 Intel Smart Connect Technology Installation Guide: 1.1 System Requirements The following are required on a system: System BIOS supporting and enabled for Intel Smart Connect Technology Microsoft* Windows*
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
Desktop, Web and Mobile Testing Tutorials
Desktop, Web and Mobile Testing Tutorials * Windows and the Windows logo are trademarks of the Microsoft group of companies. 2 About the Tutorial With TestComplete, you can test applications of three major
IT Quick Reference Guides Using Windows 7
IT Quick Reference Guides Using Windows 7 Windows Guides This sheet covers many of the basic commands for using the Windows 7 operating system. WELCOME TO WINDOWS 7 After you log into your machine, the
Authorware Install Directions for IE in Windows Vista, Windows 7, and Windows 8
Authorware Install Directions for IE in Windows Vista, Windows 7, and Windows 8 1. Read entire document before continuing. 2. Close all browser windows. There should be no websites open. If you are using
Apache Configuration
Apache Configuration In this exercise, we are going to get Apache configured to handle a couple of different websites. We are just going to use localhost (the default address for a server), but the same
EXCEL PIVOT TABLE David Geffen School of Medicine, UCLA Dean s Office Oct 2002
EXCEL PIVOT TABLE David Geffen School of Medicine, UCLA Dean s Office Oct 2002 Table of Contents Part I Creating a Pivot Table Excel Database......3 What is a Pivot Table...... 3 Creating Pivot Tables
Session 9: Module 4 - Infoview Reports Part 1
Description Introduction Overview Session 9: Module 4 - Infoview Reports Part 1 Text SCRIPT Welcome to Session 9: Module 4 of the HuBERT On-Demand Training Sessions presented by the MN Department of Health
Informatica e Sistemi in Tempo Reale
Informatica e Sistemi in Tempo Reale Introduction to C programming Giuseppe Lipari http://retis.sssup.it/~lipari Scuola Superiore Sant Anna Pisa October 25, 2010 G. Lipari (Scuola Superiore Sant Anna)
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
MIPS Assembler and Simulator
MIPS Assembler and Simulator Reference Manual Last Updated, December 1, 2005 Xavier Perséguers (ing. info. dipl. EPF) Swiss Federal Institude of Technology [email protected] Preface MIPS Assembler
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
SQL Server 2005: Report Builder
SQL Server 2005: Report Builder Table of Contents SQL Server 2005: Report Builder...3 Lab Setup...4 Exercise 1 Report Model Projects...5 Exercise 2 Create a Report using Report Builder...9 SQL Server 2005:
Linux Overview. Local facilities. Linux commands. The vi (gvim) editor
Linux Overview Local facilities Linux commands The vi (gvim) editor MobiLan This system consists of a number of laptop computers (Windows) connected to a wireless Local Area Network. You need to be careful
Microsoft PowerPoint 2010 Handout
Microsoft PowerPoint 2010 Handout PowerPoint is a presentation software program that is part of the Microsoft Office package. This program helps you to enhance your oral presentation and keep the audience
1.5 MONITOR FOR FMS 6 USER GUIDE
1.5 MONITOR FOR FMS 6 USER GUIDE 38 Introduction Monitor for FMS6 V1.2 is an upgrade to the previous version of Monitor. The new software is written for 32-bit operating systems only and can therefore
Suite. How to Use GrandMaster Suite. Exporting with ODBC
Suite How to Use GrandMaster Suite Exporting with ODBC This page intentionally left blank ODBC Export 3 Table of Contents: HOW TO USE GRANDMASTER SUITE - EXPORTING WITH ODBC...4 OVERVIEW...4 WHAT IS ODBC?...
Presentations and PowerPoint
V-1.1 PART V Presentations and PowerPoint V-1.2 Computer Fundamentals V-1.3 LESSON 1 Creating a Presentation After completing this lesson, you will be able to: Start Microsoft PowerPoint. Explore the PowerPoint
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
An Introduction to Assembly Programming with the ARM 32-bit Processor Family
An Introduction to Assembly Programming with the ARM 32-bit Processor Family G. Agosta Politecnico di Milano December 3, 2011 Contents 1 Introduction 1 1.1 Prerequisites............................. 2
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
Introduction to Operating Systems
Introduction to Operating Systems It is important that you familiarize yourself with Windows and Linux in preparation for this course. The exercises in this book assume a basic knowledge of both of these
How to Create a Spreadsheet With Updating Stock Prices Version 3, February 2015
How to Create a Spreadsheet With Updating Stock Prices Version 3, February 2015 by Fred Brack In December 2014, Microsoft made changes to their online portfolio management services, changes widely derided
WebSphere Business Monitor V6.2 KPI history and prediction lab
Copyright IBM Corporation 2009 All rights reserved IBM WEBSPHERE BUSINESS MONITOR 6.2 LAB EXERCISE WebSphere Business Monitor V6.2 KPI history and prediction lab What this exercise is about... 1 Lab requirements...
Excel macros made easy
IT Training Excel macros made easy Jane Barrett, IT Training & Engagement Team Information System Services Version 1.1 Scope Learning outcomes Understand the concept of what a macro is and what it does.
Pivot Tables & Pivot Charts
Pivot Tables & Pivot Charts Pivot tables... 2 Creating pivot table using the wizard...2 The pivot table toolbar...5 Analysing data in a pivot table...5 Pivot Charts... 6 Creating a pivot chart using the
A Quick Start Guide to Using PowerPoint For Image-based Presentations
A Quick Start Guide to Using PowerPoint For Image-based Presentations By Susan Jane Williams & William Staffeld, Knight Visual Resources Facility College of Architecture, Art and Planning Cornell University.
Website Development Komodo Editor and HTML Intro
Website Development Komodo Editor and HTML Intro Introduction In this Assignment we will cover: o Use of the editor that will be used for the Website Development and Javascript Programming sections of
Lab 1 Beginning C Program
Lab 1 Beginning C Program Overview This lab covers the basics of compiling a basic C application program from a command line. Basic functions including printf() and scanf() are used. Simple command line
Web Intelligence User Guide
Web Intelligence User Guide Office of Financial Management - Enterprise Reporting Services 4/11/2011 Table of Contents Chapter 1 - Overview... 1 Purpose... 1 Chapter 2 Logon Procedure... 3 Web Intelligence
TUTORIAL 4 Building a Navigation Bar with Fireworks
TUTORIAL 4 Building a Navigation Bar with Fireworks This tutorial shows you how to build a Macromedia Fireworks MX 2004 navigation bar that you can use on multiple pages of your website. A navigation bar
3. Programming the STM32F4-Discovery
1 3. Programming the STM32F4-Discovery The programming environment including the settings for compiling and programming are described. 3.1. Hardware - The programming interface A program for a microcontroller
WebSphere Business Monitor V6.2 Business space dashboards
Copyright IBM Corporation 2009 All rights reserved IBM WEBSPHERE BUSINESS MONITOR 6.2 LAB EXERCISE WebSphere Business Monitor V6.2 What this exercise is about... 2 Lab requirements... 2 What you should
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,
Practice Fusion API Client Installation Guide for Windows
Practice Fusion API Client Installation Guide for Windows Quickly and easily connect your Results Information System with Practice Fusion s Electronic Health Record (EHR) System Table of Contents Introduction
What is OneDrive for Business at University of Greenwich? Accessing OneDrive from Office 365
This guide explains how to access and use the OneDrive for Business cloud based storage system and Microsoft Office Online suite of products via a web browser. What is OneDrive for Business at University
13 Managing Devices. Your computer is an assembly of many components from different manufacturers. LESSON OBJECTIVES
LESSON 13 Managing Devices OBJECTIVES After completing this lesson, you will be able to: 1. Open System Properties. 2. Use Device Manager. 3. Understand hardware profiles. 4. Set performance options. Estimated
einstruction CPS (Clicker) Instructions
Two major approaches to run Clickers a. Anonymous b. Tracked Student picks any pad as s/he enters classroom; Student responds to question, but pad is not linked to student; Good for controversial questions,
Universal Simple Control, USC-1
Universal Simple Control, USC-1 Data and Event Logging with the USB Flash Drive DATA-PAK The USC-1 universal simple voltage regulator control uses a flash drive to store data. Then a propriety Data and
Setting up a basic database in Access 2003
Setting up a basic database in Access 2003 1. Open Access 2. Choose either File new or Blank database 3. Save it to a folder called customer mailing list. Click create 4. Double click on create table in
D2L: An introduction to CONTENT University of Wisconsin-Parkside
D2L: An introduction to CONTENT University of Wisconsin-Parkside FOR FACULTY: What is CONTENT? The Content and Course Builder tools both allow you to organize materials in D2L. Content lets you and your
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
Merging Labels, Letters, and Envelopes Word 2013
Merging Labels, Letters, and Envelopes Word 2013 Merging... 1 Types of Merges... 1 The Merging Process... 2 Labels - A Page of the Same... 2 Labels - A Blank Page... 3 Creating Custom Labels... 3 Merged
BID2WIN Workshop. Advanced Report Writing
BID2WIN Workshop Advanced Report Writing Please Note: Please feel free to take this workbook home with you! Electronic copies of all lab documentation are available for download at http://www.bid2win.com/userconf/2011/labs/
Stack machines The MIPS assembly language A simple source language Stack-machine implementation of the simple language Readings: 9.1-9.
Code Generation I Stack machines The MIPS assembly language A simple source language Stack-machine implementation of the simple language Readings: 9.1-9.7 Stack Machines A simple evaluation model No variables
Excel 2003 A Beginners Guide
Excel 2003 A Beginners Guide Beginner Introduction The aim of this document is to introduce some basic techniques for using Excel to enter data, perform calculations and produce simple charts based on
Configuration Manager
After you have installed Unified Intelligent Contact Management (Unified ICM) and have it running, use the to view and update the configuration information in the Unified ICM database. The configuration
5. Tutorial. Starting FlashCut CNC
FlashCut CNC Section 5 Tutorial 259 5. Tutorial Starting FlashCut CNC To start FlashCut CNC, click on the Start button, select Programs, select FlashCut CNC 4, then select the FlashCut CNC 4 icon. A dialog
Configuring Outlook and Installing Communicator, Live Meeting, Add in for Outlook, and the Recording Converter
Configuring Outlook and Installing Communicator, Live Meeting, Add in for Outlook, and the Recording Converter This document assumes you have Microsoft Office 2007 installed but not configured. You will
TLMC WORKSHOP: THESIS FORMATTING IN WORD 2010
Table of Contents Introduction... 2 Getting Help... 2 Tips... 2 Working with Styles... 3 Applying a Style... 3 Choosing Which Styles to Use... 3 Modifying a Style... 4 Creating A New Style... 4 Setting
Select the Crow s Foot entity relationship diagram (ERD) option. Create the entities and define their components.
Α DESIGNING DATABASES WITH VISIO PROFESSIONAL: A TUTORIAL Microsoft Visio Professional is a powerful database design and modeling tool. The Visio software has so many features that we can t possibly demonstrate
Microsoft Access Rollup Procedure for Microsoft Office 2007. 2. Click on Blank Database and name it something appropriate.
Microsoft Access Rollup Procedure for Microsoft Office 2007 Note: You will need tax form information in an existing Excel spreadsheet prior to beginning this tutorial. 1. Start Microsoft access 2007. 2.
Fall 2006 CS/ECE 333 Lab 1 Programming in SRC Assembly
Lab Objectives: Fall 2006 CS/ECE 333 Lab 1 Programming in SRC Assembly 1. How to assemble an assembly language program for the SRC using the SRC assembler. 2. How to simulate and debug programs using the
Volunteers for Salesforce Installation & Configuration Guide Version 3.76
Volunteers for Salesforce Installation & Configuration Guide Version 3.76 July 15, 2015 Djhconsulting.com 1 CONTENTS 1. Overview... 4 2. Installation Instructions... 4 2.1 Requirements Before Upgrading...
Planning and Managing Projects with Microsoft Project Professional 2013
Slides Steps to Enter Duration: 1. In the Duration column of a task, enter a value, and press Enter on your keyboard Important Points: The default time unit is days, so when you enter 5, this becomes 5
10 STEPS TO YOUR FIRST QNX PROGRAM. QUICKSTART GUIDE Second Edition
10 STEPS TO YOUR FIRST QNX PROGRAM QUICKSTART GUIDE Second Edition QNX QUICKSTART GUIDE A guide to help you install and configure the QNX Momentics tools and the QNX Neutrino operating system, so you can
Hello Purr. What You ll Learn
Chapter 1 Hello Purr This chapter gets you started building apps. It presents the key elements of App Inventor the Component Designer and the Blocks Editor and leads you through the basic steps of creating
PloneSurvey User Guide (draft 3)
- 1 - PloneSurvey User Guide (draft 3) This short document will hopefully contain enough information to allow people to begin creating simple surveys using the new Plone online survey tool. Caveat PloneSurvey
