CS2110 Spring 2014 Assignment A1. Fibonacci Bees Due on CMS by Friday 7 Feb, 11:59PM. CS1110 Spring 2010 Assignment A1 Fibonacci Bees

Size: px
Start display at page:

Download "CS2110 Spring 2014 Assignment A1. Fibonacci Bees Due on CMS by Friday 7 Feb, 11:59PM. CS1110 Spring 2010 Assignment A1 Fibonacci Bees"

Transcription

1 1 CS1110 Spring 2010 Assignment A1 Fibnacci Bees Intrductin Bees have a funny way f prpagating. An unfertilized female bee, the queen bee, will have male ffspring. But the ffspring f a fertilized female will be females. Yu can see what happens in the tree t the right. The male n level 1 has ne parent, a female, n level 2. That parent has tw parents, as shwn n level 3, and thse tw bees n level 2 have a ttal f three parents, as shwn n level 4, etc. Yu can see that the number f ancestrs n increasing levels frms the sequence 1, 1, 2, 3, 5, 8, 13, 21, 34, 55, This is the Fibnacci sequence: f(0)= 0, f(1)= 1, and fr n > 1, f(n) = f(n-1) + f(n-2). Isn t that neat? The image f a bee abve is frm the website Yu can find many stunning, up-clse images f bees there. In this assignment, we assume we can mnitr bees. Yur task will be t develp a Java class Bee t maintain infrmatin abut them and a testing class BeeTester t maintain a suite f test-cases fr Bee. This assignment illustrates hw Java's classes and bjects can be used t maintain data abut a cllectin f things like entities in a large tracking system. Learning bjectives Gain familiarity with Java and Eclipse and the structure f a basic class within a recrd-keeping scenari (a cmmn type f applicatin). Learn abut and practice reading carefully. Wrk with examples f gd Javadc specificatins t serve as mdels fr yur later cde. Learn the cde presentatin cnventins fr this curse (Javadc specificatins, indentatin, shrt lines, etc.), which help make yur prgrams readable and understandable. Learn and practice incremental cding, a sund prgramming methdlgy that interleaves cding and testing. Learn abut and practice thrugh testing f a prgram using JUnit testing. Learn t write class invariants. Learn abut precnditins f a methd (requirements f a call n the methd that need nt be tested) and the use f the Java assert statement fr checking precnditins. The methds we ask yu t write in this assignment are shrt and simple; the emphasis is n "gd practices", nt cmplicated cmputatins. Reading carefully At the end f this dcument is a checklist f items fr yu t cnsider befre submitting A1, shwing hw many pints each item is wrth. Check each ne carefully. A lw grade is almst always due t lack f attentin t detail and t nt fllwing instructins nt t difficulty understanding OO. At this pint, we ask yu t visit the webpage n the website f Fernand Pereira, research directr fr Ggle: Did yu read that webpage carefully? If nt, read it nw! The best thing yu can d fr yurself and us at this pint is t read carefully. This handut cntains many details. Yu have t read carefully t get this assignment right. Save yurself and us a lt f anguish by ding that as yu d this assignment.

2 2 Cllabratin plicy Yu may d this assignment with ne ther persn. If yu are ging t wrk tgether, then, as sn as pssible and certainly befre yu submit the assignment get n the CMS fr the curse and d what is required t frm a grup. Bth peple must d smething befre the grup is frmed: ne prpses, the ther accepts. If yu need help with the CMS, visit If yu d this assignment with anther persn, yu must wrk tgether. It is against the rules fr ne persn t d sme prgramming n this assignment withut the ther persn sitting nearby and helping. Yu shuld take turns "driving" using the keybard and muse. With the exceptin f yur CMS-registered partner, yu may nt lk at anyne else's cde, in any frm, r shw yur cde t anyne else, in any frm. Yu may nt shw r give yur cde t anther persn in the class. Getting help If yu dn't knw where t start, if yu dn't understand testing, if yu are lst, etc., please SEE SOMEONE IMMEDIATELY a curse instructr, a TA, a cnsultant. Or, ask a questin and lk fr answers n the curse Piazza. D nt wait. A little in-persn help can d wnders. See the curse hmepage fr cntact infrmatin. Using the Java assert statement t test precnditins As yu knw, a precnditin is a cnstraint n the parameters f a methd, and it is up t the user t ensure that methd calls satisfy the precnditin. If a call des nt, the methd can d whatever it wants. Hwever, especially during testing and debugging, it is useful t use Java assert statements at the beginning f a methd t check that the precnditin is true. Fr example, if the precnditin is : this bee s mther is unknwn and e is female., ne can use an assert statement like the fllwing (using bvius names fr fields): assert mm == null && e!= null && e.gender == 'F'; The additinal test e!= null is there t prtect against a null-pinter exceptin, which will happen if the argument crrespnding t e in the call is null. [This is imprtant!] In this assignment, all precnditins f methds must be checked using assert statements at the beginning f the methd. Write the assert statements as the first step in writing the methd bdy, s that they are always there during testing and debugging. Als, when yu generate a new JUnit class, make sure the VM argument -ea is present in the Run Cnfiguratin. Yu will find these assert statements helpful in testing and debugging. Hw t d this assignment Scan the whle assignment befre starting. Then, develp class Bee and test it using class BeeTester in the fllwing incremental, sund way. This will help yu cmplete this (and ther) prgramming tasks quickly and efficiently. If we detect that yu did nt develp it this way, pints will be deducted. 1. In Eclipse, create a new prject, called a1bee. In a1bee, create a new class, called Bee. It shuld nt be in a package, and it des nt need a methd main (but yu may add ne if yu want). As the first line f file Bee.java, put this: /** An instance (i.e. bject) maintains infrmatin abut a bee. */ Remve the cnstructr with n parameters, since it will nt be used and its use can leave an bject in an incnsistent state (see belw, the class invariant). 2. In class Bee, declare the fllwing fields (yu chse the names f the fields), which are meant t hld infrmatin describing a bee. Make these fields private and prperly cmment them (see the "The class invariant" sectin belw).

3 3 Nte: yu must break lng lines (including cmments) int tw r mre lines s that the reader des nt have t scrll right t read them. This makes yur cde much easier fr us and yu t read. A gd guideline: N line is mre than 80 characters lng. nickname (a String). Name given t this Bee, a String f length > 0. year f hatching (an int). Must be >= mnth f hatching (an int). In range with 1 being January, etc. gender f this Bee (a char). M means male and F means female. If the bee is male, it has n father. mther (a Bee). (Name f) the bject f class Bee that is the mther f this bject null if unknwn father (a Bee). (Name f) the bject f class Bee that is the father f this bject null if unknwn r this bee is male. number f children f this Bee. Nte the fllwing abut the field that cntains the number f children. The user never gives a value fr this field; it is cmpletely under cntrl f the prgram. Fr example, if a Bee b is given a mther m, then m s number f children must be increased by 1. It is up t the prgram, nt the user, t increase the field. The class invariant. Recall that cmments shuld accmpany the declaratins f all fields t describe what each field means, what cnstraints hld n the fields, and what the legal values are fr the fields. Fr example, fr the year-f-hatching field, state in a cmment that the field cntains the year f hatching and that it must be >= The cllectin f the cmments n these fields is called the class invariant. Here is an example f a declaratin with a suitable cmment. Nte that the cmment des nt give the type (since it is bvius frm the declaratin), it des nt use nise phrases like this field cntains, and it des cntain cnstraints n the field. char hatchyear; // year f hatching f this Bee. >= 2000 Nte again that we did nt put (a char) in the cmment. That infrmatin is already knwn frm the declaratin. Dn t put such unnecessary things in the cmments. Whenever yu write a methd (see belw), lk thrugh the class invariant and cnvince yurself that the class invariant still hlds when the methd terminates. This habit will help yu prevent r catch bugs later n. 3. In Eclipse, start a new JUnit test class and call it BeeTester. Yu can d this using men item File > New > JUnit Test Case. 4. Belw, fur grups A, B, C, and D f methds are described. Wrk with ne grup at a time, perfrming steps (1)..(4). D nt g n t the next grup f methds until the grup yu are wrking n is thrughly tested and crrect. (1) Write the Javadc specificatins fr each methd in that part. Make sure they are cmplete and crrect lk at the specificatins we give yu belw. Cpy-and-paste frm this handut makes this easy. (2) Write the methd bdies, starting with assert statements fr the precnditins. (3) Write ne test prcedure fr this grup in class BeeTester and add test cases t it fr all the methds in the grup. (4) Test the methds in the grup thrughly. Discussin f the grups f methds. The descriptins belw represent the level f cmpleteness and precisin we are lking fr in yur Javadc specifeicatin-cmments. In fact, yu may (shuld) cpy and paste these descriptins t create the first draft f yur Javadc cmments. If yu d nt cut and paste, adhere t the cnventins we use, such as using the prefix "Cnstructr: " and duble-qutes t enclse an English blean assertin. Using a cnsistent set f gd cnventins in this class will help us all.

4 4 Methd specificatins d nt mentin fields because the user may nt knw what the fields are, r even if there are fields. The fields are private. Cnsider class JFrame: yu knw what methds it has but nt what fields, and the methd specificatins d nt mentin fields. In the same way, a user f yur class Bee will knw the methds but nt the fields. The names f yur methds must match thse listed belw exactly, including capitalizatin. The number f parameters and their rder must als match: any mismatch will cause ur testing prgrams t fail and will result in lss f pints fr crrectness. Parameter names will nt be tested change the parameter names if yu want. In this assignment, yu may nt use if-statements, cnditinal expressins, r lps. Grup A: The first cnstructr and the getter methds f class Bee. Cnstructr Bee(String n, char g, int y, int m) Cnstructr: an instance with nickname n, gender g, birth year y, and birth mnth m. Its parents are unknwn, and it has n children. Precnditin: n has at least 1 character, y >= 2000, m is in 1..12, and g is 'M' fr male r 'F' fr female. Getter Methd Return Type getnickname() Return this Bee's nickname String getyear() Return the year this Bee hatched frm its egg int getmnth() Return the mnth this Bee hatched frm its egg int ismale() Return the value f "This Bee is male. blean getmm() Return this Bee's mther (null if unknwn) Bee (nt String!) getdad() Return this Bee's father (null if unknwn) Bee (nt String!) getnumchildren() Return the number f children f this Bee int Cnsider testing the cnstructr. Based n the specificatin f the cnstructr, figure ut what value it shuld place in each f the 7 fields t make the class invariant true. Then, write a prcedure named testcnstructr1 in BeeTester t make sure that the cnstructr fills in ALL fields crrectly. The prcedure shuld: Create ne Bee bject using the cnstructr and then check, using the getter methds, that all fields have the crrect values. Since there are 7 fields, there shuld be 7 assertequals statements. As a by-prduct, all getter methds are als tested. We d advise creating a secnd Bee (in testcnstructr1) f the ther sex than the ne first created and testing using functin ismale() that its sex was prperly stred. Grup B: the setter r mutatr methds. Nte that methds addmm and adddad may have t change fields f bth this Bee and the parent in rder t maintain the class invariant the parent s number f children changes! When testing the setter methds, yu will have t create ne r mre Bee bjects, call the setter methds, and then use the getter methds t test whether the setter methds set the fields crrectly. Gd thing yu already tested the getters! Nte that these setter methds may change mre than ne field; yur testing prcedure shuld check that all fields that may be changed are changed crrectly. We are nt asking yu t write methds that change an existing father r mther t a different Bee. This wuld require if-statements, which are nt allwed. Read precnditins f methds carefully. Setter Methd addmm(bee e) Add e as this Bee's mther. Precnditin: this Bee s mther is unknwn and e is female.

5 5 Setter Methd adddad(bee e) Add e as this Bee's father. Precnditin: This Bee's father is unknwn, this Bee is female, and e is male. Grup C: Tw mre cnstructrs. The test prcedure fr grup C has t create Bees using the tw cnstructrs given belw. This will require first creating tw Bees, using the first cnstructr; then check that these tw cnstructr set all 7 fields prperly.! Cnstructrs Bee(String n, int y, int m, Bee ma) Cnstructr: a male Bee with nickname n, hatch year y, hatch mnth m, and mther ma. Precnditin: n has at least 1 character, y >= 2000, m is in 1..12, and ma is a female. Bee(String n, int y, int m, Bee ma, Bee pa) Cnstructr: a female Bee with nickname n, hatch year y, hatch mnth m, mther ma, and father pa. Precnditin: n has at least 1 character, y >= 2000, m is in 1..12, ma is a female, and pa is a male. Grup D: Write tw cmparisn methds t see which f tw bees is yunger and t see whether tw bees are siblings (i.e. they are nt the same bject and they have a nn-null mther r a nn-null father in cmmn). Write these using nly blean expressins (with!, &&, and and relatins <, <=, ==, etc.). D nt use if-statements, switches, additin, multiplicatin, etc. Each can be written as a single return statement. Cmparisn Methd Return type isyunger(bee e) issibling(bee e) Return value f "this Bee is yunger than e. Precnditin: e is nt null. Return value f "this Bee and e are siblings. (nte: if e is null they can't be siblings, s false shuld be returned). blean blean 5. In Eclipse, click men item Prject -> Generate Javadc. In the windw that pens, make sure yu are generating Javadc fr prject, a1bee, using visibility public, and string it in a1bee/dc. Then pen dc/index.html. Yu shuld see yur methd and class specificatins. Read thrugh them frm the perspective f smene wh has nt read yur cde. Fix the cmments in class Bee, if necessary, s that they are apprpriate t that perspective. Yu must be able t understand everything there is t knw abut writing a call n each methd frm the specificatin that yu see by clicking the Javadc buttn that is, withut knwing anything abut the private fields. Thus, the fields shuld nt be mentined. Then, and nly then, add a cmment at the tp f file Bee.java saying that yu checked the Javadc utput and it was OK. 6. Check carefully that a methd that adds a mther r father t a Bee updates the mther s r father s number f children. Fur methds d this. 7. Review the learning bjectives and reread this dcument t make sure yur cde cnfrms t ur instructins. Check each f the fllwing, ne by ne, carefully. Nte that 50 pints are given fr the items belw and 50 pints are given fr actual crrectness f methds. 5 Pints. Are all lines shrt enugh that hrizntal scrlling is nt necessary (abut 80 chars is lng enugh). D yu have a blank line befre the specificatin f each methd and n blank line after it?

6 6 10 Pints. Is yur class invariant crrect are all fields defined and all field cnstraints given? 5 Pints. Is the name f each methd and the types f its parameters exactly as stated in step 4 abve (the simplest way t d this was t cpy and paste). (Mre pints may be deducted if we have difficulty fixing yur submissin s that it cmpiles with ur grading prgram.) 10 Pints. Are all specificatins cmplete, with any necessary precnditins? Remember, we specified every methd carefully and suggested cpying ur specs and pasting them int yur cde. Are they in Javadc cmments? 5 pints. D yu have assert statements at the beginning f each methd that has a precnditin t check that precnditin? 5 Pints. Did yu check the Javadc utput and then put a cmment at the tp f class Bee? 10 Pints. Did yu write ne (and nly ne) testing methd fr each f the grups A, B, C, and D f step 4? Thus, d yu have fur (4) test prcedures? Did yu prperly test? Fr example, in testing each cnstructr, did yu make sure t test that all 7 fields have the crrect value? Fr example, testing whether ne date cmes befre anther date, when each is given by a mnth and a year, prbably requires at least 5 test cases. 8. Uplad files Bee.java and BeeTester.java n the CMS by the due date. D nt submit any files with the extensin/suffix.java~ (with the tilde) r.class. It will help t set the preferences in yur perating system s that extensins always appear.!!

Ascii Art Capstone project in C

Ascii Art Capstone project in C Ascii Art Capstne prject in C CSSE 120 Intrductin t Sftware Develpment (Rbtics) Spring 2010-2011 Hw t begin the Ascii Art prject Page 1 Prceed as fllws, in the rder listed. 1. If yu have nt dne s already,

More information

Programming Project: Building a Web Server

Programming Project: Building a Web Server Prgramming Prject: Building a Web Server Submissin Instructin: Grup prject Submit yur cde thrugh Bb by Dec. 8, 2014 11:59 PM. Yu need t generate a simple index.html page displaying all yur grup members

More information

Lab 1 - Calculator. K&R All of Chapter 1, 7.4, and Appendix B1.2

Lab 1 - Calculator. K&R All of Chapter 1, 7.4, and Appendix B1.2 UNIVERSITY OF CALIFORNIA, SANTA CRUZ BOARD OF STUDIES IN COMPUTER ENGINEERING CMPE13/L: INTRODUCTION TO PROGRAMMING IN C SPRING 2012 Lab 1 - Calculatr Intrductin In this lab yu will be writing yur first

More information

Date: October User guide. Integration through ONVIF driver. Partner Self-test. Prepared By: Devices & Integrations Team, Milestone Systems

Date: October User guide. Integration through ONVIF driver. Partner Self-test. Prepared By: Devices & Integrations Team, Milestone Systems Date: Octber 2018 User guide Integratin thrugh ONVIF driver. Prepared By: Devices & Integratins Team, Milestne Systems 2 Welcme t the User Guide fr Online Test Tl The aim f this dcument is t prvide guidance

More information

COP2800 Homework #3 Assignment Spring 2013

COP2800 Homework #3 Assignment Spring 2013 YOUR NAME: DATE: LAST FOUR DIGITS OF YOUR UF-ID: Please Print Clearly (Blck Letters) YOUR PARTNER S NAME: DATE: LAST FOUR DIGITS OF PARTNER S UF-ID: Please Print Clearly Date Assigned: 15 February 2013

More information

Project #1 - Fraction Calculator

Project #1 - Fraction Calculator AP Cmputer Science Liberty High Schl Prject #1 - Fractin Calculatr Students will implement a basic calculatr that handles fractins. 1. Required Behavir and Grading Scheme (100 pints ttal) Criteria Pints

More information

Homework: Populate and Extract Data from Your Database

Homework: Populate and Extract Data from Your Database Hmewrk: Ppulate and Extract Data frm Yur Database 1. Overview In this hmewrk, yu will: 1. Check/revise yur data mdel and/r marketing material frm last week's hmewrk- this material will later becme the

More information

Populate and Extract Data from Your Database

Populate and Extract Data from Your Database Ppulate and Extract Data frm Yur Database 1. Overview In this lab, yu will: 1. Check/revise yur data mdel and/r marketing material (hme page cntent) frm last week's lab. Yu will wrk with tw classmates

More information

INSTALLING CCRQINVOICE

INSTALLING CCRQINVOICE INSTALLING CCRQINVOICE Thank yu fr selecting CCRQInvice. This dcument prvides a quick review f hw t install CCRQInvice. Detailed instructins can be fund in the prgram manual. While this may seem like a

More information

Test Pilot User Guide

Test Pilot User Guide Test Pilt User Guide Adapted frm http://www.clearlearning.cm Accessing Assessments and Surveys Test Pilt assessments and surveys are designed t be delivered t anyne using a standard web brwser and thus

More information

Lab 1 - Calculator. K&R All of Chapter 1, 7.4, and Appendix B1.2 Iterative Code Design handout Style Guidelines handout

Lab 1 - Calculator. K&R All of Chapter 1, 7.4, and Appendix B1.2 Iterative Code Design handout Style Guidelines handout UNIVERSITY OF CALIFORNIA, SANTA CRUZ BOARD OF STUDIES IN COMPUTER ENGINEERING CMPE13/L: INTRODUCTION TO PROGRAMMING IN C SPRING 2013 Lab 1 - Calculatr Intrductin Reading Cncepts In this lab yu will be

More information

Lab 4. Name: Checked: Objectives:

Lab 4. Name: Checked: Objectives: Lab 4 Name: Checked: Objectives: Learn hw t test cde snippets interactively. Learn abut the Java API Practice using Randm, Math, and String methds and assrted ther methds frm the Java API Part A. Use jgrasp

More information

The UNIVERSITY of NORTH CAROLINA at CHAPEL HILL

The UNIVERSITY of NORTH CAROLINA at CHAPEL HILL Yu will learn the fllwing in this lab: The UNIVERSITY f NORTH CAROLINA at CHAPEL HILL Cmp 541 Digital Lgic and Cmputer Design Spring 2016 Lab Prject (PART A): A Full Cmputer! Issued Fri 4/8/16; Suggested

More information

of Prolog An Overview 1.1 An example program: defining family relations

of Prolog An Overview 1.1 An example program: defining family relations An Overview f Prlg This chaptereviews basic mechanisms f Prlg thrugh an example prgram. Althugh the treatment is largely infrmal many imprtant cncepts are intrduced. 1.1 An example prgram: defining family

More information

LAB 7 (June 29/July 4) Structures, Stream I/O, Self-referential structures (Linked list) in C

LAB 7 (June 29/July 4) Structures, Stream I/O, Self-referential structures (Linked list) in C LAB 7 (June 29/July 4) Structures, Stream I/O, Self-referential structures (Linked list) in C Due: July 9 (Sun) 11:59 pm 1. Prblem A Subject: Structure declaratin, initializatin and assignment. Structure

More information

Tips and Tricks in Word 2000 Part II. Presented by Carla Torgerson

Tips and Tricks in Word 2000 Part II. Presented by Carla Torgerson Tips and Tricks in Wrd 2000 Part II Presented by Carla Trgersn (cnt2@psu.edu) 1. using styles Styles are used t create frmatting shrtcuts s yu can create a dcument that has frmatting cnsistency. Fr example,

More information

Lab 5 Sorting with Linked Lists

Lab 5 Sorting with Linked Lists UNIVERSITY OF CALIFORNIA, SANTA CRUZ BOARD OF STUDIES IN COMPUTER ENGINEERING CMPE13/L: INTRODUCTION TO PROGRAMMING IN C WINTER 2013 Lab 5 Srting with Linked Lists Intrductin Reading This lab intrduces

More information

Proper Document Usage and Document Distribution. TIP! How to Use the Guide. Managing the News Page

Proper Document Usage and Document Distribution. TIP! How to Use the Guide. Managing the News Page Managing the News Page TABLE OF CONTENTS: The News Page Key Infrmatin Area fr Members... 2 Newsletter Articles... 3 Adding Newsletter as Individual Articles... 3 Adding a Newsletter Created Externally...

More information

Enabling Your Personal Web Page on the SacLink

Enabling Your Personal Web Page on the SacLink 53 Enabling Yur Persnal Web Page n the SacLink *Yu need t enable yur persnal web page nly ONCE. It will be available t yu until yu graduate frm CSUS. T enable yur Persnal Web Page, fllw the steps given

More information

UiPath Automation. Walkthrough. Walkthrough Calculate Client Security Hash

UiPath Automation. Walkthrough. Walkthrough Calculate Client Security Hash UiPath Autmatin Walkthrugh Walkthrugh Calculate Client Security Hash Walkthrugh Calculate Client Security Hash Start with the REFramewrk template. We start ff with a simple implementatin t demnstrate the

More information

Preparation: Follow the instructions on the course website to install Java JDK and jgrasp on your laptop.

Preparation: Follow the instructions on the course website to install Java JDK and jgrasp on your laptop. Lab 1 Name: Checked: (instructr r TA initials) Objectives: Learn abut jgrasp - the prgramming envirnment that we will be using (IDE) Cmpile and run a Java prgram Understand the relatinship between a Java

More information

CSCI L Topics in Computing Fall 2018 Web Page Project 50 points

CSCI L Topics in Computing Fall 2018 Web Page Project 50 points CSCI 1100-1100L Tpics in Cmputing Fall 2018 Web Page Prject 50 pints Assignment Objectives: Lkup and crrectly use HTML tags in designing a persnal Web page Lkup and crrectly use CSS styles Use a simple

More information

Gmail and Google Drive for Rutherford County Master Gardeners

Gmail and Google Drive for Rutherford County Master Gardeners Gmail and Ggle Drive fr Rutherfrd Cunty Master Gardeners Gmail Create a Ggle Gmail accunt. https://www.yutube.cm/watch?v=kxbii2dprmc&t=76s (Hw t Create a Gmail Accunt 2014 by Ansn Alexander is a great

More information

UiPath Automation. Walkthrough. Walkthrough Calculate Client Security Hash

UiPath Automation. Walkthrough. Walkthrough Calculate Client Security Hash UiPath Autmatin Walkthrugh Walkthrugh Calculate Client Security Hash Walkthrugh Calculate Client Security Hash Start with the REFramewrk template. We start ff with a simple implementatin t demnstrate the

More information

FIT 100. Lab 10: Creating the What s Your Sign, Dude? Application Spring 2002

FIT 100. Lab 10: Creating the What s Your Sign, Dude? Application Spring 2002 FIT 100 Lab 10: Creating the What s Yur Sign, Dude? Applicatin Spring 2002 1. Creating the Interface fr SignFinder:... 1 2. Creating Variables t hld values... 4 3. Assigning Values t Variables... 4 4.

More information

Faculty Textbook Adoption Instructions

Faculty Textbook Adoption Instructions Faculty Textbk Adptin Instructins The Bkstre has partnered with MBS Direct t prvide textbks t ur students. This partnership ffers ur students and parents mre chices while saving them mney, including ptins

More information

ONTARIO LABOUR RELATIONS BOARD. Filing Guide. A Guide to Preparing and Filing Forms and Submissions with the Ontario Labour Relations Board

ONTARIO LABOUR RELATIONS BOARD. Filing Guide. A Guide to Preparing and Filing Forms and Submissions with the Ontario Labour Relations Board ONTARIO LABOUR RELATIONS BOARD Filing Guide A Guide t Preparing and Filing Frms and Submissins with the Ontari Labur Relatins Bard This Filing Guide prvides general infrmatin nly and shuld nt be taken

More information

Adverse Action Letters

Adverse Action Letters Adverse Actin Letters Setup and Usage Instructins The FRS Adverse Actin Letter mdule was designed t prvide yu with a very elabrate and sphisticated slutin t help autmate and handle all f yur Adverse Actin

More information

Interfacing to MATLAB. You can download the interface developed in this tutorial. It exists as a collection of 3 MATLAB files.

Interfacing to MATLAB. You can download the interface developed in this tutorial. It exists as a collection of 3 MATLAB files. Interfacing t MATLAB Overview: Getting Started Basic Tutrial Interfacing with OCX Installatin GUI with MATLAB's GUIDE First Buttn & Image Mre ActiveX Cntrls Exting the GUI Advanced Tutrial MATLAB Cntrls

More information

html o Choose: Java SE Development Kit 8u45

html o Choose: Java SE Development Kit 8u45 ITSS 3211 Intrductin f Prgramming 1 Curse ITSS 3211 Intrductin t Prgramming Instructr Jytishka Ray Term Summer 2016 Meetings Mndays, 6 p.m. 8:45 p.m. Rm JSOM 12.202 Instructr: Jytishka Ray Email: jxr114030@utdallas.edu

More information

$ARCSIGHT_HOME/current/user/agent/map. The files are named in sequential order such as:

$ARCSIGHT_HOME/current/user/agent/map. The files are named in sequential order such as: Lcatin f the map.x.prperties files $ARCSIGHT_HOME/current/user/agent/map File naming cnventin The files are named in sequential rder such as: Sme examples: 1. map.1.prperties 2. map.2.prperties 3. map.3.prperties

More information

C++ Reference Material Programming Style Conventions

C++ Reference Material Programming Style Conventions C++ Reference Material Prgramming Style Cnventins What fllws here is a set f reasnably widely used C++ prgramming style cnventins. Whenever yu mve int a new prgramming envirnment, any cnventins yu have

More information

The UNIVERSITY of NORTH CAROLINA at CHAPEL HILL

The UNIVERSITY of NORTH CAROLINA at CHAPEL HILL Yu will learn the fllwing in this lab: The UNIVERSITY f NORTH CAROLINA at CHAPEL HILL Designing a mdule with multiple memries Designing and using a bitmap fnt Designing a memry-mapped display Cmp 541 Digital

More information

A introduction to GNH Community

A introduction to GNH Community A intrductin t GNH Cmmunity What is GNH Cmmunity? The basics: - An nline cmmunity fr nn-prfits in the Greater New Haven area - A tl t cmmunicate and share infrmatin: Prgrams Available resurces Cntact details

More information

PAY EQUITY HEARINGS TRIBUNAL. Filing Guide. A Guide to Preparing and Filing Forms and Submissions with the Pay Equity Hearings Tribunal

PAY EQUITY HEARINGS TRIBUNAL. Filing Guide. A Guide to Preparing and Filing Forms and Submissions with the Pay Equity Hearings Tribunal PAY EQUITY HEARINGS TRIBUNAL Filing Guide A Guide t Preparing and Filing Frms and Submissins with the Pay Equity Hearings Tribunal This Filing Guide prvides general infrmatin nly and shuld nt be taken

More information

Getting Started with the Web Designer Suite

Getting Started with the Web Designer Suite Getting Started with the Web Designer Suite The Web Designer Suite prvides yu with a slew f Dreamweaver extensins that will assist yu in the design phase f creating a website. The tls prvided in this suite

More information

I - EDocman Installation EDocman component EDocman Categories module EDocman Documents Module...2

I - EDocman Installation EDocman component EDocman Categories module EDocman Documents Module...2 I - EDcman Installatin...2 1 - EDcman cmpnent...2 2 - EDcman Categries mdule...2 3 - EDcman Dcuments Mdule...2 4 - EDcman Search Plugin...3 5 - SH404 SEF plugin...3 II - Using EDcman extensin...3 I - EDcman

More information

McGill University School of Computer Science COMP-206. Software Systems. Due: September 29, 2008 on WEB CT at 23:55.

McGill University School of Computer Science COMP-206. Software Systems. Due: September 29, 2008 on WEB CT at 23:55. Schl f Cmputer Science McGill University Schl f Cmputer Science COMP-206 Sftware Systems Due: September 29, 2008 n WEB CT at 23:55 Operating Systems This assignment explres the Unix perating system and

More information

Systems & Operating Systems

Systems & Operating Systems McGill University COMP-206 Sftware Systems Due: Octber 1, 2011 n WEB CT at 23:55 (tw late days, -5% each day) Systems & Operating Systems Graphical user interfaces have advanced enugh t permit sftware

More information

Create Your Own Report Connector

Create Your Own Report Connector Create Yur Own Reprt Cnnectr Last Updated: 15-December-2009. The URS Installatin Guide dcuments hw t cmpile yur wn URS Reprt Cnnectr. This dcument prvides a guide t what yu need t create in yur cnnectr

More information

InformationNOW Elementary Scheduling

InformationNOW Elementary Scheduling InfrmatinNOW Elementary Scheduling Abut Elementary Scheduling Elementary scheduling is used in thse schls where grups f students remain tgether all day. Fr infrmatin regarding scheduling students using

More information

Managing Your Access To The Open Banking Directory How To Guide

Managing Your Access To The Open Banking Directory How To Guide Managing Yur Access T The Open Banking Directry Hw T Guide Date: June 2018 Versin: v2.0 Classificatin: PUBLIC OPEN BANKING LIMITED 2018 Page 1 f 32 Cntents 1. Intrductin 3 2. Signing Up 4 3. Lgging In

More information

Entering an NSERC CCV: Step by Step

Entering an NSERC CCV: Step by Step Entering an NSERC CCV: Step by Step - 2018 G t CCV Lgin Page Nte that usernames and passwrds frm ther NSERC sites wn t wrk n the CCV site. If this is yur first CCV, yu ll need t register: Click n Lgin,

More information

MySqlWorkbench Tutorial: Creating Related Database Tables

MySqlWorkbench Tutorial: Creating Related Database Tables MySqlWrkbench Tutrial: Creating Related Database Tables (Primary Keys, Freign Keys, Jining Data) Cntents 1. Overview 2 2. Befre Yu Start 2 3. Cnnect t MySql using MySqlWrkbench 2 4. Create Tables web_user

More information

Eastern Mediterranean University School of Computing and Technology Information Technology Lecture2 Functions

Eastern Mediterranean University School of Computing and Technology Information Technology Lecture2 Functions Eastern Mediterranean University Schl f Cmputing and Technlgy Infrmatin Technlgy Lecture2 Functins User Defined Functins Why d we need functins? T make yur prgram readable and rganized T reduce repeated

More information

UML : MODELS, VIEWS, AND DIAGRAMS

UML : MODELS, VIEWS, AND DIAGRAMS UML : MODELS, VIEWS, AND DIAGRAMS Purpse and Target Grup f a Mdel In real life we ften bserve that the results f cumbersme, tedius, and expensive mdeling simply disappear in a stack f paper n smene's desk.

More information

Information on using ChurchApp

Information on using ChurchApp Infrmatin n using ChurchApp 1. Intrductin What is ChurchApp? ChurchApp is an nline system which enables us t d many things at its mst simple level it serves as an nline address bk fr Emmanuel; we are als

More information

How To enrich transcribed documents with mark-up

How To enrich transcribed documents with mark-up Hw T enrich transcribed dcuments with mark-up Versin v1.4.0 (22_02_2018_15:07) Last update 30.09.2018 This guide will shw yu hw t add mark-up t dcuments which are already transcribed in Transkribus. This

More information

TRAINING GUIDE. Lucity Mobile

TRAINING GUIDE. Lucity Mobile TRAINING GUIDE The Lucity mbile app gives users the pwer f the Lucity tls while in the field. They can lkup asset infrmatin, review and create wrk rders, create inspectins, and many mre things. This manual

More information

MyUni Adding Content. Date: 29 May 2014 TRIM Reference: D2013/ Version: 1

MyUni Adding Content. Date: 29 May 2014 TRIM Reference: D2013/ Version: 1 Adding Cntent MyUni... 2 Cntent Areas... 2 Curse Design... 2 Sample Curse Design... 2 Build cntent by creating a flder... 3 Build cntent by creating an item... 4 Cpy r mve cntent in MyUni... 5 Manage files

More information

Skype Meetings

Skype Meetings http://www.jeffersnstate.edu/resurces-fr-instructrs-de/ Skype Meetings Skype-t-Skype is used fr cmmunicatin thrugh vice, vide, chat (Instant Messaging) and/r desktp sharing fr ne-n-ne cnferences, meetings,

More information

STUDIO DESIGNER. Design Projects Basic Participant

STUDIO DESIGNER. Design Projects Basic Participant Design Prjects Basic Participant Thank yu fr enrlling in Design Prjects 2 fr Studi Designer. Please feel free t ask questins as they arise. If we start running shrt n time, we may hld ff n sme f them and

More information

Access the site directly by navigating to in your web browser.

Access the site directly by navigating to   in your web browser. GENERAL QUESTIONS Hw d I access the nline reprting system? Yu can access the nline system in ne f tw ways. G t the IHCDA website at https://www.in.gv/myihcda/rhtc.htm and scrll dwn the page t Cmpliance

More information

InformationNOW Elementary Scheduling

InformationNOW Elementary Scheduling InfrmatinNOW Elementary Scheduling Abut Elementary Scheduling Elementary scheduling is used in thse schls where grups f students remain tgether all day. Fr infrmatin n scheduling students using the Requests

More information

CISC-103: Web Applications using Computer Science

CISC-103: Web Applications using Computer Science CISC-103: Web Applicatins using Cmputer Science Instructr: Debra Yarringtn Email: yarringt@eecis.udel.edu Web Site: http://www.eecis.udel.edu/~yarringt TA: Patrick McClry Email: patmcclry@gmail.cm Office:

More information

ClassFlow Administrator User Guide

ClassFlow Administrator User Guide ClassFlw Administratr User Guide ClassFlw User Engagement Team April 2017 www.classflw.cm 1 Cntents Overview... 3 User Management... 3 Manual Entry via the User Management Page... 4 Creating Individual

More information

Reading and writing data in files

Reading and writing data in files Reading and writing data in files It is ften very useful t stre data in a file n disk fr later reference. But hw des ne put it there, and hw des ne read it back? Each prgramming language has its wn peculiar

More information

Assignment #5: Rootkit. ECE 650 Fall 2018

Assignment #5: Rootkit. ECE 650 Fall 2018 General Instructins Assignment #5: Rtkit ECE 650 Fall 2018 See curse site fr due date Updated 4/10/2018, changes nted in green 1. Yu will wrk individually n this assignment. 2. The cde fr this assignment

More information

Student Guide. Where can I print? Charges for Printing & Copying. Top up your Print Credits Online, whenever you like

Student Guide. Where can I print? Charges for Printing & Copying. Top up your Print Credits Online, whenever you like Student Guide Where can I print? Yu can print ut yur wrk frm any Printer acrss Campus; in the Libraries, Open Access areas and IT Labs (which are available t wrk in when they are nt being used fr teaching).

More information

COURSE DIRECTIVES FOR FACULTY

COURSE DIRECTIVES FOR FACULTY PURPOSE COURSE DIRECTIVES FOR FACULTY This dcument will demnstrate hw t create a Curse Directive fr a university curse r a transfer curse. It will als demnstrate hw t direct multiple curses t the same

More information

from DDS on Mac Workstations

from DDS on Mac Workstations Email frm DDS n Mac Wrkstatins Intrductin This dcument describes hw t set email up t wrk frm the Datacn system n a Mac wrkstatin. Yu can send email t anyne in the system that has an email address, such

More information

Report Writing Guidelines Writing Support Services

Report Writing Guidelines Writing Support Services Reprt Writing Guidelines Writing Supprt Services Overview The guidelines presented here shuld give yu an idea f general cnventins fr writing frmal reprts. Hwever, yu shuld always cnsider yur particular

More information

Procedures for Developing Online Training

Procedures for Developing Online Training Prcedures fr Develping Online Training Fllwing are prcedures fr develping nline training mdules t be psted n Online@UT (Blackbard Learn). These steps were develped thrugh a prcess and will cntinue t be

More information

eprocurement Requisition Special Request Goods

eprocurement Requisition Special Request Goods eprcurement Requisitin Special Request Gds Intrductin Fllw this guide t create a requisitin fr an item frm a supplier where the gds are nt listed in any f the University internal r nline eprcurement catalgues.

More information

Project 3 Specification FAT32 File System Utility

Project 3 Specification FAT32 File System Utility Prject 3 Specificatin FAT32 File System Utility Assigned: Octber 30, 2015 Due: Nvember 30, 11:59 pm, 2015 Yu can use the reminder f the slack days. -10 late penalty fr each 24-hur perid after the due time.

More information

Qualtrics Instructions

Qualtrics Instructions Create a Survey/Prject G t the Ursinus Cllege hmepage and click n Faculty and Staff. Click n Qualtrics. Lgin t Qualtrics using yur Ursinus username and passwrd. Click n +Create Prject. Chse Research Cre.

More information

Student Handbook for E*Value

Student Handbook for E*Value Student Handbk fr E*Value The E*Value sftware prgram will be used thrughut yur fieldwrk experiences t find ut where yu re scheduled, wh yur fieldwrk educatr will be, t lg yur hurs, and t cmplete all required

More information

TN How to configure servers to use Optimise2 (ERO) when using Oracle

TN How to configure servers to use Optimise2 (ERO) when using Oracle TN 1498843- Hw t cnfigure servers t use Optimise2 (ERO) when using Oracle Overview Enhanced Reprting Optimisatin (als knwn as ERO and Optimise2 ) is a feature f Cntrller which is t speed up certain types

More information

Using the Turnpike Materials ProjectSolveSP System (Materials & ProjectSolveSP Admin)

Using the Turnpike Materials ProjectSolveSP System (Materials & ProjectSolveSP Admin) PROCESS FOR ADDING/EDITING A TECHNICIAN TO THE PROJECTSOLVESP SYSTEM Fr new users: Cnsultant will btain Persnnel Apprval fr the technician Cnsultant will enter the infrmatin int the Add/Update a New Technician

More information

Release Notes. Version

Release Notes. Version Release Ntes Versin 7.0.10 Release Ntes: Helm CONNECT Cpyright and Publicatin Infrmatin Published by: Helm Operatins 400-1208 Wharf St. Victria, BC V8W 3B9 Canada Cpyright 2015 by Helm Operatins All rights

More information

Customer Self-Service Center Migration Guide

Customer Self-Service Center Migration Guide Custmer Self-Service Center Migratin Guide These instructins intrduce yu t the new Custmer Prtal, which is replacing the lder Custmer Self-Service Center, and guides yu thrugh the migratin. Dn t wrry:

More information

Agent Online. User Manual

Agent Online. User Manual Agent Online User Manual Cntents Lgging On t Agent Online.. 3 Agency Details and Emplyees... 3 Agency Details... 4 Agent Online User Types 5 Applicant Management... 6 Add a New Applicant... 7 Cntact Details...

More information

ROCK-POND REPORTING 2.1

ROCK-POND REPORTING 2.1 ROCK-POND REPORTING 2.1 AUTO-SCHEDULER USER GUIDE Revised n 08/19/2014 OVERVIEW The purpse f this dcument is t describe the prcess in which t fllw t setup the Rck-Pnd Reprting prduct s that users can schedule

More information

OASIS SUBMISSIONS FOR FLORIDA: SYSTEM FUNCTIONS

OASIS SUBMISSIONS FOR FLORIDA: SYSTEM FUNCTIONS OASIS SUBMISSIONS FOR FLORIDA: SYSTEM FUNCTIONS OASIS SYSTEM FUNCTIONS... 2 ESTABLISHING THE COMMUNICATION CONNECTION... 2 ACCESSING THE OASIS SYSTEM... 3 SUBMITTING OASIS DATA FILES... 5 OASIS INITIAL

More information

Using the Swiftpage Connect List Manager

Using the Swiftpage Connect List Manager Quick Start Guide T: Using the Swiftpage Cnnect List Manager The Swiftpage Cnnect List Manager can be used t imprt yur cntacts, mdify cntact infrmatin, create grups ut f thse cntacts, filter yur cntacts

More information

3. If co-mingled materials are sorted at a MRF

3. If co-mingled materials are sorted at a MRF 1. Intrductin In WDF, materials can be reprted as cllected c-mingled in Q10, 11, 12, 14, 16, 17, 33 and 34. C-mingled materials can be srted either at the kerbside r via an autmated system at a Materials

More information

Using the Swiftpage Connect List Manager

Using the Swiftpage Connect List Manager Quick Start Guide T: Using the Swiftpage Cnnect List Manager The Swiftpage Cnnect List Manager can be used t imprt yur cntacts, mdify cntact infrmatin, create grups ut f thse cntacts, filter yur cntacts

More information

Structure Query Language (SQL)

Structure Query Language (SQL) Structure Query Language (SQL) 1. Intrductin SQL 2. Data Definitin Language (DDL) 3. Data Manipulatin Language ( DML) 4. Data Cntrl Language (DCL) 1 Structured Query Language(SQL) 6.1 Intrductin Structured

More information

Relius Documents ASP Checklist Entry

Relius Documents ASP Checklist Entry Relius Dcuments ASP Checklist Entry Overview Checklist Entry is the main data entry interface fr the Relius Dcuments ASP system. The data that is cllected within this prgram is used primarily t build dcuments,

More information

GTS Webbooking (GTSVE093)

GTS Webbooking (GTSVE093) GTS Webbking (GTSVE093) User manual - April 2016 Updatet: April 2016 Page : 2 f 16 Cntents 1 Intrductin 3 2 Instructins 4 2.1 General 4 2.2 Changing the custmer number 4 2.3 Types f bking 4 2.4 Draft 4

More information

Outlook Web Application (OWA) Basic Training

Outlook Web Application (OWA) Basic Training Outlk Web Applicatin (OWA) Basic Training Requirements t use OWA Full Versin: Yu must use at least versin 7 f Internet Explrer, Safari n Mac, and Firefx 3.X. (Ggle Chrme r Internet Explrer versin 6, yu

More information

TECHNICAL REQUIREMENTS

TECHNICAL REQUIREMENTS TECHNICAL REQUIREMENTS Table f Cntent PLATFORMS... 2 CONNECTION SPEED... 2 SUPPORTED BROWSERS... 2 ARMENIAN LANGUAGE SUPPORT... 2 Windws XP... 2 Windws Vista... 3 Windws 7... 4 Windws 8... 5 MAC OS...

More information

These tasks can now be performed by a special program called FTP clients.

These tasks can now be performed by a special program called FTP clients. FTP Cmmander FAQ: Intrductin FTP (File Transfer Prtcl) was first used in Unix systems a lng time ag t cpy and mve shared files. With the develpment f the Internet, FTP became widely used t uplad and dwnlad

More information

Exercises: Plotting Complex Figures Using R

Exercises: Plotting Complex Figures Using R Exercises: Pltting Cmplex Figures Using R Versin 2017-11 Exercises: Pltting Cmplex Figures in R 2 Licence This manual is 2016-17, Simn Andrews. This manual is distributed under the creative cmmns Attributin-Nn-Cmmercial-Share

More information

Learning objectives. Reading carefully. Managing your time. CS2110 Fall 2017 Assignment A1. PhD Genealogy. See CMS for the due date

Learning objectives. Reading carefully. Managing your time. CS2110 Fall 2017 Assignment A1. PhD Genealogy. See CMS for the due date 1 CS2110 Fall 2017 Assignment A1 PhD Genealogy Website http://genealogy.math.ndsu.nodak.edu contains the PhD genealogy of about 214,100 mathematicians and computer scientists, showing their PhD advisors

More information

* The mode WheelWork starts in can be changed using command line options.

* The mode WheelWork starts in can be changed using command line options. OperatiOns Manual Overview Yur muse mst likely has a wheel n it. If yu lk at yur muse frm the side, that wheel rtates clckwise and cunterclckwise, like a knb. If yu lk at the muse frm the tp, the wheel

More information

6 Ways to Streamline Your Tasks in Outlook

6 Ways to Streamline Your Tasks in Outlook 6 Ways t Streamline Yur Tasks in Outlk Every jb requires a variety f tasks during a given day. Maybe yurs includes meeting with clients, preparing a presentatin, r cllabrating with team members n an imprtant

More information

About this Guide This Quick Reference Guide provides an overview of the query options available under Utilities Query menu in InformationNOW.

About this Guide This Quick Reference Guide provides an overview of the query options available under Utilities Query menu in InformationNOW. InfrmatinNOW Query Abut this Guide This Quick Reference Guide prvides an verview f the query ptins available under Utilities Query menu in InfrmatinNOW. Query Mdule The query mdule, fund under Utilities

More information

MOS Access 2013 Quick Reference

MOS Access 2013 Quick Reference MOS Access 2013 Quick Reference Exam 77-424: MOS Access 2013 Objectives http://www.micrsft.cm/learning/en-us/exam.aspx?id=77-424 Create and Manage a Database Create a New Database This bjective may include

More information

User Guide. Document Version: 1.0. Solution Version:

User Guide. Document Version: 1.0. Solution Version: User Guide Dcument Versin: 1.0 Slutin Versin: 365.082017.3.1 Table f Cntents Prduct Overview... 3 Hw t Install and Activate Custmer Satisfactin Survey Slutin?... 4 Security Rles in Custmer Satisfactin

More information

Chalkable Classroom Items

Chalkable Classroom Items Chalkable Classrm Items Adding Items Activities in InfrmatinNOW are referred t as Items in Chalkable Classrm. T insert a new item (activity r lessn plan) t a Grade Bk, chse New Item frm the Menu n the

More information

CS1150 Principles of Computer Science Loops

CS1150 Principles of Computer Science Loops CS1150 Principles f Cmputer Science Lps Yanyan Zhuang Department f Cmputer Science http://www.cs.uccs.edu/~yzhuang CS1150 UC. Clrad Springs Annuncement HW1 graded HW2 due tnight HW3 will be psted sn Due

More information

Skype for Business 2016

Skype for Business 2016 Skype fr Business 2016 Skype fr Business is IM, calling, vide calling, sharing and cllabratin all rlled int ne package. Quick Tur Here's what the main page f the app lks like. When yu hver ver a cntact's

More information

Using SPLAY Tree s for state-full packet classification

Using SPLAY Tree s for state-full packet classification Curse Prject Using SPLAY Tree s fr state-full packet classificatin 1- What is a Splay Tree? These ntes discuss the splay tree, a frm f self-adjusting search tree in which the amrtized time fr an access,

More information

Project 4: System Calls 1

Project 4: System Calls 1 CMPT 300 1. Preparatin Prject 4: System Calls 1 T cmplete this assignment, it is vital that yu have carefully cmpleted and understd the cntent in the fllwing guides which are psted n the curse website:

More information

Lecture Handout. Database Management System. Overview of Lecture. Inheritance Is. Lecture No. 11. Reading Material

Lecture Handout. Database Management System. Overview of Lecture. Inheritance Is. Lecture No. 11. Reading Material Lecture Handut Database Management System Lecture N. 11 Reading Material Database Systems Principles, Design and Implementatin written by Catherine Ricard, Maxwell Macmillan. Overview f Lecture Inheritance

More information

University Facilities

University Facilities 1 University Facilities WebTMA Requestr Training Manual WebTMA is Drexel University s nline wrk rder management system. The fllwing instructins will walk yu thrugh the steps n hw t: 1. Submit a wrk request

More information

If you have any questions that are not covered in this manual, we encourage you to contact us at or send an to

If you have any questions that are not covered in this manual, we encourage you to contact us at or send an  to Overview Welcme t Vercity, the ESS web management system fr rdering backgrund screens and managing the results. Frm any cmputer, yu can lg in and access yur applicants securely, rder a new reprt, and even

More information

Lab 0: Compiling, Running, and Debugging

Lab 0: Compiling, Running, and Debugging UNIVERSITY OF CALIFORNIA, SANTA CRUZ BOARD OF STUDIES IN COMPUTER ENGINEERING CMPE13/L: INTRODUCTION TO PROGRAMMING IN C SPRING 2012 Lab 0: Cmpiling, Running, and Debugging Intrductin Reading This is the

More information

Type: System Enhancements ID Number: SE 93. Subject: Changes to Employee Address Screens. Date: June 29, 2012

Type: System Enhancements ID Number: SE 93. Subject: Changes to Employee Address Screens. Date: June 29, 2012 Type: System Enhancements ID Number: SE 93 Date: June 29, 2012 Subject: Changes t Emplyee Address Screens Suggested Audience: Human Resurce Offices Details: On July 14, 2012, Peple First will implement

More information