Programming in Perl CSCI-2962 Final Exam
|
|
|
- Charity Fitzgerald
- 9 years ago
- Views:
Transcription
1 Rules and Information: Programming in Perl CSCI-2962 Final Exam 1. TURN OFF ALL CELULAR PHONES AND PAGERS! 2. Make sure you are seated at least one empty seat away from any other student. 3. Write your first name, last name, and RCS ID (not your RIN!) on the top of the back of EACH page 4. Clear your desks/tables of all Calculators, PDAs, and Laptops 5. You may use any book (Camel, Llama, or other) and any typed or hand-written notes. 6. You have until 6:00pm EST to complete this exam. 7. If you have a question, raise your hand. Justin and/or I will come to you. 8. When you have completed the exam bring it to the table in the front of the room 9. If you submitted a final exam question for extra credit, see me before turning in your exam to receive your bonus points (if any). 10. Solutions to this exam will be posted on the course website just after 6pm today. 11. When the Exams have been graded, an announcement will be posted to the course website informing you where and when you may pick up your exams. 12. Good luck with the remainder of your classes and exams. 13. If you are interested in being an undergraduate Teaching Assistant for this course next semester, please me at [email protected] for more information or to apply.
2 Regular Expressions 1) 1 point: List all the strings the following regexp will match: /prob l r n ate/ 'prob', 'l', 'r', 'n', or 'ate' 2) Write an expression to (2 points each) a) match a standard telephone number (ex: ) /\d-\d{3-\d{3-\d{4/ b) remove a duplicate word from a string. (ex: take out the second 'good' from "Have a good good day") s/(\w+) \1/$1/; c) correct accidental usage of the Caps Lock key. (ex: Change "hello, i AM paul" to "Hello, I am Paul".) tr/a-za-z/a-za-z/; 3) 3 points: Write a regular expression that matches "Rensselaer" if and only if it is followed by "Polytechnic Institute". (ONLY actually match Rensselaer, not anything else) /Rensselaer (?=Polytechnic Institute)/ 4) 4 points: Currently, the following pattern match will succeed if a digit is contained anywhere in the input. Modify it to restrict input to a single non-negative digit only. (ie, If user enters anything other than 0, 1, 2, 3, 4, 5, 6, 7, 8, or 9, it fails). chomp($input = <STDIN>); print "You entered a digit\n." if ($input =~ /\d/); $input =~ /^\d$/ 5) 3 points: Write a piece of code to determine if a given string ($string) begins and ends with the same character. $string =~ /^(.).*\1$/
3 6) 5 points: Why is this a bad method for ending a user's input to a script? while ($input = <STDIN>){ if ($input =~ /quit/){ print "Quitting now, goodbye!\n"; last; else { # do stuff If the user enters something like "quite good!", the program will end. 7) 8 points: Write a script that takes the name of a file from the command line. The script will simply output all lines of the file with the exception of the fact that when it encounters a line in the form <command> it will run the command in the shell and output the results of the command. For example, if the input is The current time is <date> Good-bye. The output will be The current time is Wed Dec 2 16:00:00 EST 2001 Good-bye. $file = $argv[0]; open FILE, $file or die "..."; while ($line = <FILE>){ if ($line =~ /^<(.*)>$/){ print `$1`; else { print $line;
4 Subroutines 1) 5 points When the function funct1 is called, what are the contents of...? $_[0] _"Perl" $_[3] 3.5 $_[4] = (1, 5, = ("Perl", "is", "great"); sub funct1(@arr2, "hello world", 0); 2) 5 points A certain function is designed to return an entire array if the function is called in list context. If it s called in scalar context, it returns the last element Write the return line of this function return : $list[$#list]; 3) 10 points Assume function record() is declared as follows: sub record(\@\$@); Which of the following function calls will NOT generate errors? (check all that apply) X X record(@foo, "hello world", 5, 4, 3); record(@help, $I_need, "somebody", "not just anybody"); record((1, 2, 10), record(@dayo, Random Bits of Perl 1) 5 points QUESTION TOSSED OUT IN CLASS. EVERYONE GETS 5 POINTS 2) 5 points What is the output of this = (1..10); map {$_ *= print "@nums\n";
5 Objects 1) 10 points Write a constructor for a class Person that has data-members Name and Age. Your constructor should set Name to the null string, and Age to 0. package Person; sub new { my $ref = {Name =>, Age => 0; bless ($ref, Person); return $ref; CGI 1) 2 points What are the first two lines of any Perl CGI script? #!/usr/local/bin/perl w use CGI qw(:standard); 2) 3 points What HTML code does this print out? print start_html('my CGI program'); <html><head><title>my CGI program</title></head><body> 3) 5 points Write a piece of CGI script to determine if the user pushed a button named 'Add' (labeled 'Add item') or a button named 'Delete' (labeled 'Delete item'). In each case, just print out a message saying which button was pressed. You do not have to write the code to actually generate these buttons. if (param('add')){ print "Add button was pressed\n"; elsif (param('delete')){ print "Delete button was pressed\n";
6 4) 10 points Write a short script that uses the CGI.pm package to print out 2 HTML pages. The first page will display 3 checkboxes and a submit button as follows: alpha beta gamma Submit After the submit button is pushed, your script will simply print out a list of all the boxes that were checked (if no boxes checked, print No boxes were checked ) #!/usr/local/bin/perl w use CGI qw(:standard); print header; print start_html; if (!param()){ print startform; print "<input type='checkbox' name='checks' value='alpha'>alpha\n", "<input type='checkbox name='checks' value='beta'>beta\n", "<input type='checkbox' name='checks' value='gamma'>gamma\n", "<input type='submit' name='submit' value='submit'>\n"; print endform; else { if = param('checks'); foreach (@checks){ print "$_<br>\n"; else { print "No boxes were checked\n";
7 5) 10 points Write a CGI Script to print a textfield, a text area, and a submit button, like so: When the submit button is pressed, your script creates a new text file (in whatever directory the script was run from) with the name entered in the textfield, and with the contents entered in the text area. Do not concern yourself with any error checking. So, if the text field contains "readme.txt" and the text area contains "Hello World", your script creates a new file called 'readme.txt', prints Submit "Hello World" to this file, and closes the file. #!/usr/local/bin/perl w use CGI qw(:standard); print header; print start_html; if (!param()){ print startform; print "<input type='text' name='name'>\n", "<textarea name='contents'></textarea>\n", "<input type='submit' name='submit' value='submit'>\n"; print endform; else { $name = param('name'); $contents = param('contents'); open FILE, ">$name"; print FILE $contents; close FILE;
8 Bonus Question. 1) 5 points Write a Perl program to prompt the user for a number and then prompt for a string. Print the string that number of times on separate lines. Do not use any looping structures. #!/usr/local/bin/perl w print "Enter a number:\n"; chomp ($num = <STDIN>); print "Enter a string:\n"; $string = <STDIN>; print $string x $num;
CGI Programming. What is CGI?
CGI Programming What is CGI? Common Gateway Interface A means of running an executable program via the Web. CGI is not a Perl-specific concept. Almost any language can produce CGI programs even C++ (gasp!!)
Perl in a nutshell. First CGI Script and Perl. Creating a Link to a Script. print Function. Parsing Data 4/27/2009. First CGI Script and Perl
First CGI Script and Perl Perl in a nutshell Prof. Rasley shebang line tells the operating system where the Perl interpreter is located necessary on UNIX comment line ignored by the Perl interpreter End
A Simple Shopping Cart using CGI
A Simple Shopping Cart using CGI Professor Don Colton, BYU Hawaii March 5, 2004 In this section of the course, we learn to use CGI and Perl to create a simple web-based shopping cart program. We assume
Learn Perl by Example - Perl Handbook for Beginners - Basics of Perl Scripting Language
Learn Perl by Example - Perl Handbook for Beginners - Basics of Perl Scripting Language www.freebsdonline.com Copyright 2006-2008 www.freebsdonline.com 2008/01/29 This course is about Perl Programming
UNIX, Shell Scripting and Perl Introduction
UNIX, Shell Scripting and Perl Introduction Bart Zeydel 2003 Some useful commands grep searches files for a string. Useful for looking for errors in CAD tool output files. Usage: grep error * (looks for
MEETINGONE ONLINE ACCOUNT MANAGEMENT PORTAL ACCOUNT ADMIN USER GUIDE
MEETINGONE ONLINE ACCOUNT MANAGEMENT PORTAL ACCOUNT ADMIN USER GUIDE CONTENTS Description of Roles... 4 How to Login... 4 Select a Role... 5 Overview of Tabs... 6 Home Tab... 7 Account Profile Tab... 7
Project 2: Bejeweled
Project 2: Bejeweled Project Objective: Post: Tuesday March 26, 2013. Due: 11:59PM, Monday April 15, 2013 1. master the process of completing a programming project in UNIX. 2. get familiar with command
Working with forms in PHP
2002-6-29 Synopsis In this tutorial, you will learn how to use forms with PHP. Page 1 Forms and PHP One of the most popular ways to make a web site interactive is the use of forms. With forms you can have
Unix Shell Scripts. Contents. 1 Introduction. Norman Matloff. July 30, 2008. 1 Introduction 1. 2 Invoking Shell Scripts 2
Unix Shell Scripts Norman Matloff July 30, 2008 Contents 1 Introduction 1 2 Invoking Shell Scripts 2 2.1 Direct Interpretation....................................... 2 2.2 Indirect Interpretation......................................
7 Why Use Perl for CGI?
7 Why Use Perl for CGI? Perl is the de facto standard for CGI programming for a number of reasons, but perhaps the most important are: Socket Support: Perl makes it easy to create programs that interface
?<BACBC;@@A=2(?@?;@=2:;:%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%
NGS data format NGS data format @SRR031028.1708655 GGATGATGGATGGATAGATAGATGAAGAGATGGATGGATGGGTGGGTGGTATGCAGCATACCTGAAGTGC BBBCB=ABBB@BA=?BABBBBA??B@BAAA>ABB;@5=@@@?8@:==99:465727:;41'.9>;933!4 @SRR031028.843803
PHP Tutorial From beginner to master
PHP Tutorial From beginner to master PHP is a powerful tool for making dynamic and interactive Web pages. PHP is the widely-used, free, and efficient alternative to competitors such as Microsoft's ASP.
CS2043 - Unix Tools & Scripting Lecture 9 Shell Scripting
CS2043 - Unix Tools & Scripting Lecture 9 Shell Scripting Spring 2015 1 February 9, 2015 1 based on slides by Hussam Abu-Libdeh, Bruno Abrahao and David Slater over the years Announcements Coursework adjustments
5 Arrays and Pointers
5 Arrays and Pointers 5.1 One-dimensional arrays Arrays offer a convenient way to store and access blocks of data. Think of arrays as a sequential list that offers indexed access. For example, a list of
Perl/CGI. CS 299 Web Programming and Design
Perl/CGI CGI Common: Gateway: Programming in Perl Interface: interacts with many different OSs CGI: server programsprovides uses a well-defined users with a method way to to gain interact access with to
CPE111 COMPUTER EXPLORATION
CPE111 COMPUTER EXPLORATION BUILDING A WEB SERVER ASSIGNMENT You will create your own web application on your local web server in your newly installed Ubuntu Desktop on Oracle VM VirtualBox. This is a
TABLE OF CONTENTS. race result 11 Introduction
INTRODUCTION. TABLE OF CONTENTS 1. First Steps... 3 2. race result 11 Demo... 4 2.1. How to Open an Event... 4 2.2. How to Navigate in race result 11... 5 2.3. Participants Window... 6 2.4. Output Window...
MS Visual C++ Introduction. Quick Introduction. A1 Visual C++
MS Visual C++ Introduction 1 Quick Introduction The following pages provide a quick tutorial on using Microsoft Visual C++ 6.0 to produce a small project. There should be no major differences if you are
Authentication Options in Perforce
Authentication Options in Perforce Perforce authentication mechanisms unlocked Presentation for the 2007 Perforce User Conference By Dan Steele Choices Internal Perforce Authentication Supports varying
HTML Form Widgets. Review: HTML Forms. Review: CGI Programs
HTML Form Widgets Review: HTML Forms HTML forms are used to create web pages that accept user input Forms allow the user to communicate information back to the web server Forms allow web servers to generate
Reading and Understanding Java s API Documentation
Appendix Reading and Understanding Java s API Documentation Before Java was born, people judged programming languages solely by their structural features. Does an if statement do what you expect it to
Advanced Programming with LEGO NXT MindStorms
Advanced Programming with LEGO NXT MindStorms Presented by Tom Bickford Executive Director Maine Robotics Advanced topics in MindStorms Loops Switches Nested Loops and Switches Data Wires Program view
Lab 9. Spam, Spam, Spam. Handout 11 CSCI 134: Spring, 2015. To gain experience with Strings. Objective
Lab 9 Handout 11 CSCI 134: Spring, 2015 Spam, Spam, Spam Objective To gain experience with Strings. Before the mid-90s, Spam was a canned meat product. These days, the term spam means just one thing unwanted
Forms, CGI Objectives. HTML forms. Form example. Form example...
The basics of HTML forms How form content is submitted GET, POST Elements that you can have in forms Responding to forms Common Gateway Interface (CGI) Later: Servlets Generation of dynamic Web content
Filtered Views for Microsoft Dynamics CRM
Filtered Views for Microsoft Dynamics CRM Version 4.2.13, March 5, 2010 Copyright 2009-2010 Stunnware GmbH - 1 of 32 - Contents Overview... 3 How it works... 4 Setup... 5 Contents of the download package...
Creating Your PALS Online Account for New Teachers Navigate to the PALS Online homepage
Creating Your PALS Online Account for New Teachers Navigate to the PALS Online homepage Type www.wi.palsk8.com into the address bar of your internet browser. New or Returning? To create a new teacher account,
Computer Programming In QBasic
Computer Programming In QBasic Name: Class ID. Computer# Introduction You've probably used computers to play games, and to write reports for school. It's a lot more fun to create your own games to play
10.1 The Common Gateway Interface
10.1 The Common Gateway Interface - Markup languages cannot be used to specify computations, interactions with users, or to provide access to databases - CGI is a common way to provide for these needs,
CGI.pm Tutorial. Table of content. What is CGI? First Program
CGI.pm Tutorial This is a tutorial on CGI.pm which include scripts to let you see the effects. CGI.pm is a Perl module to facilitate the writing of CGI scripts. Click here to see the details. This tutorial
Management Information Systems 260 Web Programming Fall 2006 (CRN: 42459)
Management Information Systems 260 Web Programming Fall 2006 (CRN: 42459) Class Time: 6:00 8:05 p.m. (T,Th) Venue: WSL 5 Web Site: www.pbvusd.net/mis260 Instructor Name: Terrell Tucker Office: BDC 127
Translating QueueMetrics into a new language
Translating QueueMetrics into a new language Translator s manual AUTORE: LOWAY RESEARCH VERSIONE: 1.3 DATA: NOV 11, 2006 STATO: Loway Research di Lorenzo Emilitri Via Fermi 5 21100 Varese Tel 0332 320550
Programming in Access VBA
PART I Programming in Access VBA In this part, you will learn all about how Visual Basic for Applications (VBA) works for Access 2010. A number of new VBA features have been incorporated into the 2010
Introduction to MIPS Programming with Mars
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
A Simple Perl Script
Perl What is Perl? Practical Extraction and Report Language Scripting language created by Larry Wall in the mid-80s Functionality and speed somewhere between low-level languages (like C) and high-level
Hofstra University School of Law Office of Academic Records
Hofstra University School of Law Office of Academic Records IMPORTANT EXAMINATION INFORMATION for ALL STUDENTS The Office of Academic Records is responsible for coordinating all final examinations. We
Yarmouk University Faculty of Science and Information Technology Department of Computer Information Systems CIS 282 Developing Web Applications
Yarmouk University Faculty of Science and Information Technology Department of Computer Information Systems CIS 282 Developing Web Applications Course Credits: 3 credit hours Pre-requisite(s): CIS 110
Regular Expressions and Pattern Matching [email protected]
Regular Expressions and Pattern Matching [email protected] Regular Expression (regex): a separate language, allowing the construction of patterns. used in most programming languages. very powerful
Lecture 2 Mathcad Basics
Operators Lecture 2 Mathcad Basics + Addition, - Subtraction, * Multiplication, / Division, ^ Power ( ) Specify evaluation order Order of Operations ( ) ^ highest level, first priority * / next priority
Systems Programming & Scripting
Systems Programming & Scripting Lecture 14 - Shell Scripting: Control Structures, Functions Syst Prog & Scripting - Heriot Watt University 1 Control Structures Shell scripting supports creating more complex
Name: Class: Date: 9. The compiler ignores all comments they are there strictly for the convenience of anyone reading the program.
Name: Class: Date: Exam #1 - Prep True/False Indicate whether the statement is true or false. 1. Programming is the process of writing a computer program in a language that the computer can respond to
Beginner s Matlab Tutorial
Christopher Lum [email protected] Introduction Beginner s Matlab Tutorial This document is designed to act as a tutorial for an individual who has had no prior experience with Matlab. For any questions
10CS73:Web Programming
10CS73:Web Programming Question Bank Fundamentals of Web: 1.What is WWW? 2. What are domain names? Explain domain name conversion with diagram 3.What are the difference between web browser and web server
Top 72 Perl Interview Questions and Answers
Top 72 Perl Interview Questions and Answers 1. Difference between the variables in which chomp function work? Scalar: It is denoted by $ symbol. Variable can be a number or a string. Array: Denoted by
Euler s Method and Functions
Chapter 3 Euler s Method and Functions The simplest method for approximately solving a differential equation is Euler s method. One starts with a particular initial value problem of the form dx dt = f(t,
Setting Up A Gradebook. Skyward Educator Access Plus Gradebook Home Page You can access your Gradebook from any computer with Internet access.
Setting Up A Gradebook Skyward Educator Access Plus Gradebook Home Page You can access your Gradebook from any computer with Internet access. Do not use the x use the Exit button Always exit from the homepage
Getting Started on the Computer With Mouseaerobics! Windows XP
This handout was modified from materials supplied by the Bill and Melinda Gates Foundation through a grant to the Manchester City Library. Getting Started on the Computer With Mouseaerobics! Windows XP
Lab 4.4 Secret Messages: Indexing, Arrays, and Iteration
Lab 4.4 Secret Messages: Indexing, Arrays, and Iteration This JavaScript lab (the last of the series) focuses on indexing, arrays, and iteration, but it also provides another context for practicing with
Slides from INF3331 lectures - web programming in Python
Slides from INF3331 lectures - web programming in Python Joakim Sundnes & Hans Petter Langtangen Dept. of Informatics, Univ. of Oslo & Simula Research Laboratory October 2013 Programming web applications
Facebook Twitter YouTube Google Plus Website Email
PHP MySQL COURSE WITH OOP COURSE COVERS: PHP MySQL OBJECT ORIENTED PROGRAMMING WITH PHP SYLLABUS PHP 1. Writing PHP scripts- Writing PHP scripts, learn about PHP code structure, how to write and execute
α α λ α = = λ λ α ψ = = α α α λ λ ψ α = + β = > θ θ β > β β θ θ θ β θ β γ θ β = γ θ > β > γ θ β γ = θ β = θ β = θ β = β θ = β β θ = = = β β θ = + α α α α α = = λ λ λ λ λ λ λ = λ λ α α α α λ ψ + α =
ISI ACADEMY Web applications Programming Diploma using PHP& MySQL
ISI ACADEMY for PHP& MySQL web applications Programming ISI ACADEMY Web applications Programming Diploma using PHP& MySQL HTML - CSS - JavaScript PHP - MYSQL What You'll Learn Be able to write, deploy,
DATA 301 Introduction to Data Analytics Microsoft Excel VBA. Dr. Ramon Lawrence University of British Columbia Okanagan
DATA 301 Introduction to Data Analytics Microsoft Excel VBA Dr. Ramon Lawrence University of British Columbia Okanagan [email protected] DATA 301: Data Analytics (2) Why Microsoft Excel Visual Basic
USER MANUAL (PRO-CURO LITE, PRO & ENT) [SUPPLIED FOR VERSION 3]
Pro-curo Software Ltd USER MANUAL (PRO-CURO LITE, PRO & ENT) [SUPPLIED FOR VERSION 3] CONTENTS Everyday use... 3 Logging on... 4 Main Screen... 5 Adding locations... 6 Working with locations... 7 Duplicate...
POCKET READER AND POCKET READER EX MANUAL
POCKET READER AND POCKET READER EX MANUAL NICAD CONVERSION USE ONLY WITH 60mA CP TRICKLE CHARGER SUPPLIED CONTENTS 1. Batteries Installation...3 For best results Recommended Batteries...4 Automatic Shut
Introduction to Programming System Design. CSCI 455x (4 Units)
Introduction to Programming System Design CSCI 455x (4 Units) Description This course covers programming in Java and C++. Topics include review of basic programming concepts such as control structures,
Computer Programming in Perl: Internet and Text Processing
Computer Programming in Perl: Internet and Text Processing Instructor: Dmitriy Genzel June 28 July 16 1 Course Description This course will teach you how to program in Perl, the programming language behind
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
RING CYCLES ADMINISTRATIVE LINE FEATURES. AUTO DIAL Electronic Sets: 1. To program, press AUTO DIAL key 2. Dial number to be stored
Telephone Instructions All Washington University residence halls, fraternities and administrative offices for the Danforth Campus share the same telephone system. All lines begin with the prefix 935 or
CSE 308. Coding Conventions. Reference
CSE 308 Coding Conventions Reference Java Coding Conventions googlestyleguide.googlecode.com/svn/trunk/javaguide.html Java Naming Conventions www.ibm.com/developerworks/library/ws-tipnamingconv.html 2
Database Programming with PL/SQL: Learning Objectives
Database Programming with PL/SQL: Learning Objectives This course covers PL/SQL, a procedural language extension to SQL. Through an innovative project-based approach, students learn procedural logic constructs
We automatically generate the HTML for this as seen below. Provide the above components for the teaser.txt file.
Creative Specs Gmail Sponsored Promotions Overview The GSP creative asset will be a ZIP folder, containing four components: 1. Teaser text file 2. Teaser logo image 3. HTML file with the fully expanded
Internet Technologies
QAFQAZ UNIVERSITY Computer Engineering Department Internet Technologies HTML Forms Dr. Abzetdin ADAMOV Chair of Computer Engineering Department [email protected] http://ce.qu.edu.az/~aadamov What are forms?
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
Thirty Useful Unix Commands
Leaflet U5 Thirty Useful Unix Commands Last revised April 1997 This leaflet contains basic information on thirty of the most frequently used Unix Commands. It is intended for Unix beginners who need a
CSCI110: Examination information.
CSCI110: Examination information. The exam for CSCI110 will consist of short answer questions. Most of them will require a couple of sentences of explanation of a concept covered in lectures or practical
Secure Web Application Coding Team Introductory Meeting December 1, 2005 1:00 2:00PM Bits & Pieces Room, Sansom West Room 306 Agenda
Secure Web Application Coding Team Introductory Meeting December 1, 2005 1:00 2:00PM Bits & Pieces Room, Sansom West Room 306 Agenda 1. Introductions for new members (5 minutes) 2. Name of group 3. Current
Genesis Gradebook. User. Guide 2012-13
Genesis Gradebook User Guide 2012-13 August 20, 2012 1 of 98 Table of Contents I II III IV V VI Table of Procedures p. 3 Introduction p. 4 The GradebookHome Course List Screen p. 5 The GradebookGradebook
FirstClass FAQ's An item is missing from my FirstClass desktop
FirstClass FAQ's An item is missing from my FirstClass desktop Deleted item: If you put a item on your desktop, you can delete it. To determine what kind of item (conference-original, conference-alias,
CNC Transfer. Operating Manual
Rank Brothers Ltd CNC Transfer Operating Manual Manufactured by: Rank Brothers Ltd 56 High Street, Bottisham, Cambridge CB25 9DA, England Tel: +44 (0)1223 811369 Fax: +44 (0)1223 811441 Website: http://www.rankbrothers.co.uk/
UOFL SHAREPOINT ADMINISTRATORS GUIDE
UOFL SHAREPOINT ADMINISTRATORS GUIDE WOW What Power! Learn how to administer a SharePoint site. [Type text] SharePoint Administrator Training Table of Contents Basics... 3 Definitions... 3 The Ribbon...
Version Control with. Ben Morgan
Version Control with Ben Morgan Developer Workflow Log what we did: Add foo support Edit Sources Add Files Compile and Test Logbook ======= 1. Initial version Logbook ======= 1. Initial version 2. Remove
AN INTRODUCTION TO DIAMOND SCHEDULER
AN INTRODUCTION TO DIAMOND SCHEDULER Draft 11/26/2014 Note: Please send suggestions to [email protected] Cactusware, LLC AN INTRODUCTION TO DIAMOND SCHEDULER WELCOME Welcome to Diamond Scheduler Sports
Enterprise Asset Management System
Enterprise Asset Management System in the Agile Enterprise Asset Management System AgileAssets Inc. Agile Enterprise Asset Management System EAM, Version 1.2, 10/16/09. 2008 AgileAssets Inc. Copyrighted
1. To start Installation: To install the reporting tool, copy the entire contents of the zip file to a directory of your choice. Run the exe.
CourseWebs Reporting Tool Desktop Application Instructions The CourseWebs Reporting tool is a desktop application that lets a system administrator modify existing reports and create new ones. Changes to
BASH Scripting. A bash script may consist of nothing but a series of command lines, e.g. The following helloworld.sh script simply does an echo.
BASH Scripting bash is great for simple scripts that automate things you would otherwise by typing on the command line. Your command line skills will carry over to bash scripting and vice versa. bash comments
ADT: Inventory Manager. Version 1.0
ADT: Inventory Manager Version 1.0 Functional Specification Author Jason Version 1.0 Printed 2001-10-2212:58 PM Document Revisions Revisions on this document should be recorded in the table below: Date
Figure 1 TOE2-IP FTP Server Demo Environment Setup on KC705
TOE2-IP FTP Server Demo Instruction Rev1.0 16-Jan-15 1 Environment Setup As shown in Figure 1 - Figure 2, to run TOE2-IP FTP demo, please prepare 1) FPGA Development board (KC705/ZC706) 2) ISE ver 14.4
MAJORDOMO - CREATING AND MANAGING LISTS (ADMINISTRATORS) - REFERENCE GUIDE
MAJORDOMO - CREATING AND MANAGING LISTS (ADMINISTRATORS) - REFERENCE GUIDE INTRODUCTION This document is designed for list administrators people who wish to create and manage mailing lists. There are three
First Bytes Programming Lab 2
First Bytes Programming Lab 2 This lab is available online at www.cs.utexas.edu/users/scottm/firstbytes. Introduction: In this lab you will investigate the properties of colors and how they are displayed
The information in this document belongs to Digibilly. It may not be used, reproduced or disclosed without written approval.
Re- En g in e e rin g e C o m m e rc e F o r O n lin e B u s in e s s Customer User Guide Last Updated: June 2012 2012 Digibilly - All Rights Reserved Worldwide. PayPal is a registered trademark of PayPal,
CowCalf5. for Dummies. Quick Reference. D ate: 3/26 / 2 0 10
CowCalf5 for Dummies Quick Reference D ate: 3/26 / 2 0 10 Page 2 Email: [email protected] Page 3 Table of Contents System Requirement and Installing CowCalf5 4 Creating a New Herd 5 Start Entering Records
Business Scenario Using GP/Web Dynpro with Back and Forth 3 Level Process and Dynamic Approvers in a Loop
Business Scenario Using GP/Web Dynpro with Back and Forth 3 Level Process and Dynamic Approvers in a Loop Applies to This Article applies to Guided Procedures, Web Dynpro Java, Business Process Modeling
Designing and Implementing Forms 34
C H A P T E R 34 Designing and Implementing Forms 34 You can add forms to your site to collect information from site visitors; for example, to survey potential customers, conduct credit-card transactions,
NTFS permissions represent a core part of Windows s security system. Using
bonus appendix NTFS Permissions NTFS permissions represent a core part of Windows s security system. Using this feature, you can specify exactly which coworkers are allowed to open which files and folders
BASIC DESIRE2LEARN COURSETOOLS: CREATINGYOUR PAPERLESS CLASSROOM
BASIC DESIRE2LEARN COURSETOOLS: CREATINGYOUR PAPERLESS CLASSROOM This job aid is a tutorial that will take you through the steps necessary to implement the basic level uses of Desire2Learn (D2L), BCIT
Avsoft, Inc. LEARNING MANAGEMENT SYSTEM ORGANIZATION MANAGER MANUAL
Avsoft, Inc. LEARNING MANAGEMENT SYSTEM ORGANIZATION MANAGER MANUAL Table of Contents SYSTEM REQUIREMENTS... 2 THE BASICS OF WEB DELIVERY... 3 WEB BASED TRAINING INTERFACE... 4 ADDING USERS TO THE LMS...
